<html><head><meta name="color-scheme" content="light dark"></head><body><pre style="word-wrap: break-word; white-space: pre-wrap;">/******/ (() =&gt; { // webpackBootstrap
/******/ 	var __webpack_modules__ = ({

/***/ "./node_modules/axios/index.js":
/*!*************************************!*\
  !*** ./node_modules/axios/index.js ***!
  \*************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

module.exports = __webpack_require__(/*! ./lib/axios */ "./node_modules/axios/lib/axios.js");

/***/ }),

/***/ "./node_modules/axios/lib/adapters/xhr.js":
/*!************************************************!*\
  !*** ./node_modules/axios/lib/adapters/xhr.js ***!
  \************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./../utils */ "./node_modules/axios/lib/utils.js");
var settle = __webpack_require__(/*! ./../core/settle */ "./node_modules/axios/lib/core/settle.js");
var cookies = __webpack_require__(/*! ./../helpers/cookies */ "./node_modules/axios/lib/helpers/cookies.js");
var buildURL = __webpack_require__(/*! ./../helpers/buildURL */ "./node_modules/axios/lib/helpers/buildURL.js");
var buildFullPath = __webpack_require__(/*! ../core/buildFullPath */ "./node_modules/axios/lib/core/buildFullPath.js");
var parseHeaders = __webpack_require__(/*! ./../helpers/parseHeaders */ "./node_modules/axios/lib/helpers/parseHeaders.js");
var isURLSameOrigin = __webpack_require__(/*! ./../helpers/isURLSameOrigin */ "./node_modules/axios/lib/helpers/isURLSameOrigin.js");
var createError = __webpack_require__(/*! ../core/createError */ "./node_modules/axios/lib/core/createError.js");
var defaults = __webpack_require__(/*! ../defaults */ "./node_modules/axios/lib/defaults.js");
var Cancel = __webpack_require__(/*! ../cancel/Cancel */ "./node_modules/axios/lib/cancel/Cancel.js");

module.exports = function xhrAdapter(config) {
  return new Promise(function dispatchXhrRequest(resolve, reject) {
    var requestData = config.data;
    var requestHeaders = config.headers;
    var responseType = config.responseType;
    var onCanceled;
    function done() {
      if (config.cancelToken) {
        config.cancelToken.unsubscribe(onCanceled);
      }

      if (config.signal) {
        config.signal.removeEventListener('abort', onCanceled);
      }
    }

    if (utils.isFormData(requestData)) {
      delete requestHeaders['Content-Type']; // Let the browser set it
    }

    var request = new XMLHttpRequest();

    // HTTP basic authentication
    if (config.auth) {
      var username = config.auth.username || '';
      var password = config.auth.password ? unescape(encodeURIComponent(config.auth.password)) : '';
      requestHeaders.Authorization = 'Basic ' + btoa(username + ':' + password);
    }

    var fullPath = buildFullPath(config.baseURL, config.url);
    request.open(config.method.toUpperCase(), buildURL(fullPath, config.params, config.paramsSerializer), true);

    // Set the request timeout in MS
    request.timeout = config.timeout;

    function onloadend() {
      if (!request) {
        return;
      }
      // Prepare the response
      var responseHeaders = 'getAllResponseHeaders' in request ? parseHeaders(request.getAllResponseHeaders()) : null;
      var responseData = !responseType || responseType === 'text' ||  responseType === 'json' ?
        request.responseText : request.response;
      var response = {
        data: responseData,
        status: request.status,
        statusText: request.statusText,
        headers: responseHeaders,
        config: config,
        request: request
      };

      settle(function _resolve(value) {
        resolve(value);
        done();
      }, function _reject(err) {
        reject(err);
        done();
      }, response);

      // Clean up request
      request = null;
    }

    if ('onloadend' in request) {
      // Use onloadend if available
      request.onloadend = onloadend;
    } else {
      // Listen for ready state to emulate onloadend
      request.onreadystatechange = function handleLoad() {
        if (!request || request.readyState !== 4) {
          return;
        }

        // The request errored out and we didn't get a response, this will be
        // handled by onerror instead
        // With one exception: request that using file: protocol, most browsers
        // will return status as 0 even though it's a successful request
        if (request.status === 0 &amp;&amp; !(request.responseURL &amp;&amp; request.responseURL.indexOf('file:') === 0)) {
          return;
        }
        // readystate handler is calling before onerror or ontimeout handlers,
        // so we should call onloadend on the next 'tick'
        setTimeout(onloadend);
      };
    }

    // Handle browser request cancellation (as opposed to a manual cancellation)
    request.onabort = function handleAbort() {
      if (!request) {
        return;
      }

      reject(createError('Request aborted', config, 'ECONNABORTED', request));

      // Clean up request
      request = null;
    };

    // Handle low level network errors
    request.onerror = function handleError() {
      // Real errors are hidden from us by the browser
      // onerror should only fire if it's a network error
      reject(createError('Network Error', config, null, request));

      // Clean up request
      request = null;
    };

    // Handle timeout
    request.ontimeout = function handleTimeout() {
      var timeoutErrorMessage = config.timeout ? 'timeout of ' + config.timeout + 'ms exceeded' : 'timeout exceeded';
      var transitional = config.transitional || defaults.transitional;
      if (config.timeoutErrorMessage) {
        timeoutErrorMessage = config.timeoutErrorMessage;
      }
      reject(createError(
        timeoutErrorMessage,
        config,
        transitional.clarifyTimeoutError ? 'ETIMEDOUT' : 'ECONNABORTED',
        request));

      // Clean up request
      request = null;
    };

    // Add xsrf header
    // This is only done if running in a standard browser environment.
    // Specifically not if we're in a web worker, or react-native.
    if (utils.isStandardBrowserEnv()) {
      // Add xsrf header
      var xsrfValue = (config.withCredentials || isURLSameOrigin(fullPath)) &amp;&amp; config.xsrfCookieName ?
        cookies.read(config.xsrfCookieName) :
        undefined;

      if (xsrfValue) {
        requestHeaders[config.xsrfHeaderName] = xsrfValue;
      }
    }

    // Add headers to the request
    if ('setRequestHeader' in request) {
      utils.forEach(requestHeaders, function setRequestHeader(val, key) {
        if (typeof requestData === 'undefined' &amp;&amp; key.toLowerCase() === 'content-type') {
          // Remove Content-Type if data is undefined
          delete requestHeaders[key];
        } else {
          // Otherwise add header to the request
          request.setRequestHeader(key, val);
        }
      });
    }

    // Add withCredentials to request if needed
    if (!utils.isUndefined(config.withCredentials)) {
      request.withCredentials = !!config.withCredentials;
    }

    // Add responseType to request if needed
    if (responseType &amp;&amp; responseType !== 'json') {
      request.responseType = config.responseType;
    }

    // Handle progress if needed
    if (typeof config.onDownloadProgress === 'function') {
      request.addEventListener('progress', config.onDownloadProgress);
    }

    // Not all browsers support upload events
    if (typeof config.onUploadProgress === 'function' &amp;&amp; request.upload) {
      request.upload.addEventListener('progress', config.onUploadProgress);
    }

    if (config.cancelToken || config.signal) {
      // Handle cancellation
      // eslint-disable-next-line func-names
      onCanceled = function(cancel) {
        if (!request) {
          return;
        }
        reject(!cancel || (cancel &amp;&amp; cancel.type) ? new Cancel('canceled') : cancel);
        request.abort();
        request = null;
      };

      config.cancelToken &amp;&amp; config.cancelToken.subscribe(onCanceled);
      if (config.signal) {
        config.signal.aborted ? onCanceled() : config.signal.addEventListener('abort', onCanceled);
      }
    }

    if (!requestData) {
      requestData = null;
    }

    // Send the request
    request.send(requestData);
  });
};


/***/ }),

/***/ "./node_modules/axios/lib/axios.js":
/*!*****************************************!*\
  !*** ./node_modules/axios/lib/axios.js ***!
  \*****************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./utils */ "./node_modules/axios/lib/utils.js");
var bind = __webpack_require__(/*! ./helpers/bind */ "./node_modules/axios/lib/helpers/bind.js");
var Axios = __webpack_require__(/*! ./core/Axios */ "./node_modules/axios/lib/core/Axios.js");
var mergeConfig = __webpack_require__(/*! ./core/mergeConfig */ "./node_modules/axios/lib/core/mergeConfig.js");
var defaults = __webpack_require__(/*! ./defaults */ "./node_modules/axios/lib/defaults.js");

/**
 * Create an instance of Axios
 *
 * @param {Object} defaultConfig The default config for the instance
 * @return {Axios} A new instance of Axios
 */
function createInstance(defaultConfig) {
  var context = new Axios(defaultConfig);
  var instance = bind(Axios.prototype.request, context);

  // Copy axios.prototype to instance
  utils.extend(instance, Axios.prototype, context);

  // Copy context to instance
  utils.extend(instance, context);

  // Factory for creating new instances
  instance.create = function create(instanceConfig) {
    return createInstance(mergeConfig(defaultConfig, instanceConfig));
  };

  return instance;
}

// Create the default instance to be exported
var axios = createInstance(defaults);

// Expose Axios class to allow class inheritance
axios.Axios = Axios;

// Expose Cancel &amp; CancelToken
axios.Cancel = __webpack_require__(/*! ./cancel/Cancel */ "./node_modules/axios/lib/cancel/Cancel.js");
axios.CancelToken = __webpack_require__(/*! ./cancel/CancelToken */ "./node_modules/axios/lib/cancel/CancelToken.js");
axios.isCancel = __webpack_require__(/*! ./cancel/isCancel */ "./node_modules/axios/lib/cancel/isCancel.js");
axios.VERSION = (__webpack_require__(/*! ./env/data */ "./node_modules/axios/lib/env/data.js").version);

// Expose all/spread
axios.all = function all(promises) {
  return Promise.all(promises);
};
axios.spread = __webpack_require__(/*! ./helpers/spread */ "./node_modules/axios/lib/helpers/spread.js");

// Expose isAxiosError
axios.isAxiosError = __webpack_require__(/*! ./helpers/isAxiosError */ "./node_modules/axios/lib/helpers/isAxiosError.js");

module.exports = axios;

// Allow use of default import syntax in TypeScript
module.exports["default"] = axios;


/***/ }),

/***/ "./node_modules/axios/lib/cancel/Cancel.js":
/*!*************************************************!*\
  !*** ./node_modules/axios/lib/cancel/Cancel.js ***!
  \*************************************************/
/***/ ((module) =&gt; {

"use strict";


/**
 * A `Cancel` is an object that is thrown when an operation is canceled.
 *
 * @class
 * @param {string=} message The message.
 */
function Cancel(message) {
  this.message = message;
}

Cancel.prototype.toString = function toString() {
  return 'Cancel' + (this.message ? ': ' + this.message : '');
};

Cancel.prototype.__CANCEL__ = true;

module.exports = Cancel;


/***/ }),

/***/ "./node_modules/axios/lib/cancel/CancelToken.js":
/*!******************************************************!*\
  !*** ./node_modules/axios/lib/cancel/CancelToken.js ***!
  \******************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var Cancel = __webpack_require__(/*! ./Cancel */ "./node_modules/axios/lib/cancel/Cancel.js");

/**
 * A `CancelToken` is an object that can be used to request cancellation of an operation.
 *
 * @class
 * @param {Function} executor The executor function.
 */
function CancelToken(executor) {
  if (typeof executor !== 'function') {
    throw new TypeError('executor must be a function.');
  }

  var resolvePromise;

  this.promise = new Promise(function promiseExecutor(resolve) {
    resolvePromise = resolve;
  });

  var token = this;

  // eslint-disable-next-line func-names
  this.promise.then(function(cancel) {
    if (!token._listeners) return;

    var i;
    var l = token._listeners.length;

    for (i = 0; i &lt; l; i++) {
      token._listeners[i](cancel);
    }
    token._listeners = null;
  });

  // eslint-disable-next-line func-names
  this.promise.then = function(onfulfilled) {
    var _resolve;
    // eslint-disable-next-line func-names
    var promise = new Promise(function(resolve) {
      token.subscribe(resolve);
      _resolve = resolve;
    }).then(onfulfilled);

    promise.cancel = function reject() {
      token.unsubscribe(_resolve);
    };

    return promise;
  };

  executor(function cancel(message) {
    if (token.reason) {
      // Cancellation has already been requested
      return;
    }

    token.reason = new Cancel(message);
    resolvePromise(token.reason);
  });
}

/**
 * Throws a `Cancel` if cancellation has been requested.
 */
CancelToken.prototype.throwIfRequested = function throwIfRequested() {
  if (this.reason) {
    throw this.reason;
  }
};

/**
 * Subscribe to the cancel signal
 */

CancelToken.prototype.subscribe = function subscribe(listener) {
  if (this.reason) {
    listener(this.reason);
    return;
  }

  if (this._listeners) {
    this._listeners.push(listener);
  } else {
    this._listeners = [listener];
  }
};

/**
 * Unsubscribe from the cancel signal
 */

CancelToken.prototype.unsubscribe = function unsubscribe(listener) {
  if (!this._listeners) {
    return;
  }
  var index = this._listeners.indexOf(listener);
  if (index !== -1) {
    this._listeners.splice(index, 1);
  }
};

/**
 * Returns an object that contains a new `CancelToken` and a function that, when called,
 * cancels the `CancelToken`.
 */
CancelToken.source = function source() {
  var cancel;
  var token = new CancelToken(function executor(c) {
    cancel = c;
  });
  return {
    token: token,
    cancel: cancel
  };
};

module.exports = CancelToken;


/***/ }),

/***/ "./node_modules/axios/lib/cancel/isCancel.js":
/*!***************************************************!*\
  !*** ./node_modules/axios/lib/cancel/isCancel.js ***!
  \***************************************************/
/***/ ((module) =&gt; {

"use strict";


module.exports = function isCancel(value) {
  return !!(value &amp;&amp; value.__CANCEL__);
};


/***/ }),

/***/ "./node_modules/axios/lib/core/Axios.js":
/*!**********************************************!*\
  !*** ./node_modules/axios/lib/core/Axios.js ***!
  \**********************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./../utils */ "./node_modules/axios/lib/utils.js");
var buildURL = __webpack_require__(/*! ../helpers/buildURL */ "./node_modules/axios/lib/helpers/buildURL.js");
var InterceptorManager = __webpack_require__(/*! ./InterceptorManager */ "./node_modules/axios/lib/core/InterceptorManager.js");
var dispatchRequest = __webpack_require__(/*! ./dispatchRequest */ "./node_modules/axios/lib/core/dispatchRequest.js");
var mergeConfig = __webpack_require__(/*! ./mergeConfig */ "./node_modules/axios/lib/core/mergeConfig.js");
var validator = __webpack_require__(/*! ../helpers/validator */ "./node_modules/axios/lib/helpers/validator.js");

var validators = validator.validators;
/**
 * Create a new instance of Axios
 *
 * @param {Object} instanceConfig The default config for the instance
 */
function Axios(instanceConfig) {
  this.defaults = instanceConfig;
  this.interceptors = {
    request: new InterceptorManager(),
    response: new InterceptorManager()
  };
}

/**
 * Dispatch a request
 *
 * @param {Object} config The config specific for this request (merged with this.defaults)
 */
Axios.prototype.request = function request(configOrUrl, config) {
  /*eslint no-param-reassign:0*/
  // Allow for axios('example/url'[, config]) a la fetch API
  if (typeof configOrUrl === 'string') {
    config = config || {};
    config.url = configOrUrl;
  } else {
    config = configOrUrl || {};
  }

  if (!config.url) {
    throw new Error('Provided config url is not valid');
  }

  config = mergeConfig(this.defaults, config);

  // Set config.method
  if (config.method) {
    config.method = config.method.toLowerCase();
  } else if (this.defaults.method) {
    config.method = this.defaults.method.toLowerCase();
  } else {
    config.method = 'get';
  }

  var transitional = config.transitional;

  if (transitional !== undefined) {
    validator.assertOptions(transitional, {
      silentJSONParsing: validators.transitional(validators.boolean),
      forcedJSONParsing: validators.transitional(validators.boolean),
      clarifyTimeoutError: validators.transitional(validators.boolean)
    }, false);
  }

  // filter out skipped interceptors
  var requestInterceptorChain = [];
  var synchronousRequestInterceptors = true;
  this.interceptors.request.forEach(function unshiftRequestInterceptors(interceptor) {
    if (typeof interceptor.runWhen === 'function' &amp;&amp; interceptor.runWhen(config) === false) {
      return;
    }

    synchronousRequestInterceptors = synchronousRequestInterceptors &amp;&amp; interceptor.synchronous;

    requestInterceptorChain.unshift(interceptor.fulfilled, interceptor.rejected);
  });

  var responseInterceptorChain = [];
  this.interceptors.response.forEach(function pushResponseInterceptors(interceptor) {
    responseInterceptorChain.push(interceptor.fulfilled, interceptor.rejected);
  });

  var promise;

  if (!synchronousRequestInterceptors) {
    var chain = [dispatchRequest, undefined];

    Array.prototype.unshift.apply(chain, requestInterceptorChain);
    chain = chain.concat(responseInterceptorChain);

    promise = Promise.resolve(config);
    while (chain.length) {
      promise = promise.then(chain.shift(), chain.shift());
    }

    return promise;
  }


  var newConfig = config;
  while (requestInterceptorChain.length) {
    var onFulfilled = requestInterceptorChain.shift();
    var onRejected = requestInterceptorChain.shift();
    try {
      newConfig = onFulfilled(newConfig);
    } catch (error) {
      onRejected(error);
      break;
    }
  }

  try {
    promise = dispatchRequest(newConfig);
  } catch (error) {
    return Promise.reject(error);
  }

  while (responseInterceptorChain.length) {
    promise = promise.then(responseInterceptorChain.shift(), responseInterceptorChain.shift());
  }

  return promise;
};

Axios.prototype.getUri = function getUri(config) {
  if (!config.url) {
    throw new Error('Provided config url is not valid');
  }
  config = mergeConfig(this.defaults, config);
  return buildURL(config.url, config.params, config.paramsSerializer).replace(/^\?/, '');
};

// Provide aliases for supported request methods
utils.forEach(['delete', 'get', 'head', 'options'], function forEachMethodNoData(method) {
  /*eslint func-names:0*/
  Axios.prototype[method] = function(url, config) {
    return this.request(mergeConfig(config || {}, {
      method: method,
      url: url,
      data: (config || {}).data
    }));
  };
});

utils.forEach(['post', 'put', 'patch'], function forEachMethodWithData(method) {
  /*eslint func-names:0*/
  Axios.prototype[method] = function(url, data, config) {
    return this.request(mergeConfig(config || {}, {
      method: method,
      url: url,
      data: data
    }));
  };
});

module.exports = Axios;


/***/ }),

/***/ "./node_modules/axios/lib/core/InterceptorManager.js":
/*!***********************************************************!*\
  !*** ./node_modules/axios/lib/core/InterceptorManager.js ***!
  \***********************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./../utils */ "./node_modules/axios/lib/utils.js");

function InterceptorManager() {
  this.handlers = [];
}

/**
 * Add a new interceptor to the stack
 *
 * @param {Function} fulfilled The function to handle `then` for a `Promise`
 * @param {Function} rejected The function to handle `reject` for a `Promise`
 *
 * @return {Number} An ID used to remove interceptor later
 */
InterceptorManager.prototype.use = function use(fulfilled, rejected, options) {
  this.handlers.push({
    fulfilled: fulfilled,
    rejected: rejected,
    synchronous: options ? options.synchronous : false,
    runWhen: options ? options.runWhen : null
  });
  return this.handlers.length - 1;
};

/**
 * Remove an interceptor from the stack
 *
 * @param {Number} id The ID that was returned by `use`
 */
InterceptorManager.prototype.eject = function eject(id) {
  if (this.handlers[id]) {
    this.handlers[id] = null;
  }
};

/**
 * Iterate over all the registered interceptors
 *
 * This method is particularly useful for skipping over any
 * interceptors that may have become `null` calling `eject`.
 *
 * @param {Function} fn The function to call for each interceptor
 */
InterceptorManager.prototype.forEach = function forEach(fn) {
  utils.forEach(this.handlers, function forEachHandler(h) {
    if (h !== null) {
      fn(h);
    }
  });
};

module.exports = InterceptorManager;


/***/ }),

/***/ "./node_modules/axios/lib/core/buildFullPath.js":
/*!******************************************************!*\
  !*** ./node_modules/axios/lib/core/buildFullPath.js ***!
  \******************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var isAbsoluteURL = __webpack_require__(/*! ../helpers/isAbsoluteURL */ "./node_modules/axios/lib/helpers/isAbsoluteURL.js");
var combineURLs = __webpack_require__(/*! ../helpers/combineURLs */ "./node_modules/axios/lib/helpers/combineURLs.js");

/**
 * Creates a new URL by combining the baseURL with the requestedURL,
 * only when the requestedURL is not already an absolute URL.
 * If the requestURL is absolute, this function returns the requestedURL untouched.
 *
 * @param {string} baseURL The base URL
 * @param {string} requestedURL Absolute or relative URL to combine
 * @returns {string} The combined full path
 */
module.exports = function buildFullPath(baseURL, requestedURL) {
  if (baseURL &amp;&amp; !isAbsoluteURL(requestedURL)) {
    return combineURLs(baseURL, requestedURL);
  }
  return requestedURL;
};


/***/ }),

/***/ "./node_modules/axios/lib/core/createError.js":
/*!****************************************************!*\
  !*** ./node_modules/axios/lib/core/createError.js ***!
  \****************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var enhanceError = __webpack_require__(/*! ./enhanceError */ "./node_modules/axios/lib/core/enhanceError.js");

/**
 * Create an Error with the specified message, config, error code, request and response.
 *
 * @param {string} message The error message.
 * @param {Object} config The config.
 * @param {string} [code] The error code (for example, 'ECONNABORTED').
 * @param {Object} [request] The request.
 * @param {Object} [response] The response.
 * @returns {Error} The created error.
 */
module.exports = function createError(message, config, code, request, response) {
  var error = new Error(message);
  return enhanceError(error, config, code, request, response);
};


/***/ }),

/***/ "./node_modules/axios/lib/core/dispatchRequest.js":
/*!********************************************************!*\
  !*** ./node_modules/axios/lib/core/dispatchRequest.js ***!
  \********************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./../utils */ "./node_modules/axios/lib/utils.js");
var transformData = __webpack_require__(/*! ./transformData */ "./node_modules/axios/lib/core/transformData.js");
var isCancel = __webpack_require__(/*! ../cancel/isCancel */ "./node_modules/axios/lib/cancel/isCancel.js");
var defaults = __webpack_require__(/*! ../defaults */ "./node_modules/axios/lib/defaults.js");
var Cancel = __webpack_require__(/*! ../cancel/Cancel */ "./node_modules/axios/lib/cancel/Cancel.js");

/**
 * Throws a `Cancel` if cancellation has been requested.
 */
function throwIfCancellationRequested(config) {
  if (config.cancelToken) {
    config.cancelToken.throwIfRequested();
  }

  if (config.signal &amp;&amp; config.signal.aborted) {
    throw new Cancel('canceled');
  }
}

/**
 * Dispatch a request to the server using the configured adapter.
 *
 * @param {object} config The config that is to be used for the request
 * @returns {Promise} The Promise to be fulfilled
 */
module.exports = function dispatchRequest(config) {
  throwIfCancellationRequested(config);

  // Ensure headers exist
  config.headers = config.headers || {};

  // Transform request data
  config.data = transformData.call(
    config,
    config.data,
    config.headers,
    config.transformRequest
  );

  // Flatten headers
  config.headers = utils.merge(
    config.headers.common || {},
    config.headers[config.method] || {},
    config.headers
  );

  utils.forEach(
    ['delete', 'get', 'head', 'post', 'put', 'patch', 'common'],
    function cleanHeaderConfig(method) {
      delete config.headers[method];
    }
  );

  var adapter = config.adapter || defaults.adapter;

  return adapter(config).then(function onAdapterResolution(response) {
    throwIfCancellationRequested(config);

    // Transform response data
    response.data = transformData.call(
      config,
      response.data,
      response.headers,
      config.transformResponse
    );

    return response;
  }, function onAdapterRejection(reason) {
    if (!isCancel(reason)) {
      throwIfCancellationRequested(config);

      // Transform response data
      if (reason &amp;&amp; reason.response) {
        reason.response.data = transformData.call(
          config,
          reason.response.data,
          reason.response.headers,
          config.transformResponse
        );
      }
    }

    return Promise.reject(reason);
  });
};


/***/ }),

/***/ "./node_modules/axios/lib/core/enhanceError.js":
/*!*****************************************************!*\
  !*** ./node_modules/axios/lib/core/enhanceError.js ***!
  \*****************************************************/
/***/ ((module) =&gt; {

"use strict";


/**
 * Update an Error with the specified config, error code, and response.
 *
 * @param {Error} error The error to update.
 * @param {Object} config The config.
 * @param {string} [code] The error code (for example, 'ECONNABORTED').
 * @param {Object} [request] The request.
 * @param {Object} [response] The response.
 * @returns {Error} The error.
 */
module.exports = function enhanceError(error, config, code, request, response) {
  error.config = config;
  if (code) {
    error.code = code;
  }

  error.request = request;
  error.response = response;
  error.isAxiosError = true;

  error.toJSON = function toJSON() {
    return {
      // Standard
      message: this.message,
      name: this.name,
      // Microsoft
      description: this.description,
      number: this.number,
      // Mozilla
      fileName: this.fileName,
      lineNumber: this.lineNumber,
      columnNumber: this.columnNumber,
      stack: this.stack,
      // Axios
      config: this.config,
      code: this.code,
      status: this.response &amp;&amp; this.response.status ? this.response.status : null
    };
  };
  return error;
};


/***/ }),

/***/ "./node_modules/axios/lib/core/mergeConfig.js":
/*!****************************************************!*\
  !*** ./node_modules/axios/lib/core/mergeConfig.js ***!
  \****************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ../utils */ "./node_modules/axios/lib/utils.js");

/**
 * Config-specific merge-function which creates a new config-object
 * by merging two configuration objects together.
 *
 * @param {Object} config1
 * @param {Object} config2
 * @returns {Object} New object resulting from merging config2 to config1
 */
module.exports = function mergeConfig(config1, config2) {
  // eslint-disable-next-line no-param-reassign
  config2 = config2 || {};
  var config = {};

  function getMergedValue(target, source) {
    if (utils.isPlainObject(target) &amp;&amp; utils.isPlainObject(source)) {
      return utils.merge(target, source);
    } else if (utils.isPlainObject(source)) {
      return utils.merge({}, source);
    } else if (utils.isArray(source)) {
      return source.slice();
    }
    return source;
  }

  // eslint-disable-next-line consistent-return
  function mergeDeepProperties(prop) {
    if (!utils.isUndefined(config2[prop])) {
      return getMergedValue(config1[prop], config2[prop]);
    } else if (!utils.isUndefined(config1[prop])) {
      return getMergedValue(undefined, config1[prop]);
    }
  }

  // eslint-disable-next-line consistent-return
  function valueFromConfig2(prop) {
    if (!utils.isUndefined(config2[prop])) {
      return getMergedValue(undefined, config2[prop]);
    }
  }

  // eslint-disable-next-line consistent-return
  function defaultToConfig2(prop) {
    if (!utils.isUndefined(config2[prop])) {
      return getMergedValue(undefined, config2[prop]);
    } else if (!utils.isUndefined(config1[prop])) {
      return getMergedValue(undefined, config1[prop]);
    }
  }

  // eslint-disable-next-line consistent-return
  function mergeDirectKeys(prop) {
    if (prop in config2) {
      return getMergedValue(config1[prop], config2[prop]);
    } else if (prop in config1) {
      return getMergedValue(undefined, config1[prop]);
    }
  }

  var mergeMap = {
    'url': valueFromConfig2,
    'method': valueFromConfig2,
    'data': valueFromConfig2,
    'baseURL': defaultToConfig2,
    'transformRequest': defaultToConfig2,
    'transformResponse': defaultToConfig2,
    'paramsSerializer': defaultToConfig2,
    'timeout': defaultToConfig2,
    'timeoutMessage': defaultToConfig2,
    'withCredentials': defaultToConfig2,
    'adapter': defaultToConfig2,
    'responseType': defaultToConfig2,
    'xsrfCookieName': defaultToConfig2,
    'xsrfHeaderName': defaultToConfig2,
    'onUploadProgress': defaultToConfig2,
    'onDownloadProgress': defaultToConfig2,
    'decompress': defaultToConfig2,
    'maxContentLength': defaultToConfig2,
    'maxBodyLength': defaultToConfig2,
    'transport': defaultToConfig2,
    'httpAgent': defaultToConfig2,
    'httpsAgent': defaultToConfig2,
    'cancelToken': defaultToConfig2,
    'socketPath': defaultToConfig2,
    'responseEncoding': defaultToConfig2,
    'validateStatus': mergeDirectKeys
  };

  utils.forEach(Object.keys(config1).concat(Object.keys(config2)), function computeConfigValue(prop) {
    var merge = mergeMap[prop] || mergeDeepProperties;
    var configValue = merge(prop);
    (utils.isUndefined(configValue) &amp;&amp; merge !== mergeDirectKeys) || (config[prop] = configValue);
  });

  return config;
};


/***/ }),

/***/ "./node_modules/axios/lib/core/settle.js":
/*!***********************************************!*\
  !*** ./node_modules/axios/lib/core/settle.js ***!
  \***********************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var createError = __webpack_require__(/*! ./createError */ "./node_modules/axios/lib/core/createError.js");

/**
 * Resolve or reject a Promise based on response status.
 *
 * @param {Function} resolve A function that resolves the promise.
 * @param {Function} reject A function that rejects the promise.
 * @param {object} response The response.
 */
module.exports = function settle(resolve, reject, response) {
  var validateStatus = response.config.validateStatus;
  if (!response.status || !validateStatus || validateStatus(response.status)) {
    resolve(response);
  } else {
    reject(createError(
      'Request failed with status code ' + response.status,
      response.config,
      null,
      response.request,
      response
    ));
  }
};


/***/ }),

/***/ "./node_modules/axios/lib/core/transformData.js":
/*!******************************************************!*\
  !*** ./node_modules/axios/lib/core/transformData.js ***!
  \******************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./../utils */ "./node_modules/axios/lib/utils.js");
var defaults = __webpack_require__(/*! ./../defaults */ "./node_modules/axios/lib/defaults.js");

/**
 * Transform the data for a request or a response
 *
 * @param {Object|String} data The data to be transformed
 * @param {Array} headers The headers for the request or response
 * @param {Array|Function} fns A single function or Array of functions
 * @returns {*} The resulting transformed data
 */
module.exports = function transformData(data, headers, fns) {
  var context = this || defaults;
  /*eslint no-param-reassign:0*/
  utils.forEach(fns, function transform(fn) {
    data = fn.call(context, data, headers);
  });

  return data;
};


/***/ }),

/***/ "./node_modules/axios/lib/defaults.js":
/*!********************************************!*\
  !*** ./node_modules/axios/lib/defaults.js ***!
  \********************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";
/* provided dependency */ var process = __webpack_require__(/*! process/browser.js */ "./node_modules/process/browser.js");


var utils = __webpack_require__(/*! ./utils */ "./node_modules/axios/lib/utils.js");
var normalizeHeaderName = __webpack_require__(/*! ./helpers/normalizeHeaderName */ "./node_modules/axios/lib/helpers/normalizeHeaderName.js");
var enhanceError = __webpack_require__(/*! ./core/enhanceError */ "./node_modules/axios/lib/core/enhanceError.js");

var DEFAULT_CONTENT_TYPE = {
  'Content-Type': 'application/x-www-form-urlencoded'
};

function setContentTypeIfUnset(headers, value) {
  if (!utils.isUndefined(headers) &amp;&amp; utils.isUndefined(headers['Content-Type'])) {
    headers['Content-Type'] = value;
  }
}

function getDefaultAdapter() {
  var adapter;
  if (typeof XMLHttpRequest !== 'undefined') {
    // For browsers use XHR adapter
    adapter = __webpack_require__(/*! ./adapters/xhr */ "./node_modules/axios/lib/adapters/xhr.js");
  } else if (typeof process !== 'undefined' &amp;&amp; Object.prototype.toString.call(process) === '[object process]') {
    // For node use HTTP adapter
    adapter = __webpack_require__(/*! ./adapters/http */ "./node_modules/axios/lib/adapters/xhr.js");
  }
  return adapter;
}

function stringifySafely(rawValue, parser, encoder) {
  if (utils.isString(rawValue)) {
    try {
      (parser || JSON.parse)(rawValue);
      return utils.trim(rawValue);
    } catch (e) {
      if (e.name !== 'SyntaxError') {
        throw e;
      }
    }
  }

  return (encoder || JSON.stringify)(rawValue);
}

var defaults = {

  transitional: {
    silentJSONParsing: true,
    forcedJSONParsing: true,
    clarifyTimeoutError: false
  },

  adapter: getDefaultAdapter(),

  transformRequest: [function transformRequest(data, headers) {
    normalizeHeaderName(headers, 'Accept');
    normalizeHeaderName(headers, 'Content-Type');

    if (utils.isFormData(data) ||
      utils.isArrayBuffer(data) ||
      utils.isBuffer(data) ||
      utils.isStream(data) ||
      utils.isFile(data) ||
      utils.isBlob(data)
    ) {
      return data;
    }
    if (utils.isArrayBufferView(data)) {
      return data.buffer;
    }
    if (utils.isURLSearchParams(data)) {
      setContentTypeIfUnset(headers, 'application/x-www-form-urlencoded;charset=utf-8');
      return data.toString();
    }
    if (utils.isObject(data) || (headers &amp;&amp; headers['Content-Type'] === 'application/json')) {
      setContentTypeIfUnset(headers, 'application/json');
      return stringifySafely(data);
    }
    return data;
  }],

  transformResponse: [function transformResponse(data) {
    var transitional = this.transitional || defaults.transitional;
    var silentJSONParsing = transitional &amp;&amp; transitional.silentJSONParsing;
    var forcedJSONParsing = transitional &amp;&amp; transitional.forcedJSONParsing;
    var strictJSONParsing = !silentJSONParsing &amp;&amp; this.responseType === 'json';

    if (strictJSONParsing || (forcedJSONParsing &amp;&amp; utils.isString(data) &amp;&amp; data.length)) {
      try {
        return JSON.parse(data);
      } catch (e) {
        if (strictJSONParsing) {
          if (e.name === 'SyntaxError') {
            throw enhanceError(e, this, 'E_JSON_PARSE');
          }
          throw e;
        }
      }
    }

    return data;
  }],

  /**
   * A timeout in milliseconds to abort a request. If set to 0 (default) a
   * timeout is not created.
   */
  timeout: 0,

  xsrfCookieName: 'XSRF-TOKEN',
  xsrfHeaderName: 'X-XSRF-TOKEN',

  maxContentLength: -1,
  maxBodyLength: -1,

  validateStatus: function validateStatus(status) {
    return status &gt;= 200 &amp;&amp; status &lt; 300;
  },

  headers: {
    common: {
      'Accept': 'application/json, text/plain, */*'
    }
  }
};

utils.forEach(['delete', 'get', 'head'], function forEachMethodNoData(method) {
  defaults.headers[method] = {};
});

utils.forEach(['post', 'put', 'patch'], function forEachMethodWithData(method) {
  defaults.headers[method] = utils.merge(DEFAULT_CONTENT_TYPE);
});

module.exports = defaults;


/***/ }),

/***/ "./node_modules/axios/lib/env/data.js":
/*!********************************************!*\
  !*** ./node_modules/axios/lib/env/data.js ***!
  \********************************************/
/***/ ((module) =&gt; {

module.exports = {
  "version": "0.25.0"
};

/***/ }),

/***/ "./node_modules/axios/lib/helpers/bind.js":
/*!************************************************!*\
  !*** ./node_modules/axios/lib/helpers/bind.js ***!
  \************************************************/
/***/ ((module) =&gt; {

"use strict";


module.exports = function bind(fn, thisArg) {
  return function wrap() {
    var args = new Array(arguments.length);
    for (var i = 0; i &lt; args.length; i++) {
      args[i] = arguments[i];
    }
    return fn.apply(thisArg, args);
  };
};


/***/ }),

/***/ "./node_modules/axios/lib/helpers/buildURL.js":
/*!****************************************************!*\
  !*** ./node_modules/axios/lib/helpers/buildURL.js ***!
  \****************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./../utils */ "./node_modules/axios/lib/utils.js");

function encode(val) {
  return encodeURIComponent(val).
    replace(/%3A/gi, ':').
    replace(/%24/g, '$').
    replace(/%2C/gi, ',').
    replace(/%20/g, '+').
    replace(/%5B/gi, '[').
    replace(/%5D/gi, ']');
}

/**
 * Build a URL by appending params to the end
 *
 * @param {string} url The base of the url (e.g., http://www.google.com)
 * @param {object} [params] The params to be appended
 * @returns {string} The formatted url
 */
module.exports = function buildURL(url, params, paramsSerializer) {
  /*eslint no-param-reassign:0*/
  if (!params) {
    return url;
  }

  var serializedParams;
  if (paramsSerializer) {
    serializedParams = paramsSerializer(params);
  } else if (utils.isURLSearchParams(params)) {
    serializedParams = params.toString();
  } else {
    var parts = [];

    utils.forEach(params, function serialize(val, key) {
      if (val === null || typeof val === 'undefined') {
        return;
      }

      if (utils.isArray(val)) {
        key = key + '[]';
      } else {
        val = [val];
      }

      utils.forEach(val, function parseValue(v) {
        if (utils.isDate(v)) {
          v = v.toISOString();
        } else if (utils.isObject(v)) {
          v = JSON.stringify(v);
        }
        parts.push(encode(key) + '=' + encode(v));
      });
    });

    serializedParams = parts.join('&amp;');
  }

  if (serializedParams) {
    var hashmarkIndex = url.indexOf('#');
    if (hashmarkIndex !== -1) {
      url = url.slice(0, hashmarkIndex);
    }

    url += (url.indexOf('?') === -1 ? '?' : '&amp;') + serializedParams;
  }

  return url;
};


/***/ }),

/***/ "./node_modules/axios/lib/helpers/combineURLs.js":
/*!*******************************************************!*\
  !*** ./node_modules/axios/lib/helpers/combineURLs.js ***!
  \*******************************************************/
/***/ ((module) =&gt; {

"use strict";


/**
 * Creates a new URL by combining the specified URLs
 *
 * @param {string} baseURL The base URL
 * @param {string} relativeURL The relative URL
 * @returns {string} The combined URL
 */
module.exports = function combineURLs(baseURL, relativeURL) {
  return relativeURL
    ? baseURL.replace(/\/+$/, '') + '/' + relativeURL.replace(/^\/+/, '')
    : baseURL;
};


/***/ }),

/***/ "./node_modules/axios/lib/helpers/cookies.js":
/*!***************************************************!*\
  !*** ./node_modules/axios/lib/helpers/cookies.js ***!
  \***************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./../utils */ "./node_modules/axios/lib/utils.js");

module.exports = (
  utils.isStandardBrowserEnv() ?

  // Standard browser envs support document.cookie
    (function standardBrowserEnv() {
      return {
        write: function write(name, value, expires, path, domain, secure) {
          var cookie = [];
          cookie.push(name + '=' + encodeURIComponent(value));

          if (utils.isNumber(expires)) {
            cookie.push('expires=' + new Date(expires).toGMTString());
          }

          if (utils.isString(path)) {
            cookie.push('path=' + path);
          }

          if (utils.isString(domain)) {
            cookie.push('domain=' + domain);
          }

          if (secure === true) {
            cookie.push('secure');
          }

          document.cookie = cookie.join('; ');
        },

        read: function read(name) {
          var match = document.cookie.match(new RegExp('(^|;\\s*)(' + name + ')=([^;]*)'));
          return (match ? decodeURIComponent(match[3]) : null);
        },

        remove: function remove(name) {
          this.write(name, '', Date.now() - 86400000);
        }
      };
    })() :

  // Non standard browser env (web workers, react-native) lack needed support.
    (function nonStandardBrowserEnv() {
      return {
        write: function write() {},
        read: function read() { return null; },
        remove: function remove() {}
      };
    })()
);


/***/ }),

/***/ "./node_modules/axios/lib/helpers/isAbsoluteURL.js":
/*!*********************************************************!*\
  !*** ./node_modules/axios/lib/helpers/isAbsoluteURL.js ***!
  \*********************************************************/
/***/ ((module) =&gt; {

"use strict";


/**
 * Determines whether the specified URL is absolute
 *
 * @param {string} url The URL to test
 * @returns {boolean} True if the specified URL is absolute, otherwise false
 */
module.exports = function isAbsoluteURL(url) {
  // A URL is considered absolute if it begins with "&lt;scheme&gt;://" or "//" (protocol-relative URL).
  // RFC 3986 defines scheme name as a sequence of characters beginning with a letter and followed
  // by any combination of letters, digits, plus, period, or hyphen.
  return /^([a-z][a-z\d+\-.]*:)?\/\//i.test(url);
};


/***/ }),

/***/ "./node_modules/axios/lib/helpers/isAxiosError.js":
/*!********************************************************!*\
  !*** ./node_modules/axios/lib/helpers/isAxiosError.js ***!
  \********************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./../utils */ "./node_modules/axios/lib/utils.js");

/**
 * Determines whether the payload is an error thrown by Axios
 *
 * @param {*} payload The value to test
 * @returns {boolean} True if the payload is an error thrown by Axios, otherwise false
 */
module.exports = function isAxiosError(payload) {
  return utils.isObject(payload) &amp;&amp; (payload.isAxiosError === true);
};


/***/ }),

/***/ "./node_modules/axios/lib/helpers/isURLSameOrigin.js":
/*!***********************************************************!*\
  !*** ./node_modules/axios/lib/helpers/isURLSameOrigin.js ***!
  \***********************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./../utils */ "./node_modules/axios/lib/utils.js");

module.exports = (
  utils.isStandardBrowserEnv() ?

  // Standard browser envs have full support of the APIs needed to test
  // whether the request URL is of the same origin as current location.
    (function standardBrowserEnv() {
      var msie = /(msie|trident)/i.test(navigator.userAgent);
      var urlParsingNode = document.createElement('a');
      var originURL;

      /**
    * Parse a URL to discover it's components
    *
    * @param {String} url The URL to be parsed
    * @returns {Object}
    */
      function resolveURL(url) {
        var href = url;

        if (msie) {
        // IE needs attribute set twice to normalize properties
          urlParsingNode.setAttribute('href', href);
          href = urlParsingNode.href;
        }

        urlParsingNode.setAttribute('href', href);

        // urlParsingNode provides the UrlUtils interface - http://url.spec.whatwg.org/#urlutils
        return {
          href: urlParsingNode.href,
          protocol: urlParsingNode.protocol ? urlParsingNode.protocol.replace(/:$/, '') : '',
          host: urlParsingNode.host,
          search: urlParsingNode.search ? urlParsingNode.search.replace(/^\?/, '') : '',
          hash: urlParsingNode.hash ? urlParsingNode.hash.replace(/^#/, '') : '',
          hostname: urlParsingNode.hostname,
          port: urlParsingNode.port,
          pathname: (urlParsingNode.pathname.charAt(0) === '/') ?
            urlParsingNode.pathname :
            '/' + urlParsingNode.pathname
        };
      }

      originURL = resolveURL(window.location.href);

      /**
    * Determine if a URL shares the same origin as the current location
    *
    * @param {String} requestURL The URL to test
    * @returns {boolean} True if URL shares the same origin, otherwise false
    */
      return function isURLSameOrigin(requestURL) {
        var parsed = (utils.isString(requestURL)) ? resolveURL(requestURL) : requestURL;
        return (parsed.protocol === originURL.protocol &amp;&amp;
            parsed.host === originURL.host);
      };
    })() :

  // Non standard browser envs (web workers, react-native) lack needed support.
    (function nonStandardBrowserEnv() {
      return function isURLSameOrigin() {
        return true;
      };
    })()
);


/***/ }),

/***/ "./node_modules/axios/lib/helpers/normalizeHeaderName.js":
/*!***************************************************************!*\
  !*** ./node_modules/axios/lib/helpers/normalizeHeaderName.js ***!
  \***************************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ../utils */ "./node_modules/axios/lib/utils.js");

module.exports = function normalizeHeaderName(headers, normalizedName) {
  utils.forEach(headers, function processHeader(value, name) {
    if (name !== normalizedName &amp;&amp; name.toUpperCase() === normalizedName.toUpperCase()) {
      headers[normalizedName] = value;
      delete headers[name];
    }
  });
};


/***/ }),

/***/ "./node_modules/axios/lib/helpers/parseHeaders.js":
/*!********************************************************!*\
  !*** ./node_modules/axios/lib/helpers/parseHeaders.js ***!
  \********************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var utils = __webpack_require__(/*! ./../utils */ "./node_modules/axios/lib/utils.js");

// Headers whose duplicates are ignored by node
// c.f. https://nodejs.org/api/http.html#http_message_headers
var ignoreDuplicateOf = [
  'age', 'authorization', 'content-length', 'content-type', 'etag',
  'expires', 'from', 'host', 'if-modified-since', 'if-unmodified-since',
  'last-modified', 'location', 'max-forwards', 'proxy-authorization',
  'referer', 'retry-after', 'user-agent'
];

/**
 * Parse headers into an object
 *
 * ```
 * Date: Wed, 27 Aug 2014 08:58:49 GMT
 * Content-Type: application/json
 * Connection: keep-alive
 * Transfer-Encoding: chunked
 * ```
 *
 * @param {String} headers Headers needing to be parsed
 * @returns {Object} Headers parsed into an object
 */
module.exports = function parseHeaders(headers) {
  var parsed = {};
  var key;
  var val;
  var i;

  if (!headers) { return parsed; }

  utils.forEach(headers.split('\n'), function parser(line) {
    i = line.indexOf(':');
    key = utils.trim(line.substr(0, i)).toLowerCase();
    val = utils.trim(line.substr(i + 1));

    if (key) {
      if (parsed[key] &amp;&amp; ignoreDuplicateOf.indexOf(key) &gt;= 0) {
        return;
      }
      if (key === 'set-cookie') {
        parsed[key] = (parsed[key] ? parsed[key] : []).concat([val]);
      } else {
        parsed[key] = parsed[key] ? parsed[key] + ', ' + val : val;
      }
    }
  });

  return parsed;
};


/***/ }),

/***/ "./node_modules/axios/lib/helpers/spread.js":
/*!**************************************************!*\
  !*** ./node_modules/axios/lib/helpers/spread.js ***!
  \**************************************************/
/***/ ((module) =&gt; {

"use strict";


/**
 * Syntactic sugar for invoking a function and expanding an array for arguments.
 *
 * Common use case would be to use `Function.prototype.apply`.
 *
 *  ```js
 *  function f(x, y, z) {}
 *  var args = [1, 2, 3];
 *  f.apply(null, args);
 *  ```
 *
 * With `spread` this example can be re-written.
 *
 *  ```js
 *  spread(function(x, y, z) {})([1, 2, 3]);
 *  ```
 *
 * @param {Function} callback
 * @returns {Function}
 */
module.exports = function spread(callback) {
  return function wrap(arr) {
    return callback.apply(null, arr);
  };
};


/***/ }),

/***/ "./node_modules/axios/lib/helpers/validator.js":
/*!*****************************************************!*\
  !*** ./node_modules/axios/lib/helpers/validator.js ***!
  \*****************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var VERSION = (__webpack_require__(/*! ../env/data */ "./node_modules/axios/lib/env/data.js").version);

var validators = {};

// eslint-disable-next-line func-names
['object', 'boolean', 'number', 'function', 'string', 'symbol'].forEach(function(type, i) {
  validators[type] = function validator(thing) {
    return typeof thing === type || 'a' + (i &lt; 1 ? 'n ' : ' ') + type;
  };
});

var deprecatedWarnings = {};

/**
 * Transitional option validator
 * @param {function|boolean?} validator - set to false if the transitional option has been removed
 * @param {string?} version - deprecated version / removed since version
 * @param {string?} message - some message with additional info
 * @returns {function}
 */
validators.transitional = function transitional(validator, version, message) {
  function formatMessage(opt, desc) {
    return '[Axios v' + VERSION + '] Transitional option \'' + opt + '\'' + desc + (message ? '. ' + message : '');
  }

  // eslint-disable-next-line func-names
  return function(value, opt, opts) {
    if (validator === false) {
      throw new Error(formatMessage(opt, ' has been removed' + (version ? ' in ' + version : '')));
    }

    if (version &amp;&amp; !deprecatedWarnings[opt]) {
      deprecatedWarnings[opt] = true;
      // eslint-disable-next-line no-console
      console.warn(
        formatMessage(
          opt,
          ' has been deprecated since v' + version + ' and will be removed in the near future'
        )
      );
    }

    return validator ? validator(value, opt, opts) : true;
  };
};

/**
 * Assert object's properties type
 * @param {object} options
 * @param {object} schema
 * @param {boolean?} allowUnknown
 */

function assertOptions(options, schema, allowUnknown) {
  if (typeof options !== 'object') {
    throw new TypeError('options must be an object');
  }
  var keys = Object.keys(options);
  var i = keys.length;
  while (i-- &gt; 0) {
    var opt = keys[i];
    var validator = schema[opt];
    if (validator) {
      var value = options[opt];
      var result = value === undefined || validator(value, opt, options);
      if (result !== true) {
        throw new TypeError('option ' + opt + ' must be ' + result);
      }
      continue;
    }
    if (allowUnknown !== true) {
      throw Error('Unknown option ' + opt);
    }
  }
}

module.exports = {
  assertOptions: assertOptions,
  validators: validators
};


/***/ }),

/***/ "./node_modules/axios/lib/utils.js":
/*!*****************************************!*\
  !*** ./node_modules/axios/lib/utils.js ***!
  \*****************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var bind = __webpack_require__(/*! ./helpers/bind */ "./node_modules/axios/lib/helpers/bind.js");

// utils is a library of generic helper functions non-specific to axios

var toString = Object.prototype.toString;

/**
 * Determine if a value is an Array
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is an Array, otherwise false
 */
function isArray(val) {
  return Array.isArray(val);
}

/**
 * Determine if a value is undefined
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if the value is undefined, otherwise false
 */
function isUndefined(val) {
  return typeof val === 'undefined';
}

/**
 * Determine if a value is a Buffer
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is a Buffer, otherwise false
 */
function isBuffer(val) {
  return val !== null &amp;&amp; !isUndefined(val) &amp;&amp; val.constructor !== null &amp;&amp; !isUndefined(val.constructor)
    &amp;&amp; typeof val.constructor.isBuffer === 'function' &amp;&amp; val.constructor.isBuffer(val);
}

/**
 * Determine if a value is an ArrayBuffer
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is an ArrayBuffer, otherwise false
 */
function isArrayBuffer(val) {
  return toString.call(val) === '[object ArrayBuffer]';
}

/**
 * Determine if a value is a FormData
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is an FormData, otherwise false
 */
function isFormData(val) {
  return toString.call(val) === '[object FormData]';
}

/**
 * Determine if a value is a view on an ArrayBuffer
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is a view on an ArrayBuffer, otherwise false
 */
function isArrayBufferView(val) {
  var result;
  if ((typeof ArrayBuffer !== 'undefined') &amp;&amp; (ArrayBuffer.isView)) {
    result = ArrayBuffer.isView(val);
  } else {
    result = (val) &amp;&amp; (val.buffer) &amp;&amp; (isArrayBuffer(val.buffer));
  }
  return result;
}

/**
 * Determine if a value is a String
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is a String, otherwise false
 */
function isString(val) {
  return typeof val === 'string';
}

/**
 * Determine if a value is a Number
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is a Number, otherwise false
 */
function isNumber(val) {
  return typeof val === 'number';
}

/**
 * Determine if a value is an Object
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is an Object, otherwise false
 */
function isObject(val) {
  return val !== null &amp;&amp; typeof val === 'object';
}

/**
 * Determine if a value is a plain Object
 *
 * @param {Object} val The value to test
 * @return {boolean} True if value is a plain Object, otherwise false
 */
function isPlainObject(val) {
  if (toString.call(val) !== '[object Object]') {
    return false;
  }

  var prototype = Object.getPrototypeOf(val);
  return prototype === null || prototype === Object.prototype;
}

/**
 * Determine if a value is a Date
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is a Date, otherwise false
 */
function isDate(val) {
  return toString.call(val) === '[object Date]';
}

/**
 * Determine if a value is a File
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is a File, otherwise false
 */
function isFile(val) {
  return toString.call(val) === '[object File]';
}

/**
 * Determine if a value is a Blob
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is a Blob, otherwise false
 */
function isBlob(val) {
  return toString.call(val) === '[object Blob]';
}

/**
 * Determine if a value is a Function
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is a Function, otherwise false
 */
function isFunction(val) {
  return toString.call(val) === '[object Function]';
}

/**
 * Determine if a value is a Stream
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is a Stream, otherwise false
 */
function isStream(val) {
  return isObject(val) &amp;&amp; isFunction(val.pipe);
}

/**
 * Determine if a value is a URLSearchParams object
 *
 * @param {Object} val The value to test
 * @returns {boolean} True if value is a URLSearchParams object, otherwise false
 */
function isURLSearchParams(val) {
  return toString.call(val) === '[object URLSearchParams]';
}

/**
 * Trim excess whitespace off the beginning and end of a string
 *
 * @param {String} str The String to trim
 * @returns {String} The String freed of excess whitespace
 */
function trim(str) {
  return str.trim ? str.trim() : str.replace(/^\s+|\s+$/g, '');
}

/**
 * Determine if we're running in a standard browser environment
 *
 * This allows axios to run in a web worker, and react-native.
 * Both environments support XMLHttpRequest, but not fully standard globals.
 *
 * web workers:
 *  typeof window -&gt; undefined
 *  typeof document -&gt; undefined
 *
 * react-native:
 *  navigator.product -&gt; 'ReactNative'
 * nativescript
 *  navigator.product -&gt; 'NativeScript' or 'NS'
 */
function isStandardBrowserEnv() {
  if (typeof navigator !== 'undefined' &amp;&amp; (navigator.product === 'ReactNative' ||
                                           navigator.product === 'NativeScript' ||
                                           navigator.product === 'NS')) {
    return false;
  }
  return (
    typeof window !== 'undefined' &amp;&amp;
    typeof document !== 'undefined'
  );
}

/**
 * Iterate over an Array or an Object invoking a function for each item.
 *
 * If `obj` is an Array callback will be called passing
 * the value, index, and complete array for each item.
 *
 * If 'obj' is an Object callback will be called passing
 * the value, key, and complete object for each property.
 *
 * @param {Object|Array} obj The object to iterate
 * @param {Function} fn The callback to invoke for each item
 */
function forEach(obj, fn) {
  // Don't bother if no value provided
  if (obj === null || typeof obj === 'undefined') {
    return;
  }

  // Force an array if not already something iterable
  if (typeof obj !== 'object') {
    /*eslint no-param-reassign:0*/
    obj = [obj];
  }

  if (isArray(obj)) {
    // Iterate over array values
    for (var i = 0, l = obj.length; i &lt; l; i++) {
      fn.call(null, obj[i], i, obj);
    }
  } else {
    // Iterate over object keys
    for (var key in obj) {
      if (Object.prototype.hasOwnProperty.call(obj, key)) {
        fn.call(null, obj[key], key, obj);
      }
    }
  }
}

/**
 * Accepts varargs expecting each argument to be an object, then
 * immutably merges the properties of each object and returns result.
 *
 * When multiple objects contain the same key the later object in
 * the arguments list will take precedence.
 *
 * Example:
 *
 * ```js
 * var result = merge({foo: 123}, {foo: 456});
 * console.log(result.foo); // outputs 456
 * ```
 *
 * @param {Object} obj1 Object to merge
 * @returns {Object} Result of all merge properties
 */
function merge(/* obj1, obj2, obj3, ... */) {
  var result = {};
  function assignValue(val, key) {
    if (isPlainObject(result[key]) &amp;&amp; isPlainObject(val)) {
      result[key] = merge(result[key], val);
    } else if (isPlainObject(val)) {
      result[key] = merge({}, val);
    } else if (isArray(val)) {
      result[key] = val.slice();
    } else {
      result[key] = val;
    }
  }

  for (var i = 0, l = arguments.length; i &lt; l; i++) {
    forEach(arguments[i], assignValue);
  }
  return result;
}

/**
 * Extends object a by mutably adding to it the properties of object b.
 *
 * @param {Object} a The object to be extended
 * @param {Object} b The object to copy properties from
 * @param {Object} thisArg The object to bind function to
 * @return {Object} The resulting value of object a
 */
function extend(a, b, thisArg) {
  forEach(b, function assignValue(val, key) {
    if (thisArg &amp;&amp; typeof val === 'function') {
      a[key] = bind(val, thisArg);
    } else {
      a[key] = val;
    }
  });
  return a;
}

/**
 * Remove byte order marker. This catches EF BB BF (the UTF-8 BOM)
 *
 * @param {string} content with BOM
 * @return {string} content value without BOM
 */
function stripBOM(content) {
  if (content.charCodeAt(0) === 0xFEFF) {
    content = content.slice(1);
  }
  return content;
}

module.exports = {
  isArray: isArray,
  isArrayBuffer: isArrayBuffer,
  isBuffer: isBuffer,
  isFormData: isFormData,
  isArrayBufferView: isArrayBufferView,
  isString: isString,
  isNumber: isNumber,
  isObject: isObject,
  isPlainObject: isPlainObject,
  isUndefined: isUndefined,
  isDate: isDate,
  isFile: isFile,
  isBlob: isBlob,
  isFunction: isFunction,
  isStream: isStream,
  isURLSearchParams: isURLSearchParams,
  isStandardBrowserEnv: isStandardBrowserEnv,
  forEach: forEach,
  merge: merge,
  extend: extend,
  trim: trim,
  stripBOM: stripBOM
};


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/App.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***********************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/App.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***********************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _components_Header_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./components/Header.vue */ "./resources/js/components/Header.vue");
/* harmony import */ var _components_Account_Modals_ChatBox__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./components/Account/Modals/ChatBox */ "./resources/js/components/Account/Modals/ChatBox.vue");
/* harmony import */ var _components_Footer_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./components/Footer.vue */ "./resources/js/components/Footer.vue");
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }




/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: 'App',
  components: {
    Header: _components_Header_vue__WEBPACK_IMPORTED_MODULE_0__["default"],
    ChatBox: _components_Account_Modals_ChatBox__WEBPACK_IMPORTED_MODULE_1__["default"],
    Footer: _components_Footer_vue__WEBPACK_IMPORTED_MODULE_2__["default"]
  },
  data: function data() {
    return {
      unread_messages: [],
      isMessageBoxOpened: false,
      unread_msg_count: 0,
      last_unread_msg_count: 0,
      musicSrc: './files/audio/notification.mp3',
      chatUserId: null
    };
  },
  methods: {
    playSound: function playSound() {
      this.$emit('fetch-chat-users');
      var audio = new Audio(this.musicSrc);
      audio.play();
    },
    fetchUnreadMessages: function fetchUnreadMessages() {
      var _this = this;
      if (this.isLoggedIn) {
        this.isFetchingUsers = true;
        var url = '/api/messages/unread_messages';
        this.$http.get(url).then(function (_ref) {
          var data = _ref.data;
          _this.unread_msg_count = 0;
          _this.unread_messages = data.result;
          data.result.forEach(function (item) {
            _this.unread_msg_count += item.length;
          });
          if (_this.unread_msg_count &gt; _this.last_unread_msg_count) {
            _this.playSound();
          }
          _this.last_unread_msg_count = _this.unread_msg_count;
        })["catch"](function (_ref2) {
          var data = _ref2.response.data;
          console.log(data);
          _this.users = [];
        })["finally"](function () {
          _this.isFetchingUsers = false;
        });
      }
    },
    openMessagesModal: function openMessagesModal(messageUser) {
      if (!this.isLoggedIn) {
        this.$swal.fire({
          title: "Mesaj gÃ¶nderebilmek iÃ§in giriÅŸ yapmanÄ±z gerekmektedir.",
          icon: "warning",
          buttons: true,
          dangerMode: true
        });
        return false;
      }
      if (this.user.type === 'teacher' &amp;&amp; messageUser.type === 'teacher') {
        this.$swal.fire({
          title: "Bir Ã¶ÄŸretmene mesaj gÃ¶nderemezsiniz.",
          icon: "warning",
          buttons: true,
          dangerMode: true
        });
        return false;
      }
      this.chatUserId = messageUser.id;
      this.$bvModal.show('mainChatModal');
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_3__.mapGetters)(['isLoggedIn', 'user']))
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/About.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/About.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  methods: {
    geri: function geri() {
      this.$router.push('/');
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!********************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \********************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var _Modals_CreateOrEditCustomPaymentUrl_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./Modals/CreateOrEditCustomPaymentUrl.vue */ "./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }









/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "CustomPaymentUrls",
  components: {
    CreateOrEditCustomPaymentUrl: _Modals_CreateOrEditCustomPaymentUrl_vue__WEBPACK_IMPORTED_MODULE_6__["default"],
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default())
  },
  data: function data() {
    return {
      filter: {
        status: null
      },
      newCustomPaymentUrlModalId: 'modal-new-custom-payment-url',
      isFetching: false,
      rows: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      perPageOptions: [10, 25, 50, 100],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      paymentUrlId: null,
      statusVariant: {
        'pending': 'outline-primary',
        'paid': 'outline-success',
        'canceled': 'outline-secondary'
      }
    };
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/users/' + this.user.slug + '/custom_payment_urls?' + 'page=' + this.metaData.currentPage + '&amp;status=' + this.filter.status + '&amp;perPage=' + this.metaData.perPage;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this.rows = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    showNewPaymentUrlModal: function showNewPaymentUrlModal() {
      this.$bvModal.show(this.newCustomPaymentUrlModalId);
    },
    updateUrls: function updateUrls(data) {
      alert('urls are updating');
      this.rows = this.rows.map(function (item) {
        if (item.id === data.id) {
          item.payment_url = data.payment_url;
        }
        return item;
      });
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    'filter.status': function filterStatus() {
      this.fetch();
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_21__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'slug',
        label: 'Ã–deme Adresi'
      }, {
        key: 'payer',
        label: 'Ã–deme Yapan'
      }, {
        key: 'amount',
        label: 'Tutar'
      }, {
        key: 'created_at',
        label: 'OluÅŸturulma Tarihi'
      }, {
        key: 'view_counter',
        label: 'GÃ¶sterim'
      }, {
        key: 'status',
        label: 'StatÃ¼'
      }];
    },
    status: function status() {
      return {
        'pending': 'Beklemede',
        'paid': 'Ã–dendi',
        'cancelled': 'Ä°ptal Edildi'
      };
    },
    statusOptions: function statusOptions() {
      return [{
        id: 'pending',
        name: 'Beklemede'
      }, {
        id: 'paid',
        name: 'Ã–dendi'
      }, {
        id: 'cancelled',
        name: 'Ä°ptal Edildi'
      }];
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var _Account_Modals_TeacherLessonGradeMatching__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../Account/Modals/TeacherLessonGradeMatching */ "./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }






/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "EditProfile",
  components: {
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    TeacherLessonGradeMatching: _Account_Modals_TeacherLessonGradeMatching__WEBPACK_IMPORTED_MODULE_4__["default"]
  },
  data: function data() {
    return {
      uploading: false,
      croppa: {
        portrait: {}
      },
      portraitCroppa: {},
      cropBlob: null,
      lessonId: null,
      userData: {
        'id': null,
        'type': '',
        'name': '',
        'email': '',
        'mobile': '',
        'photo_portrait': '',
        'grade_id': null
      },
      currentLesson: null,
      selectedLessons: [],
      lessons: {},
      currentGrade: null,
      selectedGrades: [],
      grades: {},
      biographyContent: "&lt;h1&gt;Merhaba&lt;/h1&gt;&lt;p&gt;Bu alana sizi tanÄ±tan ve Ã¶ÄŸrencilerin okuyacaÄŸÄ± bir profil yazÄ±sÄ± yazÄ±nÄ±z.&lt;/p&gt;",
      errors: {
        basic: {
          name: '',
          email: '',
          phone: '',
          grade_id: ''
        },
        iban: {
          bank_name: '',
          iban: ''
        },
        password_change: {
          current_password: '',
          new_password: '',
          confirm_password: ''
        },
        others: {
          freeze_reason: ''
        }
      },
      others: {
        freeze_reason: ''
      },
      posting: {
        basic: false,
        biography: false,
        iban: false,
        static_link: false,
        password_change: false,
        other: false
      },
      message: '',
      saved: false,
      canSubmit: {
        basic: false,
        biography: false,
        iban: false,
        static_link: false,
        password_change: false,
        other: false
      },
      teacherLessonGradeMatchingModalId: 'modal-teacher-lesson-grade-matching',
      ibanData: {
        bank_name: '',
        iban: '',
        confirm: false
      },
      passwordChangeData: {
        current_password: '',
        new_password: '',
        confirm_password: ''
      },
      static_link_confirm: false,
      static_link: '',
      fetchingUser: false,
      teacherLessons: [],
      lessonsDiff: [],
      routeId: null,
      fetchId: null,
      fetchSlug: null
    };
  },
  methods: {
    updateLessons: function updateLessons() {
      this.fetchLessons();
      this.lessonsDiff = [];
    },
    uploadPhoto: function uploadPhoto(type) {
      var _this = this;
      if (!this.croppa[type].hasImage()) {
        this.$swal.fire({
          title: 'FotoÄŸraf SeÃ§iniz!',
          html: 'YÃ¼klemek iÃ§in bir fotoÄŸraf seÃ§iniz.',
          icon: 'error'
        });
        return false;
      }
      this.uploading = true;
      this.croppa[type].generateBlob(function (blob) {
        var fd = new FormData();
        fd.append('file', blob, type + '_photo.jpg');
        fd.append('photo_type', type);
        _this.$http.post('/api/users/' + _this.fetchId + '/photo', fd, {
          headers: {
            "Content-Type": "multipart/form-data"
          }
        }).then(function (response) {
          _this.$swal.fire({
            title: 'YÃ¼klendi!',
            html: 'FotoÄŸraf kaydedildi',
            icon: 'success'
          }).then(function () {
            window.location.reload();
          });
        })["finally"](function () {
          _this.uploading = false;
        });
      }, 'image/jpeg', 1.0);
    },
    uploadCroppedImage: function uploadCroppedImage(type) {
      this.croppa[type].generateBlob(function (blob) {}, 'image/jpeg', 1);
    },
    onFileTypeMismatch: function onFileTypeMismatch(file) {
      alert('Sadece jpg ve png dosyalarÄ±nÄ± yÃ¼kleyebilirsiniz.');
    },
    onFileSizeExceed: function onFileSizeExceed(file) {
      alert('10 MBtan bÃ¼yÃ¼k dosya yÃ¼klenemez.');
    },
    updateUser: function updateUser() {
      var _this2 = this;
      this.posting.basic = true;
      this.$http.put('/api/users/' + this.fetchSlug, this.userData).then(function (response) {
        _this2.userData = response.data.data;
        _this2.fetchSlug = _this2.userData.slug;
        if (_this2.userData.id === _this2.user.id) {
          _this2.$store.dispatch('setUser', _this2.userData);
        }
        _this2.$swal.fire({
          title: 'Kaydedildi!',
          html: '&lt;span&gt;Bilgileriniz kaydedildi.&lt;/span&gt;',
          icon: 'success'
        });
      })["catch"](function (_ref) {
        var data = _ref.response.data;
        _this2.errors.basic = data.errors;
      })["finally"](function () {
        _this2.posting.basic = false;
        _this2.canSubmit.basic = true;
      });
    },
    saveBiography: function saveBiography() {
      var _this3 = this;
      this.posting.biography = true;
      this.$http.post('/api/users/' + this.fetchSlug + '/biography', {
        'content': this.biographyContent
      }).then(function (response) {
        _this3.$swal.fire({
          title: 'Kaydedildi!',
          html: '&lt;span&gt;Biyografi kaydedildi.&lt;/span&gt;',
          icon: 'success'
        });
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        _this3.errors.biography = data.errors;
      })["finally"](function () {
        _this3.posting.biography = false;
        _this3.canSubmit.biography = true;
      });
    },
    saveBankAccount: function saveBankAccount() {
      var _this4 = this;
      this.posting.iban = true;
      this.ibanData.iban = 'TR'.concat(this.ibanData.iban);
      this.$http.post('/api/users/' + this.fetchSlug + '/bank_account', this.ibanData).then(function (response) {
        _this4.$swal.fire({
          title: 'Kaydedildi!',
          html: '&lt;span&gt;Iban bilgisi kaydedildi.&lt;/span&gt;',
          icon: 'success'
        });
        _this4.ibanData.confirm = false;
        _this4.posting.iban = false;
      })["catch"](function (_ref3) {
        var data = _ref3.response.data;
        _this4.errors.iban = data.errors;
      })["finally"](function () {
        _this4.posting.iban = false;
      });
    },
    freezeMyAccount: function freezeMyAccount() {
      var _this5 = this;
      this.posting.other = true;
      this.$http.post('/api/users/' + this.fetchSlug + '/freeze_account', {
        'reason': this.others.freeze_reason
      }).then(function (response) {
        _this5.$swal.fire({
          title: 'HesabÄ±nÄ±z Silindi!',
          html: '&lt;span&gt;HesabÄ±nÄ±z Silindi!&lt;/span&gt;',
          icon: 'success'
        });
        //logout
        _this5.logout();
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        _this5.errors.freeze_reason = data.freeze_reason;
      })["finally"](function () {
        _this5.posting.others = false;
      });
    },
    saveStaticLink: function saveStaticLink() {
      var _this6 = this;
      this.posting.static_link = true;
      this.$http.post('/api/users/' + this.fetchSlug + '/static_link', {
        'static_link': this.static_link
      }).then(function (response) {
        _this6.$swal.fire({
          title: 'Kaydedildi!',
          html: '&lt;span&gt;Ders linki kaydedildi.&lt;/span&gt;',
          icon: 'success'
        });
        _this6.static_link_confirm = false;
        _this6.posting.static_link = false;
      })["catch"](function (_ref5) {
        var data = _ref5.response.data;
        _this6.errors.static_link = data.errors;
      })["finally"](function () {
        _this6.posting.static_link = false;
      });
    },
    passwordChange: function passwordChange() {
      var _this7 = this;
      this.posting.password_change = true;
      this.$http.post('/api/users/' + this.fetchSlug + '/password_change', this.passwordChangeData).then(function (response) {
        _this7.$swal.fire({
          title: 'Kaydedildi!',
          html: '&lt;span&gt;' + response.data.message + '&lt;/span&gt;',
          icon: 'success'
        });
        _this7.passwordChangeData = {
          current_password: '',
          new_password: '',
          confirm_password: ''
        };
      })["catch"](function (_ref6) {
        var data = _ref6.response.data;
        _this7.$swal.fire({
          title: 'Hata!',
          html: '&lt;span&gt;' + data.message + '&lt;/span&gt;',
          icon: 'error'
        });
      })["finally"](function () {
        _this7.posting.password_change = false;
        _this7.canSubmit.password_change = true;
      });
    },
    fetchUser: function fetchUser() {
      var _this8 = this;
      this.fetchingUser = true;
      this.$http.get('/api/users/' + this.fetchId).then(function (response) {
        _this8.userData = response.data.data;
        _this8.fetchSlug = _this8.userData.slug;
        //this.$store.dispatch('setUser', this.userData);

        // check if photo_portrait is includes icon/user
        if (_this8.userData.photo_portrait.includes('icon/user')) {
          _this8.userData.photo_portrait = {};
        }
        if (!_this8.userData.photo_portrait.length) {
          _this8.$swal.fire({
            title: 'Profil FotoÄŸrafÄ±nÄ±z',
            html: 'Profilinizi doldurmadan Ã¶nce bir fotoÄŸraf yÃ¼klemelisiniz.&lt;br&gt;' + 'Sol taraftataki gri alana tÄ±klayÄ±n ve fotoÄŸrafÄ±nÄ±zÄ± seÃ§in. ArdÄ±ndan Ã§erÃ§eveye portrenizi denk getirin ve kaydederek devam edin.',
            icon: 'info'
          });
        }
        _this8.fetchBiography();
        if (_this8.userData.type === 'teacher') {
          _this8.fetchBankAccount();
          _this8.fetchStaticLink();
          _this8.fetchLessons();
        }
        _this8.fetchGrades();
      })["catch"](function (_ref7) {
        var data = _ref7.response.data;
        _this8.errors.basic = data.errors;
      })["finally"](function () {
        _this8.fetchingUser = false;
      });
    },
    fetchBiography: function fetchBiography() {
      var _this9 = this;
      this.$http.get('/api/users/' + this.fetchSlug + '/biography').then(function (response) {
        if (response.data.data.content) {
          _this9.biographyContent = response.data.data.content;
          _this9.canSubmit.biography = false;
        }
      });
    },
    fetchBankAccount: function fetchBankAccount() {
      var _this10 = this;
      this.$http.get('/api/users/' + this.fetchSlug + '/bank_account').then(function (response) {
        if (response.data) {
          _this10.ibanData = response.data;
          //remove first two characters from iban
          _this10.ibanData.iban = _this10.ibanData.iban.substring(2);
        }
      });
    },
    fetchStaticLink: function fetchStaticLink() {
      var _this11 = this;
      this.$http.get('/api/users/' + this.fetchSlug + '/static_link').then(function (response) {
        if (response.data) {
          {}
          _this11.static_link = response.data.static_link;
        }
      });
    },
    fetchGrades: function fetchGrades() {
      var _this12 = this;
      this.$http.get('/api/grades').then(function (response) {
        _this12.grades = response.data.data;
        _this12.grades = _this12.grades.filter(function (grade) {
          return grade.status === 1;
        });
        _this12.fetchTeacherLessons();
      });
    },
    fetchLessons: function fetchLessons() {
      var _this13 = this;
      this.$http.get('/api/lessons').then(function (response) {
        _this13.lessons = response.data.data;
        //remove lessons that are status is not active
        _this13.lessons = _this13.lessons.filter(function (lesson) {
          return lesson.status === 1;
        });
        _this13.fetchPricedLessons();
      });
    },
    fetchPricedLessons: function fetchPricedLessons() {
      var _this14 = this;
      var url = '/api/users/' + this.fetchSlug + '/lesson_grade_prices';
      this.$http.get(url).then(function (_ref8) {
        var data = _ref8.data;
        _this14.setPricedLessons(data);
      })["catch"](function (_ref9) {
        var data = _ref9.response.data;
        console.log(data);
      })["finally"](function (_ref10) {
        var data = _ref10.data;
        console.log(data);
      });
    },
    setPricedLessons: function setPricedLessons(data) {
      //count lessons by grade
    },
    showTeacherLessonGradeMatchingModal: function showTeacherLessonGradeMatchingModal(id) {
      this.lessonId = id;
      this.$bvModal.show(this.teacherLessonGradeMatchingModalId);
    },
    createTeacherLessonData: function createTeacherLessonData(data) {
      this.lessons.push(data);
    },
    updateTeacherLessonData: function updateTeacherLessonData(data) {
      this.fetchLessons();
    },
    checkName: function checkName() {
      if (/[^a-zA-Z ]/.test(this.userData.name)) {
        this.errors.basic.name = true;
      } else {
        if (this.userData.name.trim().split(' ').length &gt; 1 &amp;&amp; this.userData.name.trim().split(' ').length &lt; 5) {
          this.errors.basic.name = false;
        } else {
          this.errors.basic.name = true;
        }
      }
    },
    checkEmail: function checkEmail() {
      if (this.input.email.length &gt; 0) {
        if (/^\w+([\.-]?\w+)*@\w+([\.-]?\w+)*(\.\w{2,3})+$/.test(this.input.email)) {
          this.errors.email = false;
          this.email_host = 'http://gmail.com';
        } else {
          this.errors.email = true;
        }
      } else {
        this.errors.email = false;
      }
    },
    currentGradeUpdate: function currentGradeUpdate(id) {
      if (this.currentGrade == id) {
        this.currentGrade = null;
      } else {
        this.currentGrade = id;
      }
    },
    currentTeacherLessonUpdate: function currentTeacherLessonUpdate(id) {
      if (this.currentLesson == id) {
        this.currentLesson = null;
      } else {
        this.currentLesson = id;
      }
    },
    canSubmitForm: function canSubmitForm() {
      this.canSubmit.basic = !this.errors.basic.name &amp;&amp; !this.errors.basic.email &amp;&amp; !this.errors.basic.phone;
    },
    fetchTeacherLessons: function fetchTeacherLessons() {
      var _this15 = this;
      this.$http.get('/api/users/' + this.fetchSlug + '/lessons').then(function (response) {
        _this15.teacherLessons = response.data;
      });
    },
    updateLessonsDiff: function updateLessonsDiff() {
      var _this16 = this;
      this.lessonsDiff = this.lessons.filter(function (lesson) {
        return !_this16.teacherLessons.some(function (teacherLesson) {
          return teacherLesson.lesson_id === lesson.id;
        });
      });
    },
    checkMatchPassword: function checkMatchPassword() {
      this.passwordChangeData.new_password = this.passwordChangeData.new_password.trim();
      this.passwordChangeData.confirm_password = this.passwordChangeData.confirm_password.trim();
      if (this.passwordChangeData.new_password !== this.passwordChangeData.confirm_password &amp;&amp; this.passwordChangeData.new_password.length &gt; 5 &amp;&amp; this.passwordChangeData.confirm_password.length &gt; 5) {
        this.errors.password_change.new_password = 'Åžifreler uyuÅŸmuyor.';
        this.errors.password_change.confirm_password = 'Åžifreler uyuÅŸmuyor.';
      } else {
        this.errors.password_change.new_password = '';
        this.errors.password_change.confirm_password = '';
      }
    },
    isPasswordStrong: function isPasswordStrong(val) {
      if (val.length &lt; 6) {
        return false;
      } else if (val.match(/[0-9]/) &amp;&amp; val.match(/[a-zA-Z]/)) {
        return true;
      }
      return false;
    }
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_5__.mapGetters)(['isLoggedIn', 'user'])), (0,vuex__WEBPACK_IMPORTED_MODULE_5__.mapActions)(['logout'])),
  created: function created() {
    var _this$$route$params$i;
    if (!this.isLoggedIn) {
      this.$router.push('/giris-yap');
    }
    this.userData = this.user;
    this.routeId = (_this$$route$params$i = this.$route.params.id) !== null &amp;&amp; _this$$route$params$i !== void 0 ? _this$$route$params$i : null;
    this.fetchId = this.$route.params.id ? this.$route.params.id : this.user.id;
    this.fetchSlug = this.user.slug;
    this.fetchUser();
  },
  watch: {
    'passwordChangeData.new_password': function passwordChangeDataNew_password(val) {
      val = val.trim();
      if (val.length &amp;&amp; val.length &lt; 6) {
        this.errors.password_change.new_password = 'Åžifreniz en az 6 karakter olmalÄ±dÄ±r.';
      } else {
        if (val.length &amp;&amp; !this.isPasswordStrong(val)) {
          this.errors.password_change.new_password = 'Åžifreniz en az 1 harf ve 1 rakam iÃ§ermelidir.';
        } else {
          this.errors.password_change.new_password = '';
          this.checkMatchPassword();
        }
      }
    },
    'passwordChangeData.confirm_password': function passwordChangeDataConfirm_password(val) {
      val = val.trim();
      if (val.length &amp;&amp; val.length &lt; 6) {
        this.errors.password_change.confirm_password = 'Åžifreniz en az 6 karakter olmalÄ±dÄ±r.';
      } else {
        if (val.length &amp;&amp; !this.isPasswordStrong(val)) {
          this.errors.password_change.confirm_password = 'Åžifreniz en az 1 harf ve 1 rakam iÃ§ermelidir.';
        } else {
          this.errors.password_change.confirm_password = '';
          this.checkMatchPassword();
        }
      }
    },
    input: {
      handler: function handler() {
        this.checkName();
        this.checkEmail();
        this.checkPassword();
        this.checkTerms();
        this.canSubmitForm();
      },
      deep: true
    },
    isLoggedIn: {
      handler: function handler() {
        if (!this.isLoggedIn) {
          this.$router.push('/giris-yap');
        }
      },
      deep: true
    },
    biographyContent: {
      handler: function handler() {
        this.canSubmit.biography = true;
      },
      deep: true
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***********************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }


/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "ApproveIncomingMoneyOrder",
  components: {
    BModal: bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__.BModal,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__.BCol,
    BForm: bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__.BForm,
    BFormGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BFormGroup,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BFormInput,
    BFormCheckbox: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BFormCheckbox,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BButton
  },
  data: function data() {
    return {
      approving: false,
      rejecting: false
    };
  },
  props: {
    approveModal: {
      type: Boolean,
      "default": false
    },
    modalId: {
      type: String,
      "default": 'modal-approve-incoming-money-order'
    },
    currentRow: {
      type: Object,
      "default": function _default() {
        return {};
      }
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_10__.mapGetters)(['isLoggedIn', 'user'])),
  methods: {
    approvePayment: function approvePayment() {
      var _this = this;
      this.approving = true;
      this.$http.post('/api/users/' + this.user.slug + '/incoming_payments/' + this.currentRow.id + '/approve').then(function (_ref) {
        var data = _ref.data;
        _this.$swal.fire({
          title: 'OnaylandÄ±!',
          html: 'Havale onaylandÄ±',
          icon: 'success'
        });
        _this.approveModal = false;
        _this.$emit('close-approve-modal');
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.$swal.fire({
          title: 'Havale onaylanamadÄ±!',
          html: data.message,
          icon: 'error'
        });
      })["finally"](function () {
        _this.approving = false;
      });
    },
    rejectPayment: function rejectPayment() {
      var _this2 = this;
      this.rejecting = true;
      this.$http.post('/api/users/' + this.user.slug + '/incoming_payments/' + this.currentRow.id + '/reject').then(function (_ref3) {
        var data = _ref3.data;
        _this2.$swal.fire({
          title: 'Reddedildi!',
          html: 'Havale reddedildi',
          icon: 'success'
        });
        _this2.approveModal = false;
        _this2.$emit('close-approve-modal');
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        console.log(data);
        _this2.$swal.fire({
          title: 'Havale reddedilemedi!',
          html: data.message,
          icon: 'error'
        });
      })["finally"](function () {
        _this2.rejecting = false;
      });
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*****************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*****************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var vue_moments_ago__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue-moments-ago */ "./node_modules/vue-moments-ago/src/main.js");
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var _TeacherProfileSummary_vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../TeacherProfileSummary.vue */ "./resources/js/components/TeacherProfileSummary.vue");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }




/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "ChatBox",
  components: {
    TeacherProfileSummary: _TeacherProfileSummary_vue__WEBPACK_IMPORTED_MODULE_1__["default"],
    BModal: bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__.BModal,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BCol,
    BForm: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BForm,
    BFormGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BFormGroup,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BFormInput,
    BFormCheckbox: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BFormCheckbox,
    BFormCheckboxGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BFormCheckboxGroup,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BButton,
    VueMomentsAgo: vue_moments_ago__WEBPACK_IMPORTED_MODULE_0__["default"]
  },
  data: function data() {
    return {
      message: '',
      messages: [],
      users: {},
      filteredUsers: {},
      current_user: {},
      chatStarting: false,
      error: null,
      show: false,
      isFetchingUsers: false,
      isFetchingNewMessages: false,
      thread_id: 0,
      isModalActive: false,
      new_message_users: [],
      user_last_message: [],
      sending: false,
      searchKey: '',
      filteredUserIds: [],
      teacherProfileSummary: false,
      teacherProfileSummaryUser: null
    };
  },
  methods: {
    sendMessage: function sendMessage() {
      var _this = this;
      this.sending = true;
      this.$http.post('/api/messages', {
        subject: 'one_to_one',
        message: this.message,
        recipient_id: this.current_user.id
      }).then(function (response) {
        // add message to messages
        _this.$emit('message_bell', 1);
        _this.messages.push(response.data.message);
        _this.goChatBottom();
      })["catch"](function (_ref) {
        var data = _ref.response.data;
        if (data.error) {
          _this.$swal.fire({
            icon: 'error',
            title: 'Hata!',
            text: data.error
          });
        }
      })["finally"](function () {
        _this.message = '';
        _this.sending = false;
        setTimeout(function () {
          _this.$refs.new_message.focus();
        }, 200);
      });
    },
    startChatWith: function startChatWith(recipient) {
      var _this2 = this;
      if (recipient.type === 'teacher' &amp;&amp; this.user.type === 'teacher') {
        this.$swal.fire({
          icon: 'error',
          title: 'Hata!',
          text: 'Ã–ÄŸretmenler arasÄ± mesajlaÅŸma yapÄ±lamaz!'
        });
        return false;
      }
      this.chatStarting = true;
      this.current_user = recipient;
      this.$http.get('/api/messages/with/' + recipient.id).then(function (data) {
        _this2.current_user = recipient;
        _this2.messages = data.data.messages;
        _this2.thread_id = data.data.messages[0].thread_id;
        // scroll bottom of chat
        if (_this2.new_message_users.includes(recipient.id)) {
          _this2.new_message_users.splice(_this2.new_message_users.indexOf(recipient.id), 1);
        }
        _this2.goChatBottom();
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
      })["finally"](function () {
        _this2.chatStarting = false;
      });
    },
    fetchUsers: function fetchUsers() {
      var _this3 = this;
      var p = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 0;
      if (!this.isModalActive) return;
      if (p === 0) {
        this.isFetchingUsers = true;
      }
      var url = '/api/messages/messaging_users';
      this.$http.get(url).then(function (_ref3) {
        var data = _ref3.data;
        _this3.users = data.users;
        if (_this3.users.length &gt; 0) {
          _this3.filteredUsers = _this3.users;
          _this3.userFilter();
          if (p === 0) {
            var user = _this3.current_user.id ? _this3.users.find(function (u) {
              return u.id === _this3.current_user.id;
            }) : _this3.users[0];
            _this3.startChatWith(user);
          }
        }
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        console.log(data);
        _this3.users = [];
      })["finally"](function () {
        _this3.isFetchingUsers = false;
      });
    },
    checkThreadUnreadMessages: function checkThreadUnreadMessages() {
      var _this4 = this;
      if (!this.isModalActive) return;
      this.isFetchingNewMessages = true;
      var url = '/api/messages/unread_messages/' + this.thread_id;
      this.$http.get(url).then(function (_ref5) {
        var data = _ref5.data;
        if (data.messages.length &gt; 0) {
          _this4.fetchUsers(1);
          // add to messages
          _this4.messages = _this4.messages.concat(data.messages);
          _this4.user_last_message[_this4.messages.slice(-1)[0].user_id] = _this4.messages.slice(-1)[0].body;

          // scroll bottom of chat
          _this4.goChatBottom();
          // ring a bell
          _this4.$root.$emit('bell');
        }
      })["catch"](function (_ref6) {
        var data = _ref6.response.data;
        console.log(data);
        _this4.users = [];
      })["finally"](function () {
        _this4.isFetchingNewMessages = false;
      });
    },
    goChatBottom: function goChatBottom() {
      this.$nextTick(function () {
        setTimeout(function () {
          var chatHistory = document.querySelector('.chat-history');
          chatHistory.scrollTop = chatHistory.scrollHeight;
        }, 100);
      });
    },
    userFilter: function userFilter() {
      var _this5 = this;
      this.filteredUsers = this.users.filter(function (user) {
        return user.name.toLowerCase().includes(_this5.searchKey.toLowerCase());
      });
    },
    fetchUser: function fetchUser(id) {
      var _this6 = this;
      this.fetchingUser = true;
      this.$http.get('/api/users/' + id).then(function (response) {
        var new_user = response.data.data;
        new_user.message = "HiÃ§ Mesaj Yok";
        // insert this first to filteredUsers
        _this6.startChatWith(new_user);
        _this6.filteredUsers.unshift(new_user);
        _this6.createNewThread(id);
      })["catch"](function (_ref7) {
        var data = _ref7.response.data;
        console.log('user bilgisi alÄ±namadÄ±');
        return [];
      });
    },
    createNewThread: function createNewThread(id) {
      var _this7 = this;
      this.$http.post('/api/messages/new_thread', {
        recipient_id: id
      }).then(function (response) {
        _this7.thread_id = response.data.thread.id;
        console.log("Yeni thread oluÅŸturuldu #" + _this7.thread_id);
      })["catch"](function (_ref8) {
        var data = _ref8.response.data;
        if (data.error) {
          _this7.$swal.fire({
            icon: 'error',
            title: 'Thread oluÅŸtururken hata!',
            text: data.error
          });
        }
      });
    },
    checkForCreateChat: function checkForCreateChat() {
      this.filteredUserIds = this.filteredUsers.map(function (u) {
        return u.id;
      });
      if (!this.filteredUserIds.includes(this.user_id) &amp;&amp; this.user_id &gt; 0) {
        console.log("userla daha Ã¶nce chat yapÄ±lmamÄ±ÅŸ");
        this.fetchUser(this.user_id);
      }
    },
    openTeacherSummary: function openTeacherSummary(user) {
      this.teacherProfileSummary = true;
      this.teacherProfileSummaryUser = user;
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_13__.mapGetters)(['isLoggedIn', 'user'])),
  created: function created() {
    var _this8 = this;
    setInterval(function () {
      if (_this8.thread_id &gt; 0) {
        _this8.checkThreadUnreadMessages();
      }
    }, 5000);
    if (this.opened) {
      this.fetchUsers();
    }
  },
  mounted: function mounted() {
    var _this9 = this;
    this.$root.$on('bv::modal::hide', function (bvEvent, modalId) {
      if (modalId === _this9.modalId) {
        _this9.isModalActive = false;
      }
    });
    this.$root.$on('bv::modal::show', function (bvEvent, modalId) {
      if (modalId === _this9.modalId) {
        _this9.isModalActive = true;
        _this9.fetchUsers();
      }
    });
    this.$on('fetch-chat-users', this.fetchUsers(1));
    setInterval(function () {
      if (_this9.isModalActive) {
        _this9.fetchUsers(1);
      }
    }, 30000);
  },
  watch: {
    unread_messages: function unread_messages(newVal, oldVal) {
      var _this10 = this;
      if (newVal &gt; oldVal) {
        newVal.forEach(function (message) {
          message.forEach(function (m, i) {
            if (!_this10.new_message_users.includes(m.user_id)) {
              _this10.new_message_users.push(m.user_id);
            }
            // set last message
            if (i === 0) {
              _this10.user_last_message[m.user_id] = m.body;
            }
          });
        });
      }
    },
    user_id: function user_id(newVal, oldVal) {
      if (newVal &gt; 0) {
        this.current_user.id = newVal;
      }
    },
    filteredUsers: function filteredUsers() {
      this.checkForCreateChat();
    },
    searchKey: function searchKey() {
      this.userFilter();
    }
  },
  props: {
    modalId: {
      type: String,
      "default": 'message-box'
    },
    user_id: {
      type: Number,
      "default": 0
    },
    opened: {
      type: Boolean,
      "default": false
    },
    unread_messages: {
      type: Array,
      "default": function _default() {
        return [];
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "CreateOrEditCustomPaymentUrl",
  components: {
    BModal: bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__.BModal,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__.BCol,
    BForm: bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__.BForm,
    BFormGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BFormGroup,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BFormInput,
    BFormCheckbox: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BFormCheckbox,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BButton
  },
  data: function data() {
    return {
      formSaving: false,
      editData: {},
      cleaveOptions: {
        phone: {
          phone: true,
          phoneRegionCode: 'TR'
        }
      },
      errors: {},
      isFetching: false
    };
  },
  props: {
    lessonId: {
      type: Number,
      "default": 0
    },
    modalId: {
      type: String,
      "default": 'modal-create-or-edit-lesson'
    }
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/lessons/' + this.lessonId;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.editData = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.editData = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    resetForm: function resetForm() {
      this.$bvModal.hide(this.modalId);
    },
    saveForm: function saveForm() {
      if (this.editData.id &gt; 0) {
        this.updateData();
      } else {
        this.createData();
      }
    },
    updateData: function updateData() {
      var _this2 = this;
      this.formSaving = true;
      var url = "/api/lessons/".concat(this.editData.id);
      this.$http.put(url, this.editData).then(function (_ref3) {
        var data = _ref3.data;
        delete _this2.data.grades;
        _this2.resetForm();
        _this2.$emit('update-lesson-data', data.data);
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        console.log(data);
        _this2.errors = data.errors;
      })["finally"](function () {
        _this2.formSaving = false;
      });
    },
    createData: function createData() {
      var _this3 = this;
      this.formSaving = true;
      this.$http.post('/api/auth/custom_payment_url/', this.editData).then(function (_ref5) {
        var data = _ref5.data;
        _this3.$swal.fire({
          title: 'BaÅŸarÄ±lÄ±!',
          html: '&lt;span&gt;Ã–deme linki oluÅŸturuldu!&lt;/span&gt;',
          icon: 'success'
        });
        _this3.$emit('create-custom-payment-url-data', data.data);
        _this3.resetData();
        _this3.resetForm();
      })["catch"](function (_ref6) {
        var data = _ref6.response.data;
        _this3.$swal.fire({
          title: 'Hata!',
          html: '&lt;span&gt;' + data.message + '&lt;/span&gt;',
          icon: 'error'
        });
        _this3.errors = data.errors;
      })["finally"](function () {
        _this3.formSaving = false;
      });
    },
    resetData: function resetData() {
      this.editData = {
        id: 0,
        amount: ''
      };
    }
  },
  created: function created() {
    this.resetData();
    if (this.lessonId &gt; 0) {
      this.fetch();
    }
  },
  watch: {
    lessonId: function lessonId() {
      this.resetData();
      if (this.lessonId &gt; 0) {
        this.fetch();
      }
    },
    'editData.amount': function editDataAmount(val) {
      if (this.$refs.amount) {
        if (val &lt; 1 &amp;&amp; val !== '') {
          this.$swal.fire({
            title: 'Hata!',
            html: '&lt;span&gt;Tutar 1 TL\'den az olamaz!&lt;/span&gt;',
            icon: 'error'
          });
        }
        if (val &gt; 999999) {
          this.$swal.fire({
            title: 'Hata!',
            html: '&lt;span&gt;Tutar 999.999 TL\'den fazla olamaz!&lt;/span&gt;',
            icon: 'error'
          });
        }
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "CreateOrEditGrade",
  components: {
    BModal: bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__.BModal,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__.BCol,
    BForm: bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__.BForm,
    BFormGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BFormGroup,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BFormInput,
    BFormCheckbox: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BFormCheckbox,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BButton
  },
  data: function data() {
    return {
      formSaving: false,
      editData: {},
      cleaveOptions: {
        phone: {
          phone: true,
          phoneRegionCode: 'TR'
        }
      },
      errors: {},
      isFetching: false
    };
  },
  props: {
    gradeId: {
      type: Number,
      "default": 0
    },
    modalId: {
      type: String,
      "default": 'modal-create-or-edit-grade'
    }
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/grades/' + this.gradeId;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.editData = data.data;
        _this.editData.status = _this.editData.status == 1;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.editData = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    resetForm: function resetForm() {
      this.$bvModal.hide(this.modalId);
    },
    saveForm: function saveForm() {
      if (this.editData.id &gt; 0) {
        this.updateData();
      } else {
        this.createData();
      }
    },
    updateData: function updateData() {
      var _this2 = this;
      this.formSaving = true;
      var url = "/api/grades/".concat(this.editData.id);
      this.$http.put(url, this.editData).then(function (_ref3) {
        var data = _ref3.data;
        _this2.resetForm();
        _this2.$emit('update-grade-data', data.data);
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        console.log(data);
        _this2.errors = data.errors;
      })["finally"](function () {
        _this2.formSaving = false;
      });
    },
    createData: function createData() {
      var _this3 = this;
      this.formSaving = true;
      this.$http.post('/api/grades/', this.editData).then(function (_ref5) {
        var data = _ref5.data;
        _this3.$emit('create-grade-data', data.data);
        _this3.resetData();
        _this3.resetForm();
      })["catch"](function (_ref6) {
        var data = _ref6.response.data;
        console.log(data);
        _this3.errors = data.errors;
      })["finally"](function () {
        _this3.formSaving = false;
      });
    },
    resetData: function resetData() {
      this.editData = {
        id: 0,
        name: '',
        status: true
      };
    }
  },
  created: function created() {
    this.resetData();
    if (this.gradeId &gt; 0) {
      this.fetch();
    }
  },
  watch: {
    gradeId: function gradeId() {
      this.resetData();
      if (this.gradeId &gt; 0) {
        this.fetch();
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!****************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \****************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "CreateOrEditLesson",
  components: {
    BModal: bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__.BModal,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__.BCol,
    BForm: bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__.BForm,
    BFormGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BFormGroup,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BFormInput,
    BFormCheckbox: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BFormCheckbox,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BButton
  },
  data: function data() {
    return {
      formSaving: false,
      editData: {},
      cleaveOptions: {
        phone: {
          phone: true,
          phoneRegionCode: 'TR'
        }
      },
      errors: {},
      isFetching: false
    };
  },
  props: {
    lessonId: {
      type: Number,
      "default": 0
    },
    modalId: {
      type: String,
      "default": 'modal-create-or-edit-lesson'
    }
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/lessons/' + this.lessonId;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.editData = data.data;
        _this.editData.status = _this.editData.status == 1;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.editData = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    resetForm: function resetForm() {
      this.$bvModal.hide(this.modalId);
    },
    saveForm: function saveForm() {
      if (this.editData.id &gt; 0) {
        this.updateData();
      } else {
        this.createData();
      }
    },
    updateData: function updateData() {
      var _this2 = this;
      this.formSaving = true;
      var url = "/api/lessons/".concat(this.editData.id);
      this.$http.put(url, this.editData).then(function (_ref3) {
        var data = _ref3.data;
        delete _this2.data.grades;
        _this2.resetForm();
        _this2.$emit('update-lesson-data', data.data);
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        console.log(data);
        _this2.errors = data.errors;
      })["finally"](function () {
        _this2.formSaving = false;
      });
    },
    createData: function createData() {
      var _this3 = this;
      this.formSaving = true;
      this.$http.post('/api/lessons/', this.editData).then(function (_ref5) {
        var data = _ref5.data;
        _this3.$emit('create-lesson-data', data.data);
        _this3.resetData();
        _this3.resetForm();
      })["catch"](function (_ref6) {
        var data = _ref6.response.data;
        console.log(data);
        _this3.errors = data.errors;
      })["finally"](function () {
        _this3.formSaving = false;
      });
    },
    resetData: function resetData() {
      this.editData = {
        id: 0,
        name: '',
        status: true
      };
    }
  },
  created: function created() {
    this.resetData();
    if (this.lessonId &gt; 0) {
      this.fetch();
    }
  },
  watch: {
    lessonId: function lessonId() {
      this.resetData();
      if (this.lessonId &gt; 0) {
        this.fetch();
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*****************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*****************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "CreateOrEditLesson",
  components: {
    BModal: bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__.BModal,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__.BCol,
    BForm: bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__.BForm,
    BFormGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BFormGroup,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BFormInput,
    BFormCheckbox: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BFormCheckbox,
    BFormCheckboxGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BFormCheckboxGroup,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BButton
  },
  data: function data() {
    return {
      uploading: false,
      croppa: {
        photo: {}
      },
      photoCroppa: {},
      cropBlob: null,
      formSaving: false,
      editData: {},
      grades: {},
      selectedGrades: [],
      errors: {},
      isFetching: false
    };
  },
  props: {
    lessonId: {
      type: Number,
      "default": 0
    },
    modalId: {
      type: String,
      "default": 'modal-lesson-grade-matching'
    }
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/lessons/' + this.lessonId;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.editData = data.data;
        _this.generateSelectedGrades(_this.editData.grades);
        _this.editData.status = _this.editData.status == 1;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.editData = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    generateSelectedGrades: function generateSelectedGrades(grades) {
      this.selectedGrades = [];
      for (var i = 0; i &lt; grades.length; i++) {
        this.selectedGrades.push(grades[i].id);
      }
    },
    fetchGrades: function fetchGrades() {
      var _this2 = this;
      this.$http.get('/api/grades').then(function (response) {
        _this2.grades = response.data.data;
        _this2.grades = _this2.grades.filter(function (grade) {
          return grade.status === 1;
        });
      });
    },
    resetForm: function resetForm() {
      this.$bvModal.hide(this.modalId);
    },
    saveForm: function saveForm() {
      if (this.editData.id &gt; 0) {
        this.updateGrades();
      } else {
        alert('Hata!!');
      }
    },
    updateGrades: function updateGrades() {
      var _this3 = this;
      this.formSaving = true;
      this.editData.grades = this.selectedGrades;
      var url = "/api/lessons/".concat(this.editData.id);
      this.$http.put(url, this.editData).then(function (_ref3) {
        var data = _ref3.data;
        _this3.$swal.fire({
          title: 'GÃ¼ncellendi!',
          html: '&lt;span&gt;' + _this3.editData.name + ' dersinin verilebileceÄŸi sÄ±nÄ±flar kaydedildi.&lt;/span&gt;',
          icon: 'success'
        });
        _this3.$emit('update-lesson-data', _this3.editData);
        _this3.resetForm();
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        console.log(data);
        _this3.errors = data.errors;
      })["finally"](function () {
        _this3.formSaving = false;
      });
    },
    resetData: function resetData() {
      this.editData = {
        id: 0,
        name: '',
        status: true
      };
      this.selectedGrades = [];
      this.selected = [];
      this.grades = {};
    },
    currentGradeUpdate: function currentGradeUpdate(id) {
      if (this.currentGrade == id) {
        this.currentGrade = null;
      } else {
        this.currentGrade = id;
      }
    },
    uploadPhoto: function uploadPhoto(type) {
      var _this4 = this;
      if (!this.croppa[type].hasImage()) {
        this.$swal.fire({
          title: 'FotoÄŸraf SeÃ§iniz!',
          html: 'YÃ¼klemek iÃ§in bir fotoÄŸraf seÃ§iniz.',
          icon: 'error'
        });
        return false;
      }
      this.uploading = true;
      this.croppa[type].generateBlob(function (blob) {
        var fd = new FormData();
        fd.append('file', blob, type + '_photo.jpg');
        fd.append('photo_type', type);
        _this4.$http.post('/api/auth/lessons/' + _this4.lessonId + '/photo', fd, {
          headers: {
            "Content-Type": "multipart/form-data"
          }
        }).then(function (response) {
          _this4.$swal.fire({
            title: 'YÃ¼klendi!',
            html: 'FotoÄŸraf kaydedildi',
            icon: 'success'
          }).then(function () {
            //window.location.reload()
          });
        })["finally"](function () {
          _this4.uploading = false;
        });
      }, 'image/jpeg', 1.0);
    },
    uploadCroppedImage: function uploadCroppedImage(type) {
      this.croppa[type].generateBlob(function (blob) {}, 'image/jpeg', 1);
    },
    onFileTypeMismatch: function onFileTypeMismatch(file) {
      alert('Sadece jpg ve png dosyalarÄ±nÄ± yÃ¼kleyebilirsiniz.');
    },
    onFileSizeExceed: function onFileSizeExceed(file) {
      alert('10 MBtan bÃ¼yÃ¼k dosya yÃ¼klenemez.');
    }
  },
  created: function created() {
    this.resetData();
    if (this.lessonId &gt; 0) {
      this.fetch();
      this.fetchGrades();
    }
  },
  watch: {
    lessonId: function lessonId() {
      this.resetData();
      if (this.lessonId &gt; 0) {
        this.fetch();
        this.fetchGrades();
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }


/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "CreateOrEditLesson",
  components: {
    BModal: bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__.BModal,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__.BCol,
    BForm: bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__.BForm,
    BFormGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BFormGroup,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BFormInput,
    BFormCheckbox: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BFormCheckbox,
    BFormCheckboxGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BFormCheckboxGroup,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BButton
  },
  data: function data() {
    return {
      formSaving: false,
      uploading: false,
      editData: {},
      grades: {},
      waitingApproval: false,
      selectedLessonGrades: [],
      errors: {},
      isFetching: false,
      lessonGrades: [],
      file: null,
      document: [],
      hasPrice: false,
      checkingFile: false,
      lessonGradePrices: [],
      fields: [{
        key: 'name',
        label: 'SÄ±nÄ±f/DÃ¼zey'
      }, {
        key: 'price',
        label: 'Saatlik Ãœcret',
        width: '30%'
      }, {
        key: 'discount',
        label: 'Ä°ndirim%',
        width: '10%'
      }, {
        key: 'total_price',
        label: 'Ä°ndirimli Ãœcret',
        width: '20%'
      }],
      discount_rates: [0, 5, 10, 15, 20, 25, 30, 35, 40, 45, 50, 55, 60, 65, 70, 75, 80, 85, 90, 95]
    };
  },
  props: {
    lessonId: {
      type: Number,
      "default": 0
    },
    user: {
      type: Object,
      "default": function _default() {
        return {};
      }
    },
    modalId: {
      type: String,
      "default": 'modal-lesson-grade-matching'
    }
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/lessons/' + this.lessonId;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.editData = data.data;
        _this.generateLessonGrades(_this.editData.grades);
        _this.editData.status = _this.editData.status == 1;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.editData = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    fetchPrices: function fetchPrices() {
      var _this2 = this;
      this.isFetching = true;
      var url = '/api/users/' + this.user.slug + '/lesson_grade_prices/' + this.lessonId;
      this.$http.get(url).then(function (_ref3) {
        var data = _ref3.data;
        _this2.setPrices(data);
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        console.log(data);
        _this2.editData = [];
      })["finally"](function () {
        _this2.isFetching = false;
      });
    },
    generateLessonGrades: function generateLessonGrades(grades) {
      this.lessonGrades = [];
      for (var i = 0; i &lt; grades.length; i++) {
        if (grades[i].status === 0) {
          continue;
        }
        this.lessonGrades.push({
          id: grades[i].id,
          name: grades[i].name,
          status: grades[i].status,
          price: '',
          discount: '',
          total_price: ''
        });
      }
      if (grades.length &gt; 0) {
        this.lessonGrades.push({
          id: 0,
          name: '--TÃ¼m DÃ¼zeyler--',
          status: 'active',
          price: '',
          discount: '',
          total_price: ''
        });
      }
    },
    fetchGrades: function fetchGrades() {
      var _this3 = this;
      this.$http.get('/api/grades').then(function (response) {
        _this3.grades = response.data.data.filter(function (grade) {
          return grade.status === 1;
        });
        _this3.fetchPrices();
      });
    },
    resetForm: function resetForm() {
      this.$bvModal.hide(this.modalId);
    },
    updateGrades: function updateGrades() {
      var _this4 = this;
      var d = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 0;
      this.formSaving = true;
      this.$http.put('/api/users/' + this.user.slug + '/lesson_grade_prices', {
        'prices': this.lessonGrades,
        'lesson_id': this.lessonId
      }).then(function (response) {
        if (d === 0) {
          _this4.$swal.fire({
            title: 'GÃ¼ncellendi!',
            html: '&lt;span&gt;Ders sÄ±nÄ±flarÄ± ve Ã¼cretleri kaydedildi.&lt;/span&gt;',
            icon: 'success'
          });
          _this4.fetchPrices();
        } else {
          _this4.$swal.fire({
            title: 'Silindi!',
            html: '&lt;span&gt;Ders silindi.&lt;/span&gt;',
            icon: 'success'
          });
        }
        _this4.$bvModal.hide(_this4.modalId);
        _this4.$emit('prices-updated', 1);
      })["catch"](function (_ref5) {
        var data = _ref5.response.data;
        console.log(data);
        _this4.errors = data.errors;
      })["finally"](function () {
        _this4.formSaving = false;
      });
    },
    resetData: function resetData() {
      this.editData = {
        id: 0,
        name: '',
        status: true
      };
      this.selectedLessonGrades = [];
      this.selected = [];
      this.grades = {};
      this.lessonGrades = [];
    },
    currentGradeUpdate: function currentGradeUpdate(id) {
      if (this.currentGrade === id) {
        this.currentGrade = null;
      } else {
        this.currentGrade = id;
      }
    },
    setPrices: function setPrices(data) {
      var _this5 = this;
      this.lessonGradePrices = data;
      this.lessonGrades.forEach(function (item) {
        _this5.hasPrice = true;
        var price = data.find(function (price) {
          return price.grade_id == item.id;
        });
        if (price) {
          item.price = price.price;
          item.discount = price.discount;
          item.total_price = price.total_price;
        }
      });
    },
    updatePrices: function updatePrices(id) {
      for (var i = 0; i &lt; this.lessonGrades.length; i++) {
        if (id === 0) {
          this.lessonGrades[i].price = this.lessonGrades[this.lessonGrades.length - 1].price;
          this.lessonGrades[i].discount = this.lessonGrades[this.lessonGrades.length - 1].discount;
        }
        this.lessonGrades[i].total_price = (this.lessonGrades[i].price - this.lessonGrades[i].price * this.lessonGrades[i].discount / 100).toFixed(2);
      }
    },
    uploadFile: function uploadFile() {
      var _this6 = this;
      this.uploading = true;
      var formData = new FormData();
      formData.append('file', this.file);
      formData.append('lesson_id', this.lessonId);
      formData.append('keyword', 'lesson_document');
      this.$http.post('/api/users/' + this.user.id + '/file', formData, {
        headers: {
          "Content-Type": "multipart/form-data"
        }
      }).then(function (response) {
        _this6.waitingApproval = true;
        _this6.file = null;
        _this6.$swal.fire({
          title: 'Onaya gÃ¶nderildi!',
          html: '&lt;span&gt;DosyanÄ±z onaylandÄ±ÄŸÄ±nda size eposta ile bildireceÄŸiz.&lt;/span&gt;',
          icon: 'success'
        });
        _this6.checkFile();
      })["catch"](function (_ref6) {
        var data = _ref6.response.data;
        console.log(data);
        _this6.errors = data.errors;
        _this6.$swal.fire({
          title: 'Hata!',
          html: '&lt;span&gt;' + _this6.errors.message + '&lt;/span&gt;',
          icon: 'error'
        });
      })["finally"](function () {
        _this6.uploading = false;
      });
    },
    clearFiles: function clearFiles() {
      this.$refs['file-input'].reset();
    },
    checkFile: function checkFile() {
      var _this7 = this;
      this.checkingFile = true;
      this.waitingApproval = false;
      var url = '/api/users/' + this.user.id + '/lesson_document/' + this.lessonId;
      this.$http.get(url).then(function (_ref7) {
        var data = _ref7.data;
        _this7.document = data;
        if (_this7.document.status === 1) {
          _this7.waitingApproval = false;
        } else if (_this7.document.status === 0) {
          _this7.waitingApproval = true;
        }
      })["catch"](function (_ref8) {
        var data = _ref8.response.data;
        console.log(data);
        _this7.editData = [];
      })["finally"](function () {
        _this7.checkingFile = false;
      });
    },
    deleteLesson: function deleteLesson(data) {
      var _this8 = this;
      this.$swal.fire({
        title: data.name + " dersini silmek istediÄŸinizden emin misiniz?",
        text: "Bu ders ile ilgili yapÄ±lacak arama sonulÃ§larÄ±nda artÄ±k gÃ¶sterilmeyeceksiniz!",
        type: "warning",
        icon: "question",
        showCancelButton: true,
        confirmButtonColor: "#DD6B55",
        confirmButtonText: "Evet, Silmek istiyorum!",
        cancelButtonText: "VazgeÃ§",
        closeOnConfirm: true
      }).then(function (result) {
        // &lt;--
        if (result.value) {
          // &lt;-- if confirmed
          _this8.lessonGrades.forEach(function (lessonGrade) {
            lessonGrade.price = '';
            lessonGrade.discount = '';
            lessonGrade.total_price = '';
          });
          _this8.updateGrades(1);
        }
      });
    }
  },
  created: function created() {
    this.resetData();
    if (this.lessonId &gt; 0) {
      this.fetch();
      this.fetchGrades();
      this.checkFile();
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_11__.mapGetters)(['isLoggedIn'])),
  watch: {
    lessonId: function lessonId() {
      this.resetData();
      if (this.lessonId &gt; 0) {
        this.fetch();
        this.fetchGrades();
        this.checkFile();
      }
    },
    file: function file() {
      if (this.file) {
        //alert if file size greather then 10 MB
        if (this.file.size &gt; 10485760) {
          this.$swal.fire({
            title: 'Dosya boyutu 10MB\'tan bÃ¼yÃ¼k olamaz!',
            icon: 'error'
          });
          this.clearFiles();
        }
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*****************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*****************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox-group.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }




/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "WeeklySchedule",
  components: {
    VueSweetalert2: (vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0___default()),
    BFormCheckboxGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__.BFormCheckboxGroup
  },
  data: function data() {
    return {
      isFetching: false,
      posting: false,
      errors: {},
      i: 0,
      days: ['Pazartesi', 'SalÄ±', 'Ã‡arÅŸamba', 'PerÅŸembe', 'Cuma', 'Cumartesi', 'Pazar'],
      selectedDaysAndHours: {
        0: [],
        1: [],
        2: [],
        3: [],
        4: [],
        5: [],
        6: []
      },
      selectedAllHours: {},
      allSelectedDaysAndHours: [],
      hours: {
        7: '07.00 07.59',
        8: '08.00 08.59',
        9: '09.00 09.59',
        10: '10.00 10.59',
        11: '11.00 11.59',
        12: '12.00 12.59',
        13: '13.00 13.59',
        14: '14.00 14.59',
        15: '15.00 15.59',
        16: '16.00 16.59',
        17: '17.00 17.59',
        18: '18.00 18.59',
        19: '19.00 19.59',
        20: '20.00 20.59',
        21: '21.00 21.59',
        22: '22.00 22.59',
        23: '23.00 23.59'
      }
    };
  },
  methods: {
    fetchWeeklySchedules: function fetchWeeklySchedules() {
      var _this = this;
      this.isFetching = true;
      this.$http.get('/api/users/' + this.user.slug + '/weekly_schedules').then(function (response) {
        if (response.data.length &gt; 0) {
          _this.selectedDaysAndHours = response.data;
        }
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    saveWeeklySchedule: function saveWeeklySchedule() {
      var _this2 = this;
      this.posting = true;
      this.$http.put('/api/users/' + this.user.slug + '/weekly_schedules', {
        'days_and_hours': this.selectedDaysAndHours
      }).then(function (response) {
        _this2.$swal.fire({
          title: 'Kaydedildi!',
          html: '&lt;span&gt;HaftalÄ±k programÄ±nÄ±z gÃ¼ncellendi.&lt;/span&gt;',
          icon: 'success'
        });
      })["catch"](function (_ref) {
        var data = _ref.response.data;
        _this2.$swal.fire({
          title: 'Hata!',
          html: data.error,
          icon: 'error'
        });
      })["finally"](function () {
        _this2.posting = false;
      });
    },
    lastChecked: function lastChecked(hour) {
      hour = parseInt(hour);
      if (this.selectedAllHours[hour]) {
        for (var day in this.days) {
          this.selectedDaysAndHours[day].push(hour);
        }
      } else {
        for (var _day in this.days) {
          this.selectedDaysAndHours[_day] = this.selectedDaysAndHours[_day].filter(function (item) {
            return item !== hour;
          });
        }
      }
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_3__.mapGetters)(['isLoggedIn', 'user'])),
  created: function created() {
    if (!this.isLoggedIn || this.user.type !== 'teacher') {
      this.$router.push('/giris-yap');
    }
    this.fetchWeeklySchedules();
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }








/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Settings",
  components: {
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default())
  },
  data: function data() {
    return {
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: {},
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: {},
      lessonGradeMatchingModalId: 'modal-lesson-grade-matching',
      isFetching: false,
      rows: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      statusFilter: null,
      perPageOptions: [10, 25, 50, 100],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      statusVariant: {
        0: 'outline-secondary ',
        //taslak
        1: 'outline-success',
        //yayÄ±nda
        '-1': 'outline-danger',
        //reddedildi
        3: 'outline-warning',
        //onayda
        '-2': 'outline-primary' //silindi
      }
    };
  },

  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '../api/posts?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;status=' + this.statusFilter + '&amp;searchQuery=' + this.searchQuery;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this.rows = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    createCustomerData: function createCustomerData(data) {
      this.rows.unshift(data);
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    statusFilter: function statusFilter(val) {
      this.fetch();
    },
    searchQuery: function searchQuery(val) {
      var _this2 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this2.isTyping = false;
        if (!(_this2.searchQuery.length &gt; 0 &amp;&amp; _this2.searchQuery.length &lt; 3)) {
          _this2.searchQueryFail = false;
          _this2.fetch();
        } else {
          _this2.searchQueryFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_20__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'title',
        label: 'BaÅŸlÄ±k'
      }, {
        key: 'user.name',
        label: 'KullanÄ±cÄ±'
      }, {
        key: 'created_at',
        label: 'KayÄ±t Tarihi'
      }, {
        key: 'updated_at',
        label: 'GÃ¼ncelleme Tarihi'
      }, {
        key: 'status',
        label: 'StatÃ¼'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    },
    statusOptions: function statusOptions() {
      return [{
        id: 0,
        name: 'Taslak'
      }, {
        id: 1,
        name: 'YayÄ±nda'
      }, {
        id: -1,
        name: 'Reddedildi'
      }, {
        id: 3,
        name: 'Onayda'
      }, {
        id: -2,
        name: 'Silindi'
      }];
    },
    status: function status() {
      return {
        0: 'Taslak',
        1: 'YayÄ±nda',
        '-1': 'Reddedildi',
        3: 'Onayda',
        '-2': 'Silindi'
      };
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*****************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*****************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var _Modals_CreateOrEditFaq_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./Modals/CreateOrEditFaq.vue */ "./resources/js/components/Admin/Modals/CreateOrEditFaq.vue");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }









/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Faqs",
  components: {
    CreateOrEditFaq: _Modals_CreateOrEditFaq_vue__WEBPACK_IMPORTED_MODULE_6__["default"],
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default())
  },
  data: function data() {
    return {
      newFaqModalId: 'modal-new-faq',
      isFetching: false,
      rows: [],
      row: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      faqId: null
    };
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/faqs';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.rows = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    showNewFaqModal: function showNewFaqModal() {
      var data = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : [];
      this.row = {
        id: data.id || 0,
        question: data.question || '',
        answer: data.answer || ''
      };
      this.$bvModal.show(this.newFaqModalId);
    },
    deleteFaq: function deleteFaq(id) {
      var _this2 = this;
      this.$swal({
        title: 'Silmek istediÄŸinize emin misiniz?',
        text: "Bu iÅŸlem geri alÄ±namaz!",
        icon: 'warning',
        showCancelButton: true,
        confirmButtonColor: '#d33',
        cancelButtonColor: '#3085d6',
        cancelButtonText: 'VazgeÃ§',
        confirmButtonText: 'Evet, Sil!'
      }).then(function (result) {
        if (result.isConfirmed) {
          _this2.$http["delete"]("/api/faq/".concat(id)).then(function (_ref3) {
            var data = _ref3.data;
            _this2.$swal('Silindi!', 'S.S.S. baÅŸarÄ±yla silindi.', 'success');
            _this2.fetch();
          })["catch"](function (_ref4) {
            var data = _ref4.response.data;
            _this2.$swal('Hata!', 'S.S.S. silinirken bir hata oluÅŸtu.', 'error');
          });
        }
      });
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_21__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'question',
        label: 'Soru'
      }, {
        key: 'answer',
        label: 'Cevap'
      }, {
        key: 'actions',
        label: 'Aksiyonlar'
      }];
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }








/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Settings",
  components: {
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BPagination,
    BForm: bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__.BForm,
    BFormGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_21__.BFormGroup,
    BFormCheckbox: bootstrap_vue__WEBPACK_IMPORTED_MODULE_22__.BFormCheckbox,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default())
  },
  data: function data() {
    return {
      modalItem: {},
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: {},
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: {},
      isFetching: false,
      rows: [],
      name: '',
      nameFail: false,
      isTyping: false,
      timeout: null,
      statusFilter: 0,
      perPageOptions: [10, 25, 50, 100],
      errors: {},
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      statusVariant: {
        0: 'outline-secondary ',
        //onay bekliyor
        1: 'outline-success',
        //onaylandÄ±
        2: 'outline-warning' //reddedildi
      },

      showModal: false,
      saving: false,
      minRejectReasonLength: 20,
      approveSelected: null,
      approveOptions: [{
        text: 'Reddet',
        value: 2
      }, {
        text: 'Onayla',
        value: 1
      }]
    };
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/auth/free_request/approvals?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this.rows = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    createCustomerData: function createCustomerData(data) {
      d;
      this.rows.unshift(data);
    },
    approve: function approve(id) {
      var _this2 = this;
      this.$swal({
        title: 'Onaylamak istediÄŸinizden emin misiniz?',
        text: "Bu iÅŸlem geri alÄ±namaz!",
        icon: 'warning',
        showCancelButton: true,
        confirmButtonColor: '#3085d6',
        cancelButtonColor: '#d33',
        cancelButtonText: 'VazgeÃ§',
        confirmButtonText: 'Evet, Onayla!'
      }).then(function (result) {
        if (result.isConfirmed) {
          _this2.$http.post("/api/auth/free_request/".concat(id, "/approve")).then(function (_ref3) {
            var data = _ref3.data;
            _this2.$swal('OnaylandÄ±!', 'Ders talebi onaylandÄ±.', 'success');
            _this2.fetch();
          })["catch"](function (_ref4) {
            var data = _ref4.response.data;
            _this2.$swal('Hata!', 'OnaylanÄ±rken bir hata oluÅŸtu. LÃ¼tfen tekrar deneyiniz.', 'error');
          });
        }
      });
    },
    reject: function reject(id) {
      var _this3 = this;
      this.$swal({
        title: 'Talebi reddetmek istediÄŸinizden emin misiniz?',
        text: "Bu iÅŸlem geri alÄ±namaz! LÃ¼tfen reddetme sebebinizi belirtin.",
        icon: 'warning',
        input: 'textarea',
        inputPlaceholder: 'Reddetme sebebinizi buraya yazÄ±n...',
        showCancelButton: true,
        confirmButtonColor: '#3085d6',
        cancelButtonColor: '#d33',
        cancelButtonText: 'VazgeÃ§',
        confirmButtonText: 'Evet, Talebi Reddet!',
        inputValidator: function inputValidator(value) {
          if (!value) {
            return 'Reddetme sebebini belirtmeniz gerekiyor!';
          }
        }
      }).then(function (result) {
        if (result.isConfirmed) {
          var rejectionReason = result.value;
          _this3.$http.post("/api/auth/free_request/".concat(id, "/reject"), {
            rejection_reason: rejectionReason
          }).then(function (_ref5) {
            var data = _ref5.data;
            _this3.$swal('Reddedildi!', 'Reddetme iÅŸlemi baÅŸarÄ±lÄ±.', 'success');
            _this3.fetch();
          })["catch"](function (_ref6) {
            var data = _ref6.response.data;
            _this3.$swal('Hata!', 'OnaylanÄ±rken bir hata oluÅŸtu. LÃ¼tfen tekrar deneyiniz.', 'error');
          });
        }
      });
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    statusFilter: function statusFilter(val) {
      this.fetch();
    },
    name: function name(val) {
      var _this4 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this4.isTyping = false;
        if (!(_this4.name.length &gt; 0 &amp;&amp; _this4.name.length &lt; 3)) {
          _this4.nameFail = false;
          _this4.fetch();
        } else {
          _this4.nameFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_23__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'user.name',
        label: 'Talep Eden'
      }, {
        key: 'lesson.name',
        label: 'Ders'
      }, {
        key: 'grade.name',
        label: 'Seviye'
      }, {
        key: 'price',
        label: 'Fiyat AralÄ±ÄŸÄ±'
      }, {
        key: 'description',
        label: 'AÃ§Ä±klama'
      }, {
        key: 'created_at',
        label: 'Talep Tarihi'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!****************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \****************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }








/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Settings",
  components: {
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BPagination,
    BForm: bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__.BForm,
    BFormGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_21__.BFormGroup,
    BFormCheckbox: bootstrap_vue__WEBPACK_IMPORTED_MODULE_22__.BFormCheckbox,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default())
  },
  data: function data() {
    return {
      modalItem: {},
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: {},
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: {},
      isFetching: false,
      rows: [],
      name: '',
      nameFail: false,
      isTyping: false,
      timeout: null,
      statusFilter: 0,
      perPageOptions: [10, 25, 50, 100],
      errors: {},
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      statusVariant: {
        0: 'outline-secondary ',
        //onay bekliyor
        1: 'outline-success',
        //onaylandÄ±
        2: 'outline-warning' //reddedildi
      },

      showModal: false,
      saving: false,
      minRejectReasonLength: 20,
      approveSelected: null,
      approveOptions: [{
        text: 'Reddet',
        value: 2
      }, {
        text: 'Onayla',
        value: 1
      }]
    };
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/lesson_documents?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;status=' + this.statusFilter + '&amp;name=' + this.name;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this.rows = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    createCustomerData: function createCustomerData(data) {
      this.rows.unshift(data);
    },
    openModal: function openModal(info) {
      this.approveSelected = null;
      this.modalItem = info;
      this.showModal = true;
    },
    onSubmit: function onSubmit() {
      this.saveApprove();
      return false;
    },
    saveApprove: function saveApprove() {
      var _this2 = this;
      this.saving = true;
      this.$http.post('/api/auth/lesson_documents/approve', {
        'id': this.modalItem.id,
        'approveSelected': this.approveSelected,
        'rejectReason': this.modalItem.reject_reason
      }).then(function (response) {
        _this2.showModal = false;
        _this2.fetch();
        _this2.$swal.fire({
          title: 'Kaydedildi!',
          html: '&lt;span&gt;Onay iÅŸlemi kaydedildi.&lt;/span&gt;',
          icon: 'success'
        });
      })["catch"](function (_ref3) {
        var data = _ref3.response.data;
        console.log(data);
        //sweetalert
        _this2.$swal.fire({
          title: 'Hata!',
          html: '&lt;span&gt;' + data.error + '&lt;/span&gt;',
          icon: 'error'
        });
      })["finally"](function () {
        _this2.saving = false;
      });
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    statusFilter: function statusFilter(val) {
      this.fetch();
    },
    name: function name(val) {
      var _this3 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this3.isTyping = false;
        if (!(_this3.name.length &gt; 0 &amp;&amp; _this3.name.length &lt; 3)) {
          _this3.nameFail = false;
          _this3.fetch();
        } else {
          _this3.nameFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_23__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'real_name',
        label: 'Dosya AdÄ±'
      }, {
        key: 'user.name',
        label: 'Ã–ÄŸretmen'
      }, {
        key: 'lesson.name',
        label: 'Ders'
      }, {
        key: 'updated_at',
        label: 'KayÄ±t Tarihi'
      }, {
        key: 'status',
        label: 'StatÃ¼'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    },
    statusOptions: function statusOptions() {
      return [{
        id: 0,
        name: 'Onayda'
      }, {
        id: 1,
        name: 'YayÄ±nda'
      }, {
        id: 2,
        name: 'Reddedildi'
      }];
    },
    status: function status() {
      return {
        0: 'Onayda',
        1: 'YayÄ±nda',
        2: 'Reddedildi'
      };
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***********************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***********************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
var _this = undefined;

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "CreateOrEditCustomPaymentUrl",
  components: {
    BModal: bootstrap_vue__WEBPACK_IMPORTED_MODULE_0__.BModal,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_1__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_2__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__.BCol,
    BForm: bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__.BForm,
    BFormGroup: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BFormGroup,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BFormInput,
    BFormCheckbox: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BFormCheckbox,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BButton
  },
  data: function data() {
    return {
      formSaving: false,
      editData: {
        id: 0,
        question: '',
        answer: ''
      },
      errors: {}
    };
  },
  props: {
    modalId: {
      type: String,
      "default": 'modal-new-faq'
    },
    editRow: {
      type: Object,
      "default": function _default() {
        return _this.editData;
      }
    }
  },
  methods: {
    resetForm: function resetForm() {
      this.$bvModal.hide(this.modalId);
    },
    saveForm: function saveForm() {
      if (this.editData.id &gt; 0) {
        this.updateData();
      } else {
        this.createData();
      }
    },
    updateData: function updateData() {
      var _this2 = this;
      this.formSaving = true;
      var url = "/api/faq/".concat(this.editData.id);
      this.$http.put(url, this.editData).then(function (_ref) {
        var data = _ref.data;
        _this2.$swal.fire({
          title: 'BaÅŸarÄ±lÄ±!',
          html: '&lt;span&gt;S.S.S. gÃ¼ncellendi!&lt;/span&gt;',
          icon: 'success'
        });
        _this2.$emit('create-faq-data', data.data);
        _this2.resetData();
        _this2.resetForm();
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this2.errors = data.errors;
      })["finally"](function () {
        _this2.formSaving = false;
      });
    },
    createData: function createData() {
      var _this3 = this;
      this.formSaving = true;
      this.$http.post('/api/faq', this.editData).then(function (_ref3) {
        var data = _ref3.data;
        _this3.$swal.fire({
          title: 'BaÅŸarÄ±lÄ±!',
          html: '&lt;span&gt;S.S.S. oluÅŸturuldu!&lt;/span&gt;',
          icon: 'success'
        });
        _this3.$emit('create-faq-data', data.data);
        _this3.resetData();
        _this3.resetForm();
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        _this3.$swal.fire({
          title: 'Hata!',
          html: '&lt;span&gt;' + data.message + '&lt;/span&gt;',
          icon: 'error'
        });
        _this3.errors = data.errors;
      })["finally"](function () {
        _this3.formSaving = false;
      });
    },
    resetData: function resetData() {
      this.editData = {
        id: 0,
        question: '',
        answer: ''
      };
    }
  },
  created: function created() {
    this.resetData();
  },
  watch: {
    editRow: function editRow() {
      this.resetData();
      if (this.editRow.id &gt; 0) {
        this.editData = this.editRow;
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var _Rating__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../Rating */ "./resources/js/components/Rating.vue");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }





/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "studentSchedule",
  components: {
    Rating: _Rating__WEBPACK_IMPORTED_MODULE_2__["default"],
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_1___default())
  },
  data: function data() {
    return {
      week: null,
      time: null,
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: [],
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: [],
      studentId: null,
      teacherId: null,
      teachers: [],
      lessonGradeMatchingModalId: 'modal-lesson-grade-matching',
      isFetching: false,
      rows: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      perPageOptions: [10, 25, 50, 100],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      lesson_request: null,
      ratingModal: false
    };
  },
  methods: {
    fetchLessons: function fetchLessons() {
      var _this = this;
      this.$http.get('/api/student_lessons/' + this.user.slug).then(function (response) {
        _this.lessons = [];
        response.data.data.forEach(function (lesson) {
          _this.lessons.push({
            id: lesson.lesson_id,
            name: lesson.lesson.name
          });
        });
        _this.fetchGrades();
      });
    },
    fetchGrades: function fetchGrades() {
      var _this2 = this;
      this.$http.get('/api/student_grades/' + this.user.slug).then(function (response) {
        _this2.grades = [];
        response.data.data.forEach(function (grade) {
          _this2.grades.push({
            id: grade.grade_id,
            name: grade.grade.name
          });
        });
        _this2.fetchTeachers();
      });
    },
    fetchTeachers: function fetchTeachers() {
      var _this3 = this;
      this.$http.get('/api/student_teachers/' + this.user.slug).then(function (response) {
        _this3.teachers = [];
        response.data.data.forEach(function (teacher) {
          _this3.teachers.push({
            id: teacher.teacher_id,
            name: teacher.teacher.name
          });
        });
      });
    },
    fetch: function fetch() {
      var _this4 = this;
      this.isFetching = true;
      var url = '/api/lesson_ratings' + '?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;lessonId=' + this.lessonId + '&amp;teacherId=' + this.teacherId + '&amp;studentId=' + this.studentId + '&amp;gradeId=' + this.gradeId + '&amp;status=' + this.status;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this4.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this4.rows = data.data;
        _this4.rows.forEach(function (row) {
          row.status = row.approved_by ? 'approved' : row.deleted_by ? 'rejected' : 'pending';
        });
        _this4.fetchLessons();
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this4.rows = [];
      })["finally"](function () {
        _this4.isFetching = false;
      });
    },
    createCustomerData: function createCustomerData(data) {
      this.rows.unshift(data);
    },
    editRating: function editRating(item) {
      this.lesson_request = item;
      this.ratingModal = true;
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    lessonId: function lessonId(val) {
      this.fetch();
    },
    gradeId: function gradeId(val) {
      this.fetch();
    },
    teacherId: function teacherId(val) {
      this.fetch();
    },
    searchQuery: function searchQuery(val) {
      var _this5 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this5.isTyping = false;
        if (!(_this5.searchQuery.length &gt; 0 &amp;&amp; _this5.searchQuery.length &lt; 3)) {
          _this5.searchQueryFail = false;
          _this5.fetch();
        } else {
          _this5.searchQueryFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_17__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'student',
        label: 'Ã–ÄŸrenci AdÄ±'
      }, {
        key: 'teacher',
        label: 'EÄŸitmen AdÄ±'
      }, {
        key: 'lesson',
        label: 'Ders'
      }, {
        key: 'grade',
        label: 'Seviye'
      }, {
        key: 'status',
        label: 'Durum'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Settings.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Settings.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var _Account_Modals_CreateOrEditLesson__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../Account/Modals/CreateOrEditLesson */ "./resources/js/components/Account/Modals/CreateOrEditLesson.vue");
/* harmony import */ var _Account_Modals_CreateOrEditGrade__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../Account/Modals/CreateOrEditGrade */ "./resources/js/components/Account/Modals/CreateOrEditGrade.vue");
/* harmony import */ var _Account_Modals_LessonGradeMatching__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../Account/Modals/LessonGradeMatching */ "./resources/js/components/Account/Modals/LessonGradeMatching.vue");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }








/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Settings",
  components: {
    CreateOrEditLesson: _Account_Modals_CreateOrEditLesson__WEBPACK_IMPORTED_MODULE_2__["default"],
    CreateOrEditGrade: _Account_Modals_CreateOrEditGrade__WEBPACK_IMPORTED_MODULE_3__["default"],
    LessonGradeMatching: _Account_Modals_LessonGradeMatching__WEBPACK_IMPORTED_MODULE_4__["default"],
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask
  },
  data: function data() {
    return {
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: {},
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: {},
      lessonGradeMatchingModalId: 'modal-lesson-grade-matching'
    };
  },
  methods: {
    fetchLessons: function fetchLessons() {
      var _this = this;
      this.$http.get('/api/lessons').then(function (response) {
        _this.lessons = response.data.data;
      });
    },
    fetchGrades: function fetchGrades() {
      var _this2 = this;
      this.$http.get('/api/grades').then(function (response) {
        _this2.grades = response.data.data;
        _this2.grades = _this2.grades.filter(function (grade) {
          return grade.status === 1;
        });
      });
    },
    editLesson: function editLesson() {
      document.getElementById('myInput').focus();
    },
    showLessonModal: function showLessonModal(id) {
      this.lessonId = id;
      this.$bvModal.show(this.lessonModalId);
      this.focus('name', 300);
    },
    showGradeModal: function showGradeModal(id) {
      this.gradeId = id;
      this.$bvModal.show(this.gradeModalId);
      this.focus('name', 300);
    },
    showLessonGradeMatchingModal: function showLessonGradeMatchingModal(id) {
      this.lessonId = id;
      this.$bvModal.show(this.lessonGradeMatchingModalId);
    },
    createLessonData: function createLessonData(data) {
      this.lessons.push(data);
    },
    updateLessonData: function updateLessonData(data) {
      this.fetchLessons();
    },
    createGradeData: function createGradeData(data) {
      this.grades.push(data);
    },
    updateGradeData: function updateGradeData(data) {
      this.fetchGrades();
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_7__.mapGetters)(['isLoggedIn', 'user'])),
  created: function created() {
    if (!this.isLoggedIn || this.user.type !== 'admin') {
      this.$router.push('/');
    }
    this.fetchLessons();
    this.fetchGrades();
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var _Account_Modals_CreateOrEditLesson__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../Account/Modals/CreateOrEditLesson */ "./resources/js/components/Account/Modals/CreateOrEditLesson.vue");
/* harmony import */ var _Account_Modals_CreateOrEditGrade__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../Account/Modals/CreateOrEditGrade */ "./resources/js/components/Account/Modals/CreateOrEditGrade.vue");
/* harmony import */ var _Account_Modals_LessonGradeMatching__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../Account/Modals/LessonGradeMatching */ "./resources/js/components/Account/Modals/LessonGradeMatching.vue");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_7___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_7__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }











/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Settings",
  components: {
    CreateOrEditLesson: _Account_Modals_CreateOrEditLesson__WEBPACK_IMPORTED_MODULE_2__["default"],
    CreateOrEditGrade: _Account_Modals_CreateOrEditGrade__WEBPACK_IMPORTED_MODULE_3__["default"],
    LessonGradeMatching: _Account_Modals_LessonGradeMatching__WEBPACK_IMPORTED_MODULE_4__["default"],
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_21__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_22__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_7___default())
  },
  data: function data() {
    return {
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: {},
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: {},
      lessonGradeMatchingModalId: 'modal-lesson-grade-matching',
      isFetching: false,
      rows: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      statusFilter: null,
      perPageOptions: [10, 25, 50, 100],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      statusVariant: {
        0: 'outline-danger ',
        1: 'outline-primary'
      }
    };
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '../api/users?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;statusText=' + this.statusFilter + '&amp;searchQuery=' + this.searchQuery + '&amp;type=';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this.rows = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    updateCustomerData: function updateCustomerData(data) {
      var _this2 = this;
      this.customerData = data;
      this.rows = this.rows.map(function (row) {
        if (row.id === _this2.customerId) {
          data.status = data.status ? 1 : 0;
          row = data;
        }
        return row;
      });
    },
    createCustomerData: function createCustomerData(data) {
      this.rows.unshift(data);
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    statusFilter: function statusFilter(val) {
      this.fetch();
    },
    searchQuery: function searchQuery(val) {
      var _this3 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this3.isTyping = false;
        if (!(_this3.searchQuery.length &gt; 0 &amp;&amp; _this3.searchQuery.length &lt; 3)) {
          _this3.searchQueryFail = false;
          _this3.fetch();
        } else {
          _this3.searchQueryFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_23__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'name',
        label: 'Ä°sim'
      }, {
        key: 'email',
        label: 'E-Mail'
      }, {
        key: 'mobile',
        label: 'Telefon'
      }, {
        key: 'created_at',
        label: 'KayÄ±t Tarihi'
      }, {
        key: 'updated_at',
        label: 'GÃ¼ncelleme Tarihi'
      }, {
        key: 'status',
        label: 'StatÃ¼'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    },
    statusOptions: function statusOptions() {
      return [{
        id: 1,
        name: 'Aktif'
      }, {
        id: 0,
        name: 'Pasif'
      }];
    },
    status: function status() {
      return {
        0: 'Pasif',
        1: 'Aktif'
      };
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var _Account_Modals_CreateOrEditLesson__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../Account/Modals/CreateOrEditLesson */ "./resources/js/components/Account/Modals/CreateOrEditLesson.vue");
/* harmony import */ var _Account_Modals_CreateOrEditGrade__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../Account/Modals/CreateOrEditGrade */ "./resources/js/components/Account/Modals/CreateOrEditGrade.vue");
/* harmony import */ var _Account_Modals_LessonGradeMatching__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../Account/Modals/LessonGradeMatching */ "./resources/js/components/Account/Modals/LessonGradeMatching.vue");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_7___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_7__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }











/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Settings",
  components: {
    CreateOrEditLesson: _Account_Modals_CreateOrEditLesson__WEBPACK_IMPORTED_MODULE_2__["default"],
    CreateOrEditGrade: _Account_Modals_CreateOrEditGrade__WEBPACK_IMPORTED_MODULE_3__["default"],
    LessonGradeMatching: _Account_Modals_LessonGradeMatching__WEBPACK_IMPORTED_MODULE_4__["default"],
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_21__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_22__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_7___default())
  },
  data: function data() {
    return {
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: {},
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: {},
      lessonGradeMatchingModalId: 'modal-lesson-grade-matching',
      isFetching: false,
      rows: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      statusFilter: null,
      perPageOptions: [10, 25, 50, 100],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      statusVariant: {
        0: 'outline-danger ',
        1: 'outline-primary'
      }
    };
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '../api/users?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;statusText=' + this.statusFilter + '&amp;searchQuery=' + this.searchQuery + '&amp;type=teacher';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this.rows = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    updateCustomerData: function updateCustomerData(data) {
      var _this2 = this;
      this.customerData = data;
      this.rows = this.rows.map(function (row) {
        if (row.id === _this2.customerId) {
          data.status = data.status ? 1 : 0;
          row = data;
        }
        return row;
      });
    },
    createCustomerData: function createCustomerData(data) {
      this.rows.unshift(data);
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    statusFilter: function statusFilter(val) {
      this.fetch();
    },
    searchQuery: function searchQuery(val) {
      var _this3 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this3.isTyping = false;
        if (!(_this3.searchQuery.length &gt; 0 &amp;&amp; _this3.searchQuery.length &lt; 3)) {
          _this3.searchQueryFail = false;
          _this3.fetch();
        } else {
          _this3.searchQueryFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_23__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'name',
        label: 'Ä°sim'
      }, {
        key: 'email',
        label: 'E-Mail'
      }, {
        key: 'mobile',
        label: 'Telefon'
      }, {
        key: 'created_at',
        label: 'KayÄ±t Tarihi'
      }, {
        key: 'updated_at',
        label: 'GÃ¼ncelleme Tarihi'
      }, {
        key: 'status',
        label: 'StatÃ¼'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    },
    statusOptions: function statusOptions() {
      return [{
        id: 1,
        name: 'Aktif'
      }, {
        id: 0,
        name: 'Pasif'
      }];
    },
    status: function status() {
      return {
        0: 'Pasif',
        1: 'Aktif'
      };
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Blog.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***********************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Blog.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***********************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Blog",
  data: function data() {
    return {
      isFetching: true,
      blogs: [],
      isFetchingLatest: true,
      latestBlogs: [],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 4,
        lastPage: 0,
        total: 0
      }
    };
  },
  methods: {
    linkGen: function linkGen(pageNum) {
      return "/blog/sayfa/".concat(pageNum);
    },
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/posts?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;status=1';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this.blogs = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    fetchLatest: function fetchLatest() {
      var _this2 = this;
      this.isFetchingLatest = true;
      var url = '../api/posts/latest/5';
      this.$http.get(url).then(function (_ref3) {
        var data = _ref3.data;
        _this2.latestBlogs = data.data;
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        console.log(data);
        _this2.latestBlogs = [];
      })["finally"](function () {
        _this2.isFetchingLatest = false;
      });
    }
  },
  computed: _objectSpread({
    metaData: function metaData() {
      return this.metaData;
    }
  }, (0,vuex__WEBPACK_IMPORTED_MODULE_0__.mapGetters)(['isLoggedIn', 'user'])),
  watch: {
    '$route': function $route(to, from) {
      this.metaData.currentPage = to.params.page_number;
      this.fetch();
    }
  },
  created: function created() {
    if (this.$route.params.page_number) {
      this.metaData.currentPage = this.$route.params.page_number;
    }
    this.fetch();
    this.fetchLatest();
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogDetails.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!******************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogDetails.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \******************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Blog",
  data: function data() {
    return {
      fetching: false,
      row: [],
      isFetchingLatest: true,
      latestBlogs: [],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      }
    };
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.fetching = true;
      this.$http.get('/api/posts/' + this.$route.params.slug).then(function (response) {
        _this.row = response.data.data;
        _this.row.tags = _this.row.tagged.map(function (tag) {
          return tag.tag_name;
        });
        _this.fetching = false;
      });
    },
    fetchLatest: function fetchLatest() {
      var _this2 = this;
      this.isFetchingLatest = true;
      var url = '../api/posts/latest/5';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this2.latestBlogs = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this2.latestBlogs = [];
      })["finally"](function () {
        _this2.isFetchingLatest = false;
      });
    }
  },
  created: function created() {
    this.fetch();
    this.fetchLatest();
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!******************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \******************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }








/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Settings",
  components: {
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default())
  },
  data: function data() {
    return {
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: {},
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: {},
      lessonGradeMatchingModalId: 'modal-lesson-grade-matching',
      isFetching: false,
      rows: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      statusFilter: null,
      perPageOptions: [10, 25, 50, 100],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      statusVariant: {
        0: 'outline-secondary ',
        //taslak
        1: 'outline-success',
        //yayÄ±nda
        '-1': 'outline-danger',
        //reddedildi
        3: 'outline-warning',
        //onayda
        '-2': 'outline-primary' //silindi
      }
    };
  },

  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '../api/posts?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;status=' + this.statusFilter + '&amp;searchQuery=' + this.searchQuery + '&amp;user_id=' + this.user.id;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this.rows = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    createCustomerData: function createCustomerData(data) {
      this.rows.unshift(data);
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    statusFilter: function statusFilter(val) {
      this.fetch();
    },
    searchQuery: function searchQuery(val) {
      var _this2 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this2.isTyping = false;
        if (!(_this2.searchQuery.length &gt; 0 &amp;&amp; _this2.searchQuery.length &lt; 3)) {
          _this2.searchQueryFail = false;
          _this2.fetch();
        } else {
          _this2.searchQueryFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_20__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'title',
        label: 'BaÅŸlÄ±k'
      }, {
        key: 'created_at',
        label: 'KayÄ±t Tarihi'
      }, {
        key: 'updated_at',
        label: 'GÃ¼ncelleme Tarihi'
      }, {
        key: 'status',
        label: 'StatÃ¼'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    },
    statusOptions: function statusOptions() {
      return [{
        id: 0,
        name: 'Taslak'
      }, {
        id: 1,
        name: 'YayÄ±nda'
      }, {
        id: 2,
        name: 'Reddedildi'
      }, {
        id: 3,
        name: 'Onayda'
      }];
    },
    status: function status() {
      return {
        0: 'Taslak',
        1: 'YayÄ±nda',
        2: 'Reddedildi',
        3: 'Onayda'
      };
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }





/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "EditProfile",
  components: {
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask
  },
  data: function data() {
    return {
      tagLimit: 10,
      uploadingProfilePhoto: false,
      uploadingCoverPhoto: false,
      profileCroppa: {},
      coverCroppa: {},
      cropBlobProfile: null,
      cropBlobCover: null,
      profile_image: null,
      cover_image: null,
      form: {
        id: null,
        title: '',
        content: "&lt;h1&gt;Merhaba&lt;/h1&gt;&lt;p&gt;Bu alana yazÄ±nÄ±zÄ± yazÄ±n.&lt;/p&gt;",
        tags: [],
        profilePicture: '',
        coverPicture: ''
      },
      errors: {
        post: {
          title: '',
          content: '',
          tags: ''
        }
      },
      posting: {
        post: false,
        approval: false
      },
      message: '',
      saved: false,
      saving: false,
      minRejectReasonLength: 20,
      reject_reason: '',
      approveSelected: null,
      approveOptions: [{
        text: 'Reddet',
        value: 2
      }, {
        text: 'Onayla',
        value: 1
      }]
    };
  },
  methods: {
    fetchPost: function fetchPost() {
      var _this = this;
      this.posting.content = true;
      this.$http.get('/api/posts/' + this.$route.params.slug).then(function (response) {
        _this.form = response.data.data;
        _this.form.tags = _this.form.tagged.map(function (tag) {
          return tag.tag_name;
        });
        _this.posting.content = false;
      });
    },
    uploadProfilePhoto: function uploadProfilePhoto() {
      var _this2 = this;
      if (!this.profileCroppa.hasImage()) {
        this.$swal.fire({
          title: 'FotoÄŸraf SeÃ§iniz!',
          html: 'YÃ¼klemek iÃ§in bir fotoÄŸraf seÃ§iniz.',
          icon: 'error'
        });
        return false;
      }
      this.uploadingProfilePhoto = true;
      this.profileCroppa.generateBlob(function (blob) {
        var fd = new FormData();
        fd.append('file', blob, 'profile_photo.jpg');
        _this2.$http.post('/api/auth/posts/' + _this2.form.id + '/profile_photo', fd, {
          headers: {
            "Content-Type": "multipart/form-data"
          }
        }).then(function (response) {
          _this2.$swal.fire({
            title: 'YÃ¼klendi!',
            html: 'Profil FotoÄŸrafÄ± kaydedildi',
            icon: 'success'
          });
        })["finally"](function () {
          _this2.uploadingProfilePhoto = false;
        });
      }, 'image/jpeg', 1.0);
    },
    uploadCoverPhoto: function uploadCoverPhoto() {
      var _this3 = this;
      if (!this.coverCroppa.hasImage()) {
        this.$swal.fire({
          title: 'FotoÄŸraf SeÃ§iniz!',
          html: 'YÃ¼klemek iÃ§in bir fotoÄŸraf seÃ§iniz.',
          icon: 'error'
        });
        return false;
      }
      this.uploadingCoverPhoto = true;
      this.coverCroppa.generateBlob(function (blob) {
        var fd = new FormData();
        fd.append('file', blob, 'cover_photo.jpg');
        _this3.$http.post('/api/auth/posts/' + _this3.form.id + '/cover_photo', fd, {
          headers: {
            "Content-Type": "multipart/form-data"
          }
        }).then(function (response) {
          _this3.$swal.fire({
            title: 'YÃ¼klendi!',
            html: 'Kapak FotoÄŸrafÄ± kaydedildi',
            icon: 'success'
          });
        })["finally"](function () {
          _this3.uploadingCoverPhoto = false;
        });
      }, 'image/jpeg', 1.0);
    },
    onFileTypeMismatch: function onFileTypeMismatch(file) {
      alert('Sadece jpg ve png dosyalarÄ±nÄ± yÃ¼kleyebilirsiniz.');
    },
    onFileSizeExceed: function onFileSizeExceed(file) {
      alert('10 MBtan bÃ¼yÃ¼k dosya yÃ¼klenemez.');
    },
    savePost: function savePost() {
      var _this4 = this;
      this.posting.post = true;
      this.$http.post('/api/auth/posts', this.form).then(function (response) {
        _this4.form.id = response.data.data.id;
        _this4.$swal.fire({
          title: 'Kaydedildi!',
          html: '&lt;span&gt;Taslak kaydedildi.&lt;/span&gt;',
          icon: 'success'
        });
      })["catch"](function (_ref) {
        var data = _ref.response.data;
        _this4.posting.post = false;
        _this4.errors.post = data.errors;
        _this4.$swal.fire({
          title: 'Hata!',
          html: '&lt;span&gt;' + data.message + '&lt;/span&gt;',
          icon: 'error'
        });
      })["finally"](function () {
        _this4.posting.post = false;
      });
    },
    updatePost: function updatePost() {
      var _this5 = this;
      this.$swal({
        title: 'GÃ¼ncellemek istediÄŸinize emin misiniz?',
        text: "Admin olarak bir blog yazÄ±sÄ±nÄ± gÃ¼ncellemek Ã¼zeresiniz.",
        icon: 'warning',
        showCancelButton: true,
        confirmButtonColor: '#3085d6',
        cancelButtonColor: '#d33',
        cancelButtonText: 'VazgeÃ§',
        confirmButtonText: 'Evet, GÃ¼ncelle'
      }).then(function (result) {
        if (result.isConfirmed) {
          _this5.$http.post("/api/auth/posts/".concat(_this5.form.id, "/update"), {
            title: _this5.form.title,
            content: _this5.form.content,
            tags: _this5.form.tags
          }).then(function (_ref2) {
            var data = _ref2.data;
            _this5.$swal('GÃ¼ncellendi!', 'Blog yazÄ±sÄ± gÃ¼ncellendi.', 'success');
            _this5.$router.push('/yonetim/blog_yazilari');
          })["catch"](function (_ref3) {
            var data = _ref3.response.data;
            _this5.posting.post = false;
            _this5.errors.post = data.errors;
            _this5.$swal.fire({
              title: 'Hata!',
              html: '&lt;span&gt;' + data.message + '&lt;/span&gt;',
              icon: 'error'
            });
          });
        }
      });
    },
    deletePost: function deletePost() {
      var _this6 = this;
      this.$swal({
        title: 'Blog yazÄ±sÄ±nÄ± silmek istediÄŸinizden emin misiniz?',
        text: "Bu iÅŸlem geri alÄ±namaz! LÃ¼tfen silme sebebinizi belirtin.",
        icon: 'warning',
        input: 'textarea',
        inputPlaceholder: 'Silme sebebinizi buraya yazÄ±n...',
        showCancelButton: true,
        confirmButtonColor: '#3085d6',
        cancelButtonColor: '#d33',
        cancelButtonText: 'VazgeÃ§',
        confirmButtonText: 'Evet, YazÄ±yÄ± sil!',
        inputValidator: function inputValidator(value) {
          if (!value) {
            return 'Silme sebebinizi belirtmeniz gerekiyor!';
          }
        }
      }).then(function (result) {
        if (result.isConfirmed) {
          var deleteReason = result.value;
          _this6.$http.post("/api/auth/posts/".concat(_this6.form.id, "/delete"), {
            delete_reason: deleteReason
          }).then(function (_ref4) {
            var data = _ref4.data;
            _this6.$swal('Silindi!', 'Silme iÅŸlemi baÅŸarÄ±lÄ±.', 'success');
            _this6.$router.push('/yonetim/blog_yazilari');
          })["catch"](function (_ref5) {
            var data = _ref5.response.data;
            _this6.posting.post = false;
            _this6.errors.post = data.errors;
            _this6.$swal.fire({
              title: 'Hata!',
              html: '&lt;span&gt;' + data.message + '&lt;/span&gt;',
              icon: 'error'
            });
          });
        }
      });
    },
    restorePost: function restorePost() {
      var _this7 = this;
      this.$swal({
        title: 'Blog yazÄ±sÄ±nÄ± geri getirmek istediÄŸinizden emin misiniz?',
        text: "LÃ¼tfen geri getirme sebebinizi belirtin.",
        icon: 'warning',
        input: 'textarea',
        inputPlaceholder: 'Geri getirme sebebinizi buraya yazÄ±n...',
        showCancelButton: true,
        confirmButtonColor: '#3085d6',
        cancelButtonColor: '#d33',
        cancelButtonText: 'VazgeÃ§',
        confirmButtonText: 'Evet, YazÄ±yÄ± geri getir!',
        inputValidator: function inputValidator(value) {
          if (!value) {
            return 'Geri getirme sebebinizi belirtmeniz gerekiyor!';
          }
        }
      }).then(function (result) {
        if (result.isConfirmed) {
          var restoreReason = result.value;
          _this7.$http.post("/api/auth/posts/".concat(_this7.form.id, "/restore"), {
            restore_reason: restoreReason
          }).then(function (_ref6) {
            var data = _ref6.data;
            _this7.$swal.fire({
              title: 'Geri Getirildi!',
              html: '&lt;span&gt;' + data.success + '&lt;/span&gt;',
              icon: 'success'
            });
            _this7.$router.push('/yonetim/blog_yazilari');
          })["catch"](function (_ref7) {
            var data = _ref7.response.data;
            _this7.posting.post = false;
            _this7.errors.post = data.errors;
            _this7.$swal.fire({
              title: 'Hata!',
              html: '&lt;span&gt;' + data.message + '&lt;/span&gt;',
              icon: 'error'
            });
          });
        }
      });
    },
    sendForApproval: function sendForApproval() {
      var _this8 = this;
      if (!this.form.id) {
        this.$swal.fire({
          title: 'Hata!',
          html: '&lt;span&gt;Post ID bulunamadÄ±.&lt;/span&gt;',
          icon: 'error'
        });
        return false;
      }
      this.posting.approval = true;
      this.form.approval = true;
      this.$http.post('/api/auth/posts/send_for_approval', this.form).then(function (response) {
        _this8.$swal.fire({
          title: 'Onaya gÃ¶nderildi!',
          html: '&lt;span&gt;YazÄ± onaya gÃ¶nderildi.&lt;/span&gt;',
          icon: 'info'
        }).then(_this8.$router.push('/yonetim/blog_yazilarim'));
      })["catch"](function (_ref8) {
        var data = _ref8.response.data;
        _this8.$swal.fire({
          title: 'Hata!',
          html: '&lt;span&gt;' + data.error + '&lt;/span&gt;',
          icon: 'error'
        });
      })["finally"](function () {
        _this8.posting.approval = false;
      });
    },
    saveApprove: function saveApprove() {
      var _this9 = this;
      // saving approve by admin
      this.saving = true;
      this.$http.post('/api/auth/posts/approve', {
        'id': this.form.id,
        'approveSelected': this.approveSelected,
        'rejectReason': this.reject_reason,
        'form': this.form
      }).then(function (response) {
        _this9.$swal.fire({
          title: 'Kaydedildi!',
          html: '&lt;span&gt;Onay iÅŸlemi tamamlandÄ±.&lt;/span&gt;',
          icon: 'success'
        }).then(function () {
          _this9.$router.push('/yonetim/blog_yazilari');
        });
      })["catch"](function (_ref9) {
        var data = _ref9.response.data;
        console.log(data);
        //sweetalert
        _this9.$swal.fire({
          title: 'Hata!',
          html: '&lt;span&gt;' + data.error + '&lt;/span&gt;',
          icon: 'error'
        });
      })["finally"](function () {
        _this9.saving = false;
      });
    }
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_4__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    // router name
    checking: function checking() {
      return this.$route.name === 'checkBlog';
    },
    disabled: function disabled() {
      return this.form.status === 3 &amp;&amp; !this.checking &amp;&amp; this.user.type !== 'admin' || this.form.status === -1 || this.form.status === -2;
    }
  }),
  created: function created() {
    if (!this.isLoggedIn) {
      this.$router.push('/giris-yap');
    }
    if (this.$route.params.slug) {
      this.fetchPost();
    }
  },
  watch: {
    isLoggedIn: {
      handler: function handler() {
        if (!this.isLoggedIn) {
          this.$router.push('/giris-yap');
        }
      },
      deep: true
    },
    postContent: {
      handler: function handler() {
        this.canSubmit.post = true;
      },
      deep: true
    },
    form: {
      handler: function handler() {
        this.profile_image = '/images/posts/profile_photos/' + this.form.photo_profile;
        this.cover_image = '/images/posts/cover_photos/' + this.form.photo_cover;
      },
      deep: true
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }








/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "FreeLessonRequests",
  components: {
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default())
  },
  data: function data() {
    return {
      minDay: new Date().toISOString().substr(0, 10),
      maxDay: new Date(new Date().setDate(new Date().getDate() + 90)).toISOString().substr(0, 10),
      email: null,
      emailFail: false,
      isFetching: false,
      student: [],
      isTyping: false,
      timeout: null,
      lessons: [],
      requestData: {},
      requestPosting: false,
      availableHours: [],
      requestModal: false,
      currentStudent: null,
      lesson: null,
      fetchingHours: false,
      paymentOptions: [{
        text: 'Kredi KartÄ± ile Ã¶dedi',
        value: 1
      }, {
        text: 'Havale/Eft ile Ã¶dedi',
        value: 0
      }],
      lessonPrices: [],
      fetchingLessonPrices: false
    };
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = 'api/users/' + this.email + '/find_student_by_email';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.student = data.user;
        _this.emailFail = false;
        _this.fetchPricedLessons();
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        _this.emailFail = true;
        _this.$swal({
          title: 'Hata!',
          text: data.message,
          type: 'error',
          confirmButtonText: 'Tamam'
        });
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    fetchPricedLessons: function fetchPricedLessons() {
      var _this2 = this;
      var url = '/api/users/' + this.user.slug + '/lessons';
      this.$http.get(url).then(function (_ref3) {
        var data = _ref3.data;
        _this2.lessons = data;
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        console.log(data);
      })["finally"](function (_ref5) {
        var data = _ref5.data;
        console.log(data);
      });
    },
    lessonRequest: function lessonRequest(student, user, lesson) {
      var _this3 = this;
      if (!this.isLoggedIn) {
        // this.$router.push('/giris-yap')
        this.$swal.fire({
          title: 'Hata!',
          html: 'Ã–nce giriÅŸ yapmalÄ±sÄ±nÄ±z.',
          icon: 'error',
          showConfirmButton: true,
          confirmButtonText: 'GiriÅŸ Yap',
          confirmButtonColor: '#3085d6',
          showCancelButton: true,
          cancelButtonText: 'Kapat'
        }).then(function (result) {
          if (result.value) {
            _this3.$router.push('/giris-yap');
          }
        });
        return false;
      }
      this.lesson = lesson;
      this.requestModal = true;
      this.currentstudent = student;
      this.availableHours = {};
      this.requestData = {
        student_id: student.id,
        grade_id: student.grade_id,
        lesson_id: lesson.id,
        date: '',
        selected_hours: [],
        price: null,
        payment_method: null,
        description: '',
        booker: 1
      };
    },
    requestLesson: function requestLesson() {
      var _this4 = this;
      this.requestPosting = true;
      this.$http.post('/api/auth/lesson_reservation/request', this.requestData).then(function (_ref6) {
        var data = _ref6.data;
        _this4.requestData.id = data.data.id;
        _this4.requestModal = false;
        _this4.$swal.fire({
          title: 'BaÅŸarÄ±lÄ±!',
          html: data.message,
          icon: 'success'
        });
        if (data.data.payment_method === 1) {
          _this4.paymentPopup();
        } else {}
      })["catch"](function (_ref7) {
        var data = _ref7.response.data;
        _this4.$swal.fire({
          title: 'Hata!',
          html: data.message,
          icon: 'error'
        });
      })["finally"](function () {
        _this4.requestPosting = false;
      });
    },
    getAvailableHours: function getAvailableHours() {
      var _this5 = this;
      this.fetchingHours = true;
      this.$http.get('/api/users/' + this.user.slug + '/available_hours/' + this.requestData.date).then(function (response) {
        if (response.status === 200 &amp;&amp; response.data) {
          _this5.availableHours = response.data.hours;
          _this5.requestData.selected_hours = [];
        }
      })["catch"](function (_ref8) {
        var data = _ref8.response.data;
        _this5.availableHours = {};
        _this5.$swal.fire({
          title: 'Hata!',
          html: data.error,
          icon: 'error'
        });
      })["finally"](function () {
        _this5.fetchingHours = false;
      });
    },
    getLessonPrices: function getLessonPrices() {
      var _this6 = this;
      this.fetchingLessonPrices = true;
      this.$http.get('/api/users/' + this.user.slug + '/lesson_grade_prices/' + this.requestData.lesson_id).then(function (response) {
        if (response.status === 200 &amp;&amp; response.data) {
          _this6.lessonPrices = response.data;
          console.log(_this6.lessonPrices);
        }
      })["catch"](function (_ref9) {
        var data = _ref9.response.data;
        _this6.lessonPrices = {};
        _this6.$swal.fire({
          title: 'Hata!',
          html: data.error,
          icon: 'error'
        });
      })["finally"](function () {
        _this6.fetchingLessonPrices = false;
      });
    }
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_20__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'name',
        label: 'Talep eden'
      }, {
        key: 'lesson',
        label: 'Ders'
      }, {
        key: 'grade',
        label: 'Seviye'
      }, {
        key: 'price',
        label: 'Fiyat AralÄ±ÄŸÄ±'
      }, {
        key: 'week',
        label: 'Hafta Ä°Ã§i/Sonu'
      }, {
        key: 'time',
        label: 'GÃ¼ndÃ¼z/AkÅŸam'
      }, {
        key: 'created_at',
        label: 'Talep Tarihi'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    },
    weeks: function weeks() {
      return {
        0: 'Farketmez',
        1: 'Hafta Ä°Ã§i',
        2: 'Hafta Sonu'
      };
    },
    weekOptions: function weekOptions() {
      return [{
        id: 0,
        name: 'Farketmez'
      }, {
        id: 1,
        name: 'Hafta Ä°Ã§i'
      }, {
        id: 2,
        name: 'Hafta Sonu'
      }];
    },
    times: function times() {
      return {
        0: 'Farketmez',
        1: 'GÃ¼ndÃ¼z',
        2: 'AkÅŸam'
      };
    },
    timeOptions: function timeOptions() {
      return [{
        id: 0,
        name: 'Farketmez'
      }, {
        id: 1,
        name: 'GÃ¼ndÃ¼z'
      }, {
        id: 2,
        name: 'AkÅŸam'
      }];
    }
  }),
  watch: {
    'requestData.date': function requestDataDate(to, from) {
      this.getAvailableHours();
    },
    'requestData.lesson_id': function requestDataLesson_id(to, from) {
      this.requestData.grade_id = null;
      this.getLessonPrices();
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Components/StarRating.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!****************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Components/StarRating.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \****************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _unsupportedIterableToArray(arr) || _nonIterableSpread(); }
function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }
function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }
function _iterableToArray(iter) { if (typeof Symbol !== "undefined" &amp;&amp; iter[Symbol.iterator] != null || iter["@@iterator"] != null) return Array.from(iter); }
function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) return _arrayLikeToArray(arr); }
function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) arr2[i] = arr[i]; return arr2; }
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  props: {
    rating: {
      type: Number,
      required: false
    },
    ratingCount: {
      type: Number,
      required: false
    },
    alignment: {
      type: String,
      "default": 'left'
    }
  },
  computed: {
    stars: function stars() {
      var fullStars = Math.floor(this.rating);
      var hasHalfStar = this.rating % 1 &gt;= 0.5;
      var emptyStars = 5 - fullStars - (hasHalfStar ? 1 : 0);
      return [].concat(_toConsumableArray(Array(fullStars).fill('full')), _toConsumableArray(hasHalfStar ? ['half'] : []), _toConsumableArray(Array(emptyStars).fill('empty')));
    }
  },
  methods: {
    getStarClass: function getStarClass(star) {
      if (star === 'full') return 'fas fa-star';
      if (star === 'half') return 'fas fa-star-half-alt';
      return 'far fa-star';
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Contact.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Contact.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Contact",
  data: function data() {
    return {
      postUrl: '/api/contact/visitor_message',
      formData: {
        name: '',
        email: '',
        subject: '',
        message: '',
        recaptcha_token: null
      },
      posting: false
    };
  },
  mounted: function mounted() {
    this.initializeRecaptcha();
  },
  methods: {
    initializeRecaptcha: function initializeRecaptcha() {
      var _this = this;
      grecaptcha.ready(function () {
        grecaptcha.execute('6LeHIeAoAAAAADuH6FztAXHyDluqy7CoiUdN-jg4', {
          action: 'submit'
        }).then(function (token) {
          _this.formData.recaptcha_token = token;
        });
      });
    },
    sendMessage: function sendMessage() {
      var _this2 = this;
      this.posting = true;
      if (this.isLoggedIn) {
        this.postUrl = '/api/contact/user_message';
      }
      this.$http.post(this.postUrl, this.formData).then(function (response) {
        _this2.$swal.fire({
          title: 'GÃ¶nderildi!',
          html: '&lt;span&gt;MesajÄ±nÄ±z gÃ¶nderildi.&lt;/span&gt;',
          icon: 'success'
        });
        _this2.formReset();
      })["catch"](function (_ref) {
        var data = _ref.response.data;
        var errorText = '';
        Object.keys(data.errors).forEach(function (key) {
          errorText += data.errors[key] + '&lt;br&gt;';
        });
        _this2.$swal.fire({
          title: 'Hata!',
          html: '&lt;span&gt;' + errorText + '&lt;/span&gt;',
          icon: 'error'
        });
      })["finally"](function () {
        _this2.posting = false;
      });
    },
    formReset: function formReset() {
      this.formData = {
        name: '',
        email: '',
        subject: '',
        message: '',
        recaptcha_token: null
      };
      if (this.isLoggedIn) {
        this.formData.email = this.user.email;
        this.formData.name = this.user.name;
      }
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_2__.mapGetters)(['isLoggedIn', 'user'])),
  created: function created() {
    this.formReset();
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Courses.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Courses.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var _TeacherProfileSummary_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./TeacherProfileSummary.vue */ "./resources/js/components/TeacherProfileSummary.vue");
/* harmony import */ var _mixins_priceListMixin__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../mixins/priceListMixin */ "./resources/js/mixins/priceListMixin.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Courses",
  mixins: [_mixins_priceListMixin__WEBPACK_IMPORTED_MODULE_1__["default"]],
  components: {
    TeacherProfileSummary: _TeacherProfileSummary_vue__WEBPACK_IMPORTED_MODULE_0__["default"]
  },
  data: function data() {
    return {
      isFetching: true,
      rows: [],
      lessons: [],
      grades: [],
      priceListMixin: _mixins_priceListMixin__WEBPACK_IMPORTED_MODULE_1__["default"],
      order_by: {
        'artan_fiyat': 'â†‘ Artan Fiyat',
        'azalan_fiyat': 'â†“ Azalan Fiyat',
        'yuksek_indirim': 'YÃ¼ksek Ä°ndirim',
        'dusuk_indirim': 'DÃ¼ÅŸÃ¼k Ä°ndirim'
      },
      filter: {
        lesson_id: '',
        grade_id: '',
        price: '',
        order_by: 'artan_fiyat'
      },
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 9,
        lastPage: 0,
        total: 0
      },
      currentRow: {},
      requestModal: false,
      teacherProfileSummary: false,
      teacherProfileSummaryUser: null,
      requestData: {
        id: null,
        teacher_id: '',
        lesson_id: '',
        grade_id: '',
        date: '',
        hour: '',
        price: '',
        payment_method: 1,
        selected_hours: []
      },
      paymentOptions: [{
        text: 'Kredi KartÄ± ile Ã¶deme',
        value: 1
      }, {
        text: 'Havale/Eft ile Ã¶deme',
        value: 0
      }],
      availableHours: {},
      fetchingHours: false,
      requestPosting: false,
      paymentModal: false,
      paymentUrl: 'localhost/payment?payment_id=',
      requestPayment: false,
      paymentHtml: '',
      bestSellerCourses: {},
      searchKey: this.$route.params.searchKey ? this.$route.params.searchKey : '',
      typing: false,
      minDay: new Date().toISOString().substr(0, 10),
      maxDay: new Date(new Date().setMonth(new Date().getMonth() + 1)).toISOString().substr(0, 10)
    };
  },
  methods: {
    linkGen: function linkGen(pageNum) {
      return "/dersler/sayfa/".concat(pageNum);
    },
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/courses?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;lesson_id=' + this.filter.lesson_id + '&amp;grade_id=' + this.filter.grade_id + '&amp;price=' + this.filter.price + '&amp;order_by=' + this.filter.order_by + '&amp;query=' + this.searchKey + '&amp;status=1';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this.rows = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    showSelectGradeIdAlert: function showSelectGradeIdAlert() {
      var _this2 = this;
      var optionsHtml = this.grades.map(function (grade) {
        return "&lt;option value=\"".concat(grade.id, "\"&gt;").concat(grade.name, "&lt;/option&gt;");
      }).join('');

      // Use SweetAlert to show the alert with the dynamically generated options
      this.$swal.fire({
        title: 'Seviye seÃ§iniz!',
        html: "\n                  &lt;p&gt;L\xFCtfen seviye se\xE7imi yap\u0131n\u0131z.&lt;/p&gt;\n                  &lt;select id=\"levelSelect\" class=\"swal2-select\"&gt;\n                    &lt;option value=\"\"&gt;Se\xE7iniz&lt;/option&gt;\n                    ".concat(optionsHtml, "\n                  &lt;/select&gt;\n                "),
        icon: 'error',
        showCancelButton: true,
        confirmButtonText: 'SeÃ§',
        preConfirm: function preConfirm() {
          var level = document.getElementById('levelSelect').value;
          if (!level) {
            _this2.$swal.showValidationMessage('Bir seviye seÃ§melisiniz');
            return false;
          }
          return level;
        }
      }).then(function (result) {
        if (result.isConfirmed) {
          _this2.filter.grade_id = result.value; // Set the selected value to filter.grade_id
          localStorage.setItem('selectedGradeId', result.value);
          _this2.fetch();
        }
      });
    },
    requestLesson: function requestLesson() {
      var _this3 = this;
      this.requestPosting = true;
      this.$http.post('/api/auth/lesson/request', this.requestData).then(function (_ref3) {
        var data = _ref3.data;
        _this3.requestData.id = data.data.id;
        _this3.requestModal = false;
        _this3.$swal.fire({
          title: 'BaÅŸarÄ±lÄ±!',
          html: data.message,
          icon: 'success'
        });
        if (data.data.payment_method === 1) {
          _this3.paymentPopup();
        } else {}
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        _this3.$swal.fire({
          title: 'Hata!',
          html: data.message,
          icon: 'error'
        });
      })["finally"](function () {
        _this3.requestPosting = false;
      });
    },
    paymentPopup: function paymentPopup() {
      var _this4 = this;
      this.requestPayment = true;
      this.$http.post('/api/auth/payment/request', this.requestData).then(function (_ref5) {
        var data = _ref5.data;
        _this4.paymentHtml = data.paymentHtml;
        _this4.executeScript();
      })["catch"](function (_ref6) {
        var data = _ref6.response.data;
        _this4.$swal.fire({
          title: 'Hata!',
          html: 'Ã–deme ekranÄ± oluÅŸturulurken bir hata alÄ±dÄ±.&lt;br&gt;Hata Kodu: ' + data.message,
          icon: 'error'
        });
      })["finally"](function () {
        _this4.requestPayment = false;
      });
    },
    executeScript: function executeScript() {
      var script = document.createElement('script');
      this.paymentHtml = this.paymentHtml.replace('&lt;script type="text/javascript"&gt;', '');
      this.paymentHtml = this.paymentHtml.replace("&lt;script 'type=text/javascript'&gt;", '');
      this.paymentHtml = this.paymentHtml.replace('&lt;script&gt;', '');
      this.paymentHtml = this.paymentHtml.replace("&lt;/scr", "");
      this.paymentHtml = this.paymentHtml.replace("ipt&gt;", "");
      script.innerHTML = this.paymentHtml;
      document.body.appendChild(script);
    },
    fetchLessons: function fetchLessons() {
      var _this5 = this;
      this.$http.get('/api/lessons').then(function (response) {
        //remove lessons that are status is not active
        _this5.lessons = response.data.data.filter(function (lesson) {
          return lesson.status === 1;
        });
        //this.fetchPricedLessons();
      });
    },
    fetchGrades: function fetchGrades() {
      var _this6 = this;
      this.$http.get('/api/grades').then(function (response) {
        _this6.grades = response.data.data.filter(function (grade) {
          return grade.status === 1;
        });
      }).then(function () {
        if (!_this6.filter.grade_id) {
          _this6.showSelectGradeIdAlert();
        } else {
          _this6.fetch();
        }
      });
    },
    fetchBestSellerCourses: function fetchBestSellerCourses() {
      var _this7 = this;
      this.$http.get('/api/best_seller_courses').then(function (response) {
        //remove lessons that are status is not active
        _this7.bestSellerCourses = response.data.data.filter(function (lesson) {
          return lesson.status === 1;
        });
      });
    },
    getAvailableHours: function getAvailableHours() {
      var _this8 = this;
      this.fetchingHours = true;
      this.$http.get('/api/users/' + this.currentRow.user.slug + '/available_hours/' + this.requestData.date).then(function (response) {
        if (response.status === 200 &amp;&amp; response.data) {
          _this8.availableHours = response.data.hours;
          _this8.requestData.selected_hours = [];
        }
      })["catch"](function (_ref7) {
        var data = _ref7.response.data;
        _this8.availableHours = {};
        _this8.$swal.fire({
          title: 'Hata!',
          html: data.error,
          icon: 'error'
        });
      })["finally"](function () {
        _this8.fetchingHours = false;
      });
    },
    lessonRequest: function lessonRequest(data) {
      var _this9 = this;
      if (!this.isLoggedIn) {
        // this.$router.push('/giris-yap')
        this.$swal.fire({
          title: 'Hata!',
          html: 'Ã–nce giriÅŸ yapmalÄ±sÄ±nÄ±z.',
          icon: 'error',
          showConfirmButton: true,
          confirmButtonText: 'GiriÅŸ Yap',
          confirmButtonColor: '#3085d6',
          showCancelButton: true,
          cancelButtonText: 'Kapat'
        }).then(function (result) {
          if (result.value) {
            _this9.$router.push('/giris-yap');
          }
        });
        return false;
      } else {
        if (this.user.type === 'teacher') {
          this.$swal.fire({
            title: 'Hata!',
            html: 'Ã–ÄŸretmenler ders talebi oluÅŸturamaz.',
            icon: 'error'
          });
          return false;
        }
      }
      this.requestModal = true;
      this.currentRow = data;
      this.availableHours = {};
      this.requestData = {
        teacher_id: data.user_id,
        lesson_id: data.lesson_id,
        grade_id: data.grade_id,
        date: '',
        price: data.total_price,
        payment_method: 1,
        selected_hours: []
      };
    },
    focusItem: function focusItem() {
      this.$refs.searchKey.$el.focus();
    },
    openTeacherSummary: function openTeacherSummary(user) {
      this.teacherProfileSummary = true;
      this.teacherProfileSummaryUser = user;
    }
  },
  computed: _objectSpread({
    metaData: function metaData() {
      return this.metaData;
    }
  }, (0,vuex__WEBPACK_IMPORTED_MODULE_2__.mapGetters)(['isLoggedIn', 'user'])),
  watch: {
    'filter.lesson_id': function filterLesson_id(to, from) {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    'filter.grade_id': function filterGrade_id(to, from) {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    'filter.order_by': function filterOrder_by(to, from) {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    'filter.price': function filterPrice(to, from) {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    'requestData.date': function requestDataDate(to, from) {
      this.getAvailableHours();
    },
    '$route.params.page_number': function $routeParamsPage_number(to, from) {
      this.metaData.currentPage = to.params.page_number;
      this.fetch();
    },
    '$route.params.searchKey': function $routeParamsSearchKey(to, from) {
      this.searchKey = to;
      this.fetch();
    }
  },
  created: function created() {
    if (this.$route.params.page_number) {
      this.metaData.currentPage = this.$route.params.page_number;
    }
    if (this.isLoggedIn &amp;&amp; this.user.grade_id &gt; 0 &amp;&amp; this.user.type === 'student') {
      this.filter.grade_id = this.user.grade_id;
    }
    if (!this.filter.grade_id &amp;&amp; localStorage.getItem('selectedGradeId')) {
      this.filter.grade_id = localStorage.getItem('selectedGradeId');
    }
    this.fetchGrades();
    this.fetchLessons();
    this.fetchBestSellerCourses();
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Faq",
  data: function data() {
    return {
      isFetching: true,
      rows: []
    };
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/faqs';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.rows = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    }
  },
  created: function created() {
    this.fetch();
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Footer",
  methods: {
    openMessages: function openMessages() {
      alert('messages');
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ForgetPassword.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ForgetPassword.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "resetPassword",
  data: function data() {
    return {
      email: '',
      posting: false,
      button_text: 'ParolamÄ± Yenile'
    };
  },
  methods: {
    resetPassword: function resetPassword() {
      var _this = this;
      this.posting = true;
      this.$http.post('/api/auth/create-password-reset-token', {
        email: this.email
      }).then(function (response) {
        _this.posting = false;
        console.log(response.data);
        if (response.data.status === 'success') {
          _this.$swal({
            title: 'BaÅŸarÄ±lÄ±!',
            text: response.data.message,
            icon: 'success',
            confirmButtonText: 'E-posta kutuma git'
          }).then(function (result) {
            if (result.isConfirmed) {
              window.open('https://' + _this.email.substring(_this.email.lastIndexOf("@") + 1), '_blank').focus();
            }
          });
        } else {
          _this.$swal({
            title: 'Hata!',
            text: response.data.message,
            icon: 'error',
            confirmButtonText: 'Tamam'
          });
        }
      })["catch"](function (_ref) {
        var data = _ref.response.data;
        _this.posting = false;
        _this.button_text = 'Tekrar Dene';
      })["finally"](function () {
        _this.posting = false;
      });
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_0__.mapGetters)(['isLoggedIn', 'token'])),
  created: function created() {
    if (this.isLoggedIn) {
      this.$router.push('/hesabim/profili-duzenle');
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequest.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp;":
/*!***********************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequest.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp; ***!
  \***********************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var _mixins_priceListMixin__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../mixins/priceListMixin */ "./resources/js/mixins/priceListMixin.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }


var __default__ = {
  name: "FreeLessonRequest",
  mixins: [_mixins_priceListMixin__WEBPACK_IMPORTED_MODULE_0__["default"]],
  data: function data() {
    return {
      requestPosting: false,
      requestData: {
        lesson_id: '',
        grade_id: '',
        price: 0,
        week: 0,
        time: 0,
        description: ''
      },
      lessons: [],
      grades: [],
      priceListMixin: _mixins_priceListMixin__WEBPACK_IMPORTED_MODULE_0__["default"],
      weeks: ['Farketmez', 'Hafta iÃ§i', 'Hafta sonu'],
      times: ['Farketmez', 'GÃ¼ndÃ¼z', 'AkÅŸam'],
      canSubmitRequest: false
    };
  },
  methods: {
    fetchLessons: function fetchLessons() {
      var _this = this;
      this.$http.get('/api/lessons').then(function (response) {
        //remove lessons that are status is not active
        _this.lessons = response.data.data.filter(function (lesson) {
          return lesson.status === 1;
        });
      });
    },
    fetchGrades: function fetchGrades() {
      var _this2 = this;
      this.$http.get('/api/grades').then(function (response) {
        _this2.grades = response.data.data.filter(function (grade) {
          return grade.status === 1;
        });
      });
    },
    requestLesson: function requestLesson() {
      var _this3 = this;
      this.requestPosting = true;
      this.$http.post('/api/auth/free_request', this.requestData).then(function (_ref) {
        var data = _ref.data;
        _this3.$emit('close-modal', true);
        _this3.$emit('fetch-lesson-requests', true);
        _this3.requestModal = false;
        _this3.$swal.fire({
          title: 'BaÅŸarÄ±lÄ±!',
          html: data.message,
          icon: 'success'
        });
        _this3.requestData = {
          lesson_id: '',
          grade_id: '',
          price: '',
          week: '',
          time: '',
          description: ''
        };
        _this3.requestPosting = false;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        _this3.$swal.fire({
          title: 'Hata!',
          html: data.message,
          icon: 'error'
        });
      })["finally"](function () {
        _this3.requestPosting = false;
      });
    }
  },
  created: function created() {
    this.fetchLessons();
    this.fetchGrades();
    if (this.editData) {
      this.requestData = {
        id: this.editData.id,
        lesson_id: this.editData.lesson_id,
        grade_id: this.editData.grade_id,
        price: this.editData.price,
        week: this.editData.week,
        time: this.editData.time,
        description: this.editData.description
      };
      var min = parseInt(this.editData.min_price);
      var max = parseInt(this.editData.max_price);
      this.requestData.price = [min, max];
    }
  },
  watch: {
    requestData: {
      handler: function handler(val) {
        this.canSubmitRequest = val.lesson_id !== '' &amp;&amp; val.grade_id !== '' &amp;&amp; val.price !== '' &amp;&amp; val.week !== '' &amp;&amp; val.time !== '' &amp;&amp; val.description !== '';
      },
      deep: true
    }
  },
  props: {
    editData: {
      type: Object,
      required: false
    },
    fromLessons: {
      type: Boolean,
      required: false
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_1__.mapGetters)(['isLoggedIn', 'user']))
};
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (/*#__PURE__*/Object.assign(__default__, {
  setup: function setup(__props) {
    return {
      __sfc: true
    };
  }
}));

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
/* harmony import */ var _FreeLessonRequest_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./FreeLessonRequest.vue */ "./resources/js/components/FreeLessonRequest.vue");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }









/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "FreeLessonRequests",
  components: {
    FreeLessonRequest: _FreeLessonRequest_vue__WEBPACK_IMPORTED_MODULE_6__["default"],
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default())
  },
  data: function data() {
    return {
      week: null,
      time: null,
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: [],
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: [],
      lessonGradeMatchingModalId: 'modal-lesson-grade-matching',
      isFetching: false,
      rows: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      perPageOptions: [10, 25, 50, 100],
      teacherLessons: [],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      editData: {},
      editModal: false
    };
  },
  methods: {
    fetchLessons: function fetchLessons() {
      var _this = this;
      this.$http.get('/api/lessons').then(function (response) {
        _this.lessons = response.data.data;
        //remove lessons that are status is not active
        _this.lessons = _this.lessons.filter(function (lesson) {
          return lesson.status === 1;
        });
        _this.fetchGrades();
      });
    },
    fetchGrades: function fetchGrades() {
      var _this2 = this;
      this.$http.get('/api/grades').then(function (response) {
        _this2.grades = response.data.data;
        _this2.grades = _this2.grades.filter(function (grade) {
          return grade.status === 1;
        });
      });
    },
    fetch: function fetch() {
      var _this3 = this;
      this.isFetching = true;
      var url = 'api/free_requests?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;searchQuery=' + this.searchQuery + '&amp;lessonId=' + this.lessonId + '&amp;gradeId=' + this.gradeId + '&amp;week=' + this.week + '&amp;time=' + this.time + '&amp;type=';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this3.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this3.rows = data.data;
        _this3.maskRows();
        _this3.fetchLessons();
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this3.rows = [];
      })["finally"](function () {
        _this3.isFetching = false;
      });
    },
    maskRows: function maskRows() {
      if (!this.isLoggedIn) {
        this.rows.forEach(function (row) {
          row.user.name = row.user.name.substring(0, 1) + '**** ' + row.user.name.substring(0, 1) + '****';
        });
      }
    },
    createCustomerData: function createCustomerData(data) {
      this.rows.unshift(data);
    },
    fetchTeacherLessons: function fetchTeacherLessons() {
      var _this4 = this;
      if (this.user.type !== 'teacher') {
        return;
      }
      this.$http.get('/api/users/' + this.user.slug + '/lessons').then(function (response) {
        response.data.forEach(function (lesson) {
          _this4.teacherLessons.push(lesson.lesson_id);
        });
      });
    },
    editRequest: function editRequest(data) {
      this.editData = data;
      this.editModal = true;
    },
    deleteRequest: function deleteRequest(id) {
      var _this5 = this;
      this.$swal({
        title: 'Talebi silmek istediÄŸinizden emin misiniz?',
        text: "Bu iÅŸlem geri alÄ±namaz! LÃ¼tfen silme sebebinizi belirtin.",
        icon: 'warning',
        input: 'textarea',
        inputPlaceholder: 'Silme sebebinizi buraya yazÄ±n...',
        showCancelButton: true,
        confirmButtonColor: '#3085d6',
        cancelButtonColor: '#d33',
        cancelButtonText: 'VazgeÃ§',
        confirmButtonText: 'Evet, Talebi SÄ°L!',
        inputValidator: function inputValidator(value) {
          if (!value) {
            return 'Silme sebebini belirtmeniz gerekiyor!';
          }
        }
      }).then(function (result) {
        if (result.isConfirmed) {
          var rejectionReason = result.value;
          _this5.$http.post("/api/auth/free_request/".concat(id, "/delete"), {
            delete_reason: rejectionReason
          }).then(function (_ref3) {
            var data = _ref3.data;
            _this5.$swal('Silindi!', 'Silinme iÅŸlemi baÅŸarÄ±lÄ±.', 'success');
            _this5.fetch();
          })["catch"](function (_ref4) {
            var data = _ref4.response.data;
            _this5.$swal('Hata!', 'OnaylanÄ±rken bir hata oluÅŸtu. LÃ¼tfen tekrar deneyiniz.', 'error');
          });
        }
      });
    },
    sendMessageToStudent: function sendMessageToStudent(item) {
      var _this6 = this;
      if (!this.isLoggedIn) {
        this.$swal.fire({
          title: 'Hata!',
          html: 'Ã–ÄŸretmen olarak giriÅŸ yapmalÄ±sÄ±nÄ±z.',
          icon: 'error',
          showConfirmButton: true,
          confirmButtonText: 'GiriÅŸ Yap',
          confirmButtonColor: '#3085d6',
          showCancelButton: true,
          cancelButtonText: 'Kapat'
        }).then(function (result) {
          if (result.value) {
            _this6.$router.push('/giris-yap');
          }
        });
        return;
      }
      if (this.user.type === 'teacher' &amp;&amp; !this.teacherLessons.includes(item.lesson.id)) {
        alert('Bu dersi vermediÄŸiniz iÃ§in Ã¶ÄŸrenciye mesaj gÃ¶nderemezsiniz');
        return;
      }
      this.$emit('open-messages-modal', item.user.id);
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    lessonId: function lessonId(val) {
      this.fetch();
    },
    gradeId: function gradeId(val) {
      this.fetch();
    },
    week: function week(val) {
      this.fetch();
    },
    time: function time(val) {
      this.fetch();
    },
    searchQuery: function searchQuery(val) {
      var _this7 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this7.isTyping = false;
        if (!(_this7.searchQuery.length &gt; 0 &amp;&amp; _this7.searchQuery.length &lt; 3)) {
          _this7.searchQueryFail = false;
          _this7.fetch();
        } else {
          _this7.searchQueryFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    if (this.user.type === 'teacher') {
      this.fetchTeacherLessons();
    }
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_21__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      var columns = [{
        key: 'id',
        label: '#'
      }, {
        key: 'name',
        label: 'Talep eden'
      }, {
        key: 'lesson',
        label: 'Ders'
      }, {
        key: 'grade',
        label: 'Seviye'
      }, {
        key: 'price',
        label: 'Fiyat AralÄ±ÄŸÄ±'
      }, {
        key: 'week',
        label: 'Hafta Ä°Ã§i/Sonu'
      }, {
        key: 'time',
        label: 'GÃ¼ndÃ¼z/AkÅŸam'
      }, {
        key: 'created_at',
        label: 'Talep Tarihi'
      }];
      // if (this.isLoggedIn) {
      columns.push({
        key: 'actions',
        label: 'Aksiyon'
      });
      // }
      return columns;
    },
    weeks: function weeks() {
      return {
        0: 'Farketmez',
        1: 'Hafta Ä°Ã§i',
        2: 'Hafta Sonu'
      };
    },
    weekOptions: function weekOptions() {
      return [{
        id: 0,
        name: 'Farketmez'
      }, {
        id: 1,
        name: 'Hafta Ä°Ã§i'
      }, {
        id: 2,
        name: 'Hafta Sonu'
      }];
    },
    times: function times() {
      return {
        0: 'Farketmez',
        1: 'GÃ¼ndÃ¼z',
        2: 'AkÅŸam'
      };
    },
    timeOptions: function timeOptions() {
      return [{
        id: 0,
        name: 'Farketmez'
      }, {
        id: 1,
        name: 'GÃ¼ndÃ¼z'
      }, {
        id: 2,
        name: 'AkÅŸam'
      }];
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function _objectDestructuringEmpty(obj) { if (obj == null) throw new TypeError("Cannot destructure " + obj); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  data: function data() {
    return {
      others: ['signIn', 'forgetPassword', 'resetPassword', 'signUp', '404', 'editProfile', 'editUserProfile', 'settings', 'students', 'teachers', 'teacherDetails', 'weeklySchedule', 'newBlog', 'editBlog', 'myBlog', 'checkBlog', 'blogPosts', 'blogDetails', 'lessonDocuments', 'freeLessonRequestApprovals', 'freeLessonRequests', 'studentFreeLessonRequests', 'customPaymentUrls', 'reviews', 'faqs', 'bookForStudent', 'myLessons', 'incomingMoneyOrder', 'approveIncomingMoneyOrder', 'teacherSchedule', 'studentSchedule'],
      currentType: 'home',
      searchKey: this.$route.params.searchKey,
      typing: false,
      unread_messages: [],
      unread_msg_count: 0,
      notifications: [],
      last_unread_msg_count: 0,
      musicSrc: './files/audio/notification.mp3',
      isFetchingNotifications: false,
      isFetchingMessages: false,
      unreadNotificationsCount: 0,
      exitProgress: false
    };
  },
  computed: _objectSpread({
    homeHeader: function homeHeader() {
      return this.$route.path === '/';
    },
    headerClass: function headerClass() {
      if (this.$route.name === 'home') {
        this.currentType = 'home';
        return 'header__area header__transparent header__padding-2';
      } else if (this.others.includes(this.$route.name)) {
        this.currentType = 'other';
        return 'header__area header__padding-2 header__shadow';
      } else {
        this.currentType = 'page';
        return 'header__area header__transparent header__padding header__white';
      }
    }
  }, (0,vuex__WEBPACK_IMPORTED_MODULE_0__.mapGetters)(['isLoggedIn', 'user'])),
  methods: _objectSpread({
    playSound: function playSound() {
      var audio = new Audio(this.musicSrc);
      audio.play();
    },
    fetchUnreadMessages: function fetchUnreadMessages() {
      var _this = this;
      if (this.isLoggedIn) {
        this.isFetchingMessages = true;
        var url = '/api/messages/unread_messages';
        this.$http.get(url).then(function (_ref) {
          var data = _ref.data;
          _this.unread_msg_count = 0;
          _this.unread_messages = data.result;
          data.result.forEach(function (item) {
            _this.unread_msg_count += item.length;
          });
          if (_this.unread_msg_count &gt; _this.last_unread_msg_count) {
            _this.playSound();
          }
          _this.last_unread_msg_count = _this.unread_msg_count;
        })["catch"](function (_ref2) {
          var data = _ref2.response.data;
          console.log(data);
          _this.users = [];
        })["finally"](function () {
          _this.isFetchingMessages = false;
        });
      }
    },
    closeNotificationArea: function closeNotificationArea() {
      var closeButton = this.$refs.closeButton;
      if (closeButton) {
        closeButton.click(); // click olayÄ±nÄ± tetikler
      }
    },
    fetchUnreadNotificationsCount: function fetchUnreadNotificationsCount() {
      var _this2 = this;
      if (this.isLoggedIn) {
        var url = '/api/auth/notifications/unread_count';
        this.$http.get(url).then(function (_ref3) {
          var data = _ref3.data;
          _this2.unreadNotificationsCount = data.count;
        })["catch"](function (_ref4) {
          var data = _ref4.response.data;
          console.log(data);
        })["finally"](function () {});
      }
    },
    apiLogout: function apiLogout() {
      var _this3 = this;
      if (this.isLoggedIn) {
        this.exitProgress = true;
        var url = '/api/auth/logout';
        this.$http.get(url).then(function (_ref5) {
          var data = _ref5.data;
          _this3.logout("api Ã§Ä±kÄ±ÅŸ yapÄ±ldÄ±");
        })["catch"](function (_ref6) {
          var data = _ref6.response.data;
          console.log(data);
        })["finally"](function () {
          _this3.exitProgress = false;
          _this3.logout();
        });
      }
    },
    fetchNotifications: function fetchNotifications() {
      var _this4 = this;
      if (this.isLoggedIn) {
        this.isFetchingNotifications = true;
        var url = '/api/auth/notifications/all';
        this.$http.get(url).then(function (_ref7) {
          var data = _ref7.data;
          _this4.notifications = data;
          _this4.readAllNotifications();
        })["catch"](function (_ref8) {
          _objectDestructuringEmpty(_ref8.response);
          alert('bir hata meydana geldi gbi');
          _this4.notifications = [];
        })["finally"](function () {
          _this4.isFetchingNotifications = false;
        });
      }
    },
    readAllNotifications: function readAllNotifications() {
      var _this5 = this;
      if (this.isLoggedIn) {
        this.isFetchingNotifications = true;
        var url = '/api/auth/notifications/read_all';
        this.$http.put(url).then(function (_ref9) {
          var data = _ref9.data;
          _this5.unreadNotificationsCount = 0;
        })["catch"](function (_ref10) {
          var data = _ref10.response.data;
          console.log(data);
        })["finally"](function () {});
      }
    }
  }, (0,vuex__WEBPACK_IMPORTED_MODULE_0__.mapActions)(['logout'])),
  created: function created() {
    var _this6 = this;
    // check user unread messages
    this.fetchUnreadNotificationsCount();
    if (this.isLoggedIn) {
      // set interval
      this.fetchUnreadMessages();
      setInterval(function () {
        _this6.fetchUnreadMessages();
      }, 5000);
    }
    setInterval(function () {
      _this6.fetchUnreadNotificationsCount();
    }, 20000);
  },
  watch: {
    searchKey: function searchKey(val) {
      var _this7 = this;
      this.typing = true;
      // search when stop writing
      clearTimeout(this.typingTimer);
      this.typingTimer = setTimeout(function () {
        _this7.typing = false;
        if (val !== '' &amp;&amp; val !== undefined) {
          _this7.$router.push({
            name: 'quickSearch',
            params: {
              searchKey: val
            }
          });
        }
      }, 500);
    },
    '$route.params.searchKey': function $routeParamsSearchKey(to, from) {
      this.searchKey = to;
    },
    '$route': function $route(to, from) {
      this.closeNotificationArea();
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePage.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePage.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-select/form-select.js");
/* harmony import */ var _HomePageLessons__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./HomePageLessons */ "./resources/js/components/HomePageLessons.vue");
/* harmony import */ var _HomePageBlogs__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./HomePageBlogs */ "./resources/js/components/HomePageBlogs.vue");
/* harmony import */ var _FreeLessonRequest_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./FreeLessonRequest.vue */ "./resources/js/components/FreeLessonRequest.vue");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }


//import HomePageCourses from "./HomePageCourses";



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "HomePage",
  components: {
    BFormSelect: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BFormSelect,
    //HomePageCourses
    HomePageLessons: _HomePageLessons__WEBPACK_IMPORTED_MODULE_0__["default"],
    HomePageBlogs: _HomePageBlogs__WEBPACK_IMPORTED_MODULE_1__["default"],
    FreeLessonRequest: _FreeLessonRequest_vue__WEBPACK_IMPORTED_MODULE_2__["default"]
  },
  data: function data() {
    return {
      fetchingMore: false,
      typing: false,
      quickSearch: '',
      searchModal: false,
      isSearching: true,
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 5,
        lastPage: 0,
        total: 0
      },
      rows: [],
      requestModal: false,
      paymentUrl: 'localhost'
    };
  },
  methods: {
    focusItem: function focusItem() {
      this.$refs.quickSearch.$el.focus();
    },
    search: function search() {
      var _this = this;
      var more = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 0;
      if (more === 1) {
        this.fetchingMore = true;
        this.metaData.currentPage++;
      } else {
        this.metaData.currentPage = 1;
      }
      this.isSearching = true;
      var url = '/api/courses?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;lesson_id=' + this.filter.lesson_id + '&amp;grade_id=' + this.filter.grade_id + '&amp;price=' + this.filter.price + '&amp;order_by=' + this.filter.order_by + '&amp;query=' + this.quickSearch + '&amp;status=1';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        if (more === 1) {
          _this.rows = _this.rows.concat(data.data);
          //scroll modal body to bottom
          setTimeout(function () {
            this.$refs.searchModal.scrollTop = this.$refs.searchModal.scrollHeight;
          }, 200);
        } else {
          _this.rows = data.data;
        }
        console.log(_this.rows);
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isSearching = false;
        _this.fetchingMore = false;
      });
    },
    openLessonRequestModal: function openLessonRequestModal() {
      var _this2 = this;
      if (!this.isLoggedIn) {
        // this.$router.push('/giris-yap')
        this.$swal.fire({
          title: 'Hata!',
          html: 'Ã–nce giriÅŸ yapmalÄ±sÄ±nÄ±z.',
          icon: 'error',
          showConfirmButton: true,
          confirmButtonText: 'GiriÅŸ Yap',
          confirmButtonColor: '#3085d6',
          showCancelButton: true,
          cancelButtonText: 'Kapat'
        }).then(function (result) {
          if (result.value) {
            _this2.$router.push('/giris-yap');
          }
        });
        return false;
      } else {
        if (this.user.type === 'teacher') {
          this.$swal.fire({
            title: 'Hata!',
            html: 'Ã–ÄŸretmenler ders talebi oluÅŸturamaz.',
            icon: 'error'
          });
          return false;
        }
      }
      this.requestModal = true;
    },
    paymentPopup: function paymentPopup() {
      var _this3 = this;
      if (!this.isLoggedIn) {
        // this.$router.push('/giris-yap')
        this.$swal.fire({
          title: 'Hata!',
          html: 'Ã–nce giriÅŸ yapmalÄ±sÄ±nÄ±z.',
          icon: 'error',
          showConfirmButton: true,
          confirmButtonText: 'GiriÅŸ Yap',
          confirmButtonColor: '#3085d6',
          showCancelButton: true,
          cancelButtonText: 'Kapat'
        }).then(function (result) {
          if (result.value) {
            _this3.$router.push('/giris-yap?returnUrl=' + _this3.$route.path);
          }
        });
        return false;
      }
      this.requestPayment = true;
      this.$http.post('/api/auth/payment/custom_payment_request', {
        payment_slug: this.$route.params.payment_slug
      }).then(function (_ref3) {
        var data = _ref3.data;
        _this3.paymentHtml = data.paymentHtml;
        _this3.executeScript();
      })["catch"](function (_ref4) {
        var data = _ref4.response.data;
        _this3.$swal.fire({
          title: 'Hata!',
          html: 'Ã–deme ekranÄ± oluÅŸturulurken bir hata alÄ±dÄ±.&lt;br&gt;Hata Kodu: ' + data.message,
          icon: 'error'
        });
      })["finally"](function () {
        _this3.requestPayment = false;
      });
    },
    executeScript: function executeScript() {
      var script = document.createElement('script');
      this.paymentHtml = this.paymentHtml.replace('&lt;script type="text/javascript"&gt;', '');
      this.paymentHtml = this.paymentHtml.replace("&lt;script 'type=text/javascript'&gt;", '');
      this.paymentHtml = this.paymentHtml.replace('&lt;script&gt;', '');
      this.paymentHtml = this.paymentHtml.replace("&lt;/scr", "");
      this.paymentHtml = this.paymentHtml.replace("ipt&gt;", "");
      script.innerHTML = this.paymentHtml;
      document.body.appendChild(script);
    },
    closeRequestModal: function closeRequestModal() {
      this.requestModal = false;
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_4__.mapGetters)(['isLoggedIn', 'user'])),
  created: function created() {
    if (this.$route.name === 'homePayment') {
      this.paymentPopup();
    }
  },
  watch: {
    quickSearch: function quickSearch(val) {
      var _this4 = this;
      this.typing = true;
      // search when stop writing
      clearTimeout(this.typingTimer);
      this.typingTimer = setTimeout(function () {
        _this4.typing = false;
        _this4.$router.push({
          name: 'quickSearch',
          params: {
            searchKey: val
          }
        });
      }, 500);
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageBlogs.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageBlogs.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _router__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../router */ "./resources/js/router.js");

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Blogs",
  data: function data() {
    return {
      isFetching: false,
      blogs: [],
      blogCount: 6
    };
  },
  methods: {
    router: function router() {
      return _router__WEBPACK_IMPORTED_MODULE_0__.router;
    },
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/posts/featured/' + this.blogCount;
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.blogs = data.data;
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.blogs = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    }
  },
  created: function created() {
    this.fetch();
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var _router__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../router */ "./resources/js/router.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }


/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Lessons",
  data: function data() {
    return {
      isFetching: true,
      rows: []
    };
  },
  methods: {
    router: function router() {
      return _router__WEBPACK_IMPORTED_MODULE_0__.router;
    },
    fetch: function fetch() {
      var _this = this;
      this.isFetching = true;
      var url = '/api/lessons';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.rows = data.data.filter(function (lesson) {
          return lesson.status === 1 &amp;&amp; lesson.photo.length &gt; 0;
        });
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_1__.mapGetters)(['isLoggedIn', 'user'])),
  created: function created() {
    this.fetch();
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var _Account_Modals_ApproveIncomingMoneyOrder__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./Account/Modals/ApproveIncomingMoneyOrder */ "./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }









/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "IncomingMoneyOrder",
  components: {
    ApproveIncomingMoneyOrder: _Account_Modals_ApproveIncomingMoneyOrder__WEBPACK_IMPORTED_MODULE_6__["default"],
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default())
  },
  data: function data() {
    return {
      notification_id: this.$route.params.notification_id,
      approveModal: false,
      currentRow: {},
      approveMoneyTransferModalId: 'modal-approve-incoming-money-order',
      isFetching: false,
      rows: [],
      isTyping: false,
      timeout: null,
      perPageOptions: [10, 25, 50, 100],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      posting: false
    };
  },
  methods: {
    fetch: function fetch() {
      var _this = this;
      this.approveModal = false;
      this.isFetching = true;
      var url = '/api/users/' + this.user.slug + '/teacher_incoming_payments?' + 'page=' + this.metaData.currentPage + '&amp;method=0';
      if (this.notification_id) {
        url += '&amp;nf_id=' + this.notification_id;
      }
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this.rows = data.data;
        if (_this.notification_id) {
          _this.showApproveModal(_this.rows[0]);
        }
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this.rows = [];
      })["finally"](function () {
        _this.isFetching = false;
      });
    },
    showApproveModal: function showApproveModal(row) {
      this.currentRow = row;
      this.approveModal = false;
      this.approveModal = true;
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    status: function status(val) {
      this.fetch();
    },
    '$route.params.notification_id': function $routeParamsNotification_id() {
      this.approveModal = false;
      this.notification_id = this.$route.params.notification_id;
      this.fetch();
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_21__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'name',
        label: 'Havale Yapan'
      }, {
        key: 'payment_amount',
        label: 'Havale TutarÄ±'
      }, {
        key: 'payment_description',
        label: 'AÃ§Ä±klama'
      }, {
        key: 'status',
        label: 'Durum'
      }, {
        key: 'created_at',
        label: 'GÃ¶nderim Tarihi'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    },
    status: function status() {
      return {
        'pending': 'Onay Bekliyor',
        'approved': 'OnaylandÄ±',
        'rejected': 'Reddedildi'
      };
    },
    statusOptions: function statusOptions() {
      return [{
        id: 'pending',
        name: 'Onay Bekliyor'
      }, {
        id: 'approved',
        name: 'OnaylandÄ±'
      }, {
        id: 'rejected',
        name: 'Reddedildi'
      }];
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*******************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*******************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "PageNotFound",
  computed: {
    headerType: function headerType() {
      return -2;
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Rating.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Rating.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var _mixins_starListMixin__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../mixins/starListMixin */ "./resources/js/mixins/starListMixin.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }


/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "Rating",
  mixins: [_mixins_starListMixin__WEBPACK_IMPORTED_MODULE_0__["default"]],
  data: function data() {
    return {
      lesson_request: {},
      submitting: false,
      starListMixin: _mixins_starListMixin__WEBPACK_IMPORTED_MODULE_0__["default"],
      requestData: {
        rating: '',
        comment: '',
        is_anonymous: 0
      },
      canSubmit: false
    };
  },
  methods: {
    fetchRating: function fetchRating() {
      var _this = this;
      this.$http.get("/api/rating/".concat(lesson_request.id)).then(function (response) {
        _this.requestData = response.data.data;
      });
    },
    submitRating: function submitRating() {
      var _this2 = this;
      this.submitting = true;
      var endpoint = "/api/auth/lesson_request/".concat(this.lesson_request.id, "/rating");
      if (this.approval) {
        endpoint = "/api/auth/lesson_rating/".concat(this.lesson_request.id, "/approve");
      }
      this.$http.post(endpoint, this.requestData).then(function (response) {
        _this2.$swal({
          title: _this2.approval ? 'OnaylandÄ±!' : 'BaÅŸarÄ±lÄ±!',
          // icon: 'success',
          confirmButtonText: 'Tamam'
        });
        _this2.$emit('rating-submitted');
      })["catch"](function (error) {
        _this2.$swal({
          title: 'Hata!',
          text: error.data.message,
          icon: 'error',
          confirmButtonText: 'Tamam'
        });
      })["finally"](function () {
        _this2.submitting = false;
      });
    }
  },
  created: function created() {
    this.fetchRating();
    if (this.requestData) {
      this.requestData = {
        rating: '',
        comment: '',
        is_anonymous: 0
      };
    }
  },
  watch: {
    requestData: {
      handler: function handler(val) {
        this.canSubmit = val.rating &gt; 0 &amp;&amp; val.rating &lt;= 5 &amp;&amp; val.comment.length &gt; 5;
      },
      deep: true
    },
    approval: {
      handler: function handler(val) {
        this.requestData.id = this.lesson_request.id;
        this.requestData.rating = this.lesson_request.rating;
        this.requestData.comment = this.lesson_request.original_comment;
        this.requestData.is_anonymous = this.lesson_request.is_anonymous;
      },
      immediate: true
    }
  },
  props: {
    lesson_request: {
      type: Object,
      required: true
    },
    approval: {
      type: Boolean,
      "default": false
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_1__.mapGetters)(['isLoggedIn', 'user']))
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ResetPassword.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ResetPassword.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");


/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "SignUp",
  data: function data() {
    return {
      checkingToken: false,
      token: this.$route.params.token,
      user: {},
      input: {
        token: '',
        password: '',
        password_confirmation: ''
      },
      errors: {
        name: false,
        email: false,
        password: false,
        password_confirmation: false,
        type: false
      },
      posting: false,
      canSubmit: false,
      message: '',
      saved: false
    };
  },
  methods: {
    checkToken: function checkToken() {
      var _this = this;
      this.checkingToken = true;
      this.$http.get('/api/auth/check-password-reset-token/' + this.token).then(function (response) {
        if (response.data.status === 'success') {
          _this.canSubmit = true;
          _this.user = response.data.data.user;
        } else {
          _this.$swal.fire({
            title: 'Hata!',
            html: '&lt;span&gt;' + response.data.message + '&lt;/span&gt;',
            icon: 'error',
            confirmButtonText: 'Tamam'
          }).then(function (result) {
            if (result.value) {
              _this.$router.push('/giris-yap');
            }
          });
        }
      })["catch"](function (_ref) {
        var data = _ref.response.data;
        console.log(data.errors);
        _this.errors = data.errors;
      })["finally"](function () {
        _this.checkingToken = false;
      });
    },
    passwordReset: function passwordReset() {
      var _this2 = this;
      this.posting = true;
      this.$http.post('/api/auth/reset-password', this.input).then(function (response) {
        console.log(response);
        if (response.data.status === 'success') {
          _this2.message = response.data.message;
          _this2.errorList = [];
          _this2.saved = true;
          _this2.$swal.fire({
            title: 'Kaydedildi!',
            html: '&lt;span&gt;Yeni ÅŸifreniz baÅŸarÄ±yla kaydedildi&lt;/span&gt;',
            icon: 'success',
            confirmButtonText: 'Tamam'
          }).then(function (result) {
            if (result.value) {
              _this2.$router.push('/giris-yap');
            }
          });
        } else {
          _this2.$swal.fire({
            title: 'Hata!',
            html: '&lt;span&gt;' + response.data.message + '&lt;/span&gt;',
            icon: 'error',
            confirmButtonText: 'Tamam'
          });
        }
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data.errors);
        _this2.errors = data.errors;
      })["finally"](function () {
        _this2.posting = false;
      });
    }
  },
  mounted: function mounted() {
    if (this.token) {
      this.input.token = this.token;
      this.checkToken();
    }
  },
  created: function created() {
    if (this.isLoggedIn) {
      this.$router.push('/');
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignIn.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignIn.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "SignIn",
  data: function data() {
    return {
      loginData: {
        email: '',
        password: ''
      },
      posting: false,
      button_text: 'GiriÅŸ Yap'
    };
  },
  methods: {
    SignIn: function SignIn() {
      var _this = this;
      this.posting = true;
      this.$http.post('/api/auth/login', this.loginData).then(function (response) {
        _this.posting = false;
        _this.$store.dispatch('setToken', 'Bearer ' + response.data.accessToken);
        _this.$store.dispatch('setUser', response.data.user);
        _this.$store.dispatch('setLoggedIn', true);
        // if router has return url, redirect to it
        if (_this.$route.query.returnUrl) {
          _this.$router.push(_this.$route.query.returnUrl);
        } else {
          _this.$router.push('/');
          window.location.reload();
        }
      })["catch"](function (_ref) {
        var data = _ref.response.data;
        _this.posting = false;
        _this.button_text = 'Tekrar Dene';
      })["finally"](function () {
        _this.posting = false;
      });
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_0__.mapGetters)(['isLoggedIn', 'token'])),
  created: function created() {
    if (this.isLoggedIn) {
      this.$router.push('/hesabim/profili-duzenle');
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignUp.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignUp.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "SignUp",
  data: function data() {
    return {
      input: {
        type: 'student',
        name: '',
        email: '',
        password: '',
        password_confirmation: '',
        terms: false
      },
      errors: {
        name: false,
        email: false,
        password: false,
        password_confirmation: false,
        type: false
      },
      posting: false,
      canSubmit: false,
      message: '',
      saved: false
    };
  },
  methods: {
    register: function register() {
      var _this = this;
      this.posting = true;
      this.canSubmit = false;
      this.$http.post('/api/auth/register', this.input).then(function (response) {
        console.log(response);
        _this.message = response.data.message;
        _this.errorList = [];
        _this.saved = true;
        _this.$swal.fire({
          title: 'Tebrikler!',
          html: '&lt;span&gt;AramÄ±za hoÅŸ geldiniz.&lt;br&gt;Size hesabÄ±nÄ±zÄ± doÄŸrulamanÄ±z iÃ§in bir e-posta gÃ¶nderdik!&lt;br&gt;&lt;br&gt;LÃ¼tfen e-postanÄ±zÄ± kontrol ediniz.&lt;/span&gt;',
          icon: 'success',
          confirmButtonText: 'E-postayÄ± kontrol et'
        }).then(function (result) {
          if (result.isConfirmed) {
            window.open('https://' + _this.input.email.substring(_this.input.email.lastIndexOf("@") + 1), '_blank').focus();
          }
        });
      })["catch"](function (_ref) {
        var data = _ref.response.data;
        console.log(data.errors);
        _this.errors = data.errors;
      })["finally"](function () {
        _this.posting = false;
        _this.canSubmit = true;
      });
    },
    checkName: function checkName() {
      if (/[^a-zA-ZÃ§Ã‡ÅŸÅžÃ¶Ã–Ã¼ÃœÄ±Ä°ÄŸÄž ]/.test(this.input.name)) {
        this.errors.name = true;
      } else {
        var words = this.input.name.trim().split(/\s+/); // Birden fazla boÅŸluÄŸu tek boÅŸluk gibi say
        this.errors.name = !(words.length &gt; 1 &amp;&amp; words.length &lt; 5);
      }
    },
    checkEmail: function checkEmail() {
      if (this.input.email.length &gt; 0) {
        if (/^\w+([\.-]?\w+)*@\w+([\.-]?\w+)*(\.\w{2,3})+$/.test(this.input.email)) {
          this.errors.email = false;
          this.email_host = 'http://gmail.com';
        } else {
          this.errors.email = true;
        }
      } else {
        this.errors.email = false;
      }
    },
    checkPassword: function checkPassword() {
      this.errors.password_confirmation = !(this.input.password_confirmation.length &gt;= 5 &amp;&amp; this.input.password === this.input.password_confirmation);
    },
    checkTerms: function checkTerms() {
      this.errors.terms = !this.input.terms;
    },
    canSubmitForm: function canSubmitForm() {
      this.canSubmit = !this.errors.name &amp;&amp; !this.errors.email &amp;&amp; !this.errors.password &amp;&amp; !this.errors.password_confirmation &amp;&amp; !this.errors.terms;
    }
  },
  computed: _objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_2__.mapGetters)(['isLoggedIn', 'token'])),
  created: function created() {
    if (this.isLoggedIn) {
      this.$router.push('/');
    }
  },
  watch: {
    input: {
      handler: function handler() {
        this.checkName();
        this.checkEmail();
        this.checkPassword();
        this.checkTerms();
        this.canSubmitForm();
      },
      deep: true
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!********************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \********************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var _FreeLessonRequest_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./FreeLessonRequest.vue */ "./resources/js/components/FreeLessonRequest.vue");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }









/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "StudentFreeLessonRequests",
  components: {
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_20__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default()),
    FreeLessonRequest: _FreeLessonRequest_vue__WEBPACK_IMPORTED_MODULE_6__["default"]
  },
  data: function data() {
    return {
      week: null,
      time: null,
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: [],
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: [],
      lessonGradeMatchingModalId: 'modal-lesson-grade-matching',
      isFetching: false,
      rows: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      perPageOptions: [10, 25, 50, 100],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      editData: {},
      editModal: false,
      requestModal: false,
      requestData: null
    };
  },
  methods: {
    fetchLessons: function fetchLessons() {
      var _this = this;
      this.$http.get('/api/lessons').then(function (response) {
        _this.lessons = response.data.data;
        //remove lessons that are status is not active
        _this.lessons = _this.lessons.filter(function (lesson) {
          return lesson.status === 1;
        });
        _this.fetchGrades();
      });
    },
    fetchGrades: function fetchGrades() {
      var _this2 = this;
      this.$http.get('/api/grades').then(function (response) {
        _this2.grades = response.data.data;
        _this2.grades = _this2.grades.filter(function (grade) {
          return grade.status === 1;
        });
      });
    },
    fetch: function fetch() {
      var _this3 = this;
      this.isFetching = true;
      var url = 'api/student_free_requests?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;searchQuery=' + this.searchQuery + '&amp;lessonId=' + this.lessonId + '&amp;gradeId=' + this.gradeId + '&amp;week=' + this.week + '&amp;time=' + this.time + '&amp;type=';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this3.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this3.rows = data.data;
        _this3.fetchLessons();
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this3.rows = [];
      })["finally"](function () {
        _this3.isFetching = false;
      });
    },
    createCustomerData: function createCustomerData(data) {
      this.rows.unshift(data);
    },
    deleteRequest: function deleteRequest(id) {
      var _this4 = this;
      this.$swal.fire({
        title: 'Emin misiniz?',
        text: "Ders talebiniz kalÄ±cÄ± olarak silinecektir!",
        icon: 'warning',
        showCancelButton: true,
        confirmButtonColor: '#3085d6',
        cancelButtonColor: '#d33',
        confirmButtonText: 'Evet, sil!',
        cancelButtonText: 'VazgeÃ§'
      }).then(function (result) {
        if (result.isConfirmed) {
          _this4.$http["delete"]('/api/student_free_requests/' + id).then(function () {
            _this4.rows = _this4.rows.filter(function (row) {
              return row.id !== id;
            });
            _this4.$swal.fire('Silindi!', 'Talep baÅŸarÄ±yla silindi.', 'success');
          })["catch"](function (_ref3) {
            var data = _ref3.response.data;
            _this4.$swal.fire('Hata!', data.message, 'error');
          });
        }
      });
    },
    editRequest: function editRequest(data) {
      this.editData = data;
      this.editModal = true;
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    lessonId: function lessonId(val) {
      this.fetch();
    },
    gradeId: function gradeId(val) {
      this.fetch();
    },
    week: function week(val) {
      this.fetch();
    },
    time: function time(val) {
      this.fetch();
    },
    searchQuery: function searchQuery(val) {
      var _this5 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this5.isTyping = false;
        if (!(_this5.searchQuery.length &gt; 0 &amp;&amp; _this5.searchQuery.length &lt; 3)) {
          _this5.searchQueryFail = false;
          _this5.fetch();
        } else {
          _this5.searchQueryFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_21__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      var columns = [{
        key: 'id',
        label: '#'
      }, {
        key: 'lesson',
        label: 'Ders'
      }, {
        key: 'grade',
        label: 'Seviye'
      }, {
        key: 'price',
        label: 'Fiyat AralÄ±ÄŸÄ±'
      }, {
        key: 'week',
        label: 'Hafta Ä°Ã§i/Sonu'
      }, {
        key: 'time',
        label: 'GÃ¼ndÃ¼z/AkÅŸam'
      }, {
        key: 'status',
        label: 'Durum'
      }, {
        key: 'created_at',
        label: 'Talep Tarihi'
      }];
      if (this.isLoggedIn) {
        columns.push({
          key: 'actions',
          label: 'Aksiyon'
        });
      }
      return columns;
    },
    weeks: function weeks() {
      return {
        0: 'Farketmez',
        1: 'Hafta Ä°Ã§i',
        2: 'Hafta Sonu'
      };
    },
    weekOptions: function weekOptions() {
      return [{
        id: 0,
        name: 'Farketmez'
      }, {
        id: 1,
        name: 'Hafta Ä°Ã§i'
      }, {
        id: 2,
        name: 'Hafta Sonu'
      }];
    },
    times: function times() {
      return {
        0: 'Farketmez',
        1: 'GÃ¼ndÃ¼z',
        2: 'AkÅŸam'
      };
    },
    status: function status() {
      return {
        0: 'Onay Bekliyor',
        1: 'OnaylandÄ±',
        '-1': 'Reddedildi',
        '-2': 'Silindi'
      };
    },
    timeOptions: function timeOptions() {
      return [{
        id: 0,
        name: 'Farketmez'
      }, {
        id: 1,
        name: 'GÃ¼ndÃ¼z'
      }, {
        id: 2,
        name: 'AkÅŸam'
      }];
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var _Rating__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Rating */ "./resources/js/components/Rating.vue");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }





/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "studentSchedule",
  components: {
    Rating: _Rating__WEBPACK_IMPORTED_MODULE_2__["default"],
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_3__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_4__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_5__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_1___default())
  },
  data: function data() {
    return {
      week: null,
      time: null,
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: [],
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: [],
      teacherId: null,
      teachers: [],
      lessonGradeMatchingModalId: 'modal-lesson-grade-matching',
      isFetching: false,
      rows: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      perPageOptions: [10, 25, 50, 100],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      },
      lesson_request: null,
      ratingModal: false
    };
  },
  methods: {
    fetchLessons: function fetchLessons() {
      var _this = this;
      this.$http.get('/api/student_lessons/' + this.user.slug).then(function (response) {
        _this.lessons = [];
        response.data.data.forEach(function (lesson) {
          _this.lessons.push({
            id: lesson.lesson_id,
            name: lesson.lesson.name
          });
        });
        _this.fetchGrades();
      });
    },
    fetchGrades: function fetchGrades() {
      var _this2 = this;
      this.$http.get('/api/student_grades/' + this.user.slug).then(function (response) {
        _this2.grades = [];
        response.data.data.forEach(function (grade) {
          _this2.grades.push({
            id: grade.grade_id,
            name: grade.grade.name
          });
        });
        _this2.fetchTeachers();
      });
    },
    fetchTeachers: function fetchTeachers() {
      var _this3 = this;
      this.$http.get('/api/student_teachers/' + this.user.slug).then(function (response) {
        _this3.teachers = [];
        response.data.data.forEach(function (teacher) {
          _this3.teachers.push({
            id: teacher.teacher_id,
            name: teacher.teacher.name
          });
        });
      });
    },
    fetch: function fetch() {
      var _this4 = this;
      this.isFetching = true;
      var url = '/api/student_lesson_requests/' + this.user.slug + '?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;lessonId=' + this.lessonId + '&amp;teacherId=' + this.teacherId + '&amp;gradeId=' + this.gradeId + '&amp;type=';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this4.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this4.rows = data.data;
        _this4.fetchLessons();
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this4.rows = [];
      })["finally"](function () {
        _this4.isFetching = false;
      });
    },
    createCustomerData: function createCustomerData(data) {
      this.rows.unshift(data);
    },
    editRating: function editRating(item) {
      this.lesson_request = item;
      this.ratingModal = true;
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    lessonId: function lessonId(val) {
      this.fetch();
    },
    gradeId: function gradeId(val) {
      this.fetch();
    },
    teacherId: function teacherId(val) {
      this.fetch();
    },
    searchQuery: function searchQuery(val) {
      var _this5 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this5.isTyping = false;
        if (!(_this5.searchQuery.length &gt; 0 &amp;&amp; _this5.searchQuery.length &lt; 3)) {
          _this5.searchQueryFail = false;
          _this5.fetch();
        } else {
          _this5.searchQueryFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_17__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'teacher',
        label: 'EÄŸitmen AdÄ±'
      }, {
        key: 'lesson',
        label: 'Ders'
      }, {
        key: 'grade',
        label: 'Seviye'
      }, {
        key: 'date',
        label: 'Tarih'
      }, {
        key: 'hour',
        label: 'Saat'
      }, {
        key: 'total_price',
        label: 'Ãœcret'
      }, {
        key: 'status',
        label: 'Durum'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var _Components_StarRating_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Components/StarRating.vue */ "./resources/js/components/Components/StarRating.vue");



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "TeacherDetails",
  components: {
    StarRating: _Components_StarRating_vue__WEBPACK_IMPORTED_MODULE_2__["default"]
  },
  data: function data() {
    return {
      teacherSlug: this.$route.params.slug,
      teacherData: {},
      teacherBio: {},
      teacherLessons: {},
      teacherLessonPrices: {},
      teacherCheapestLesson: {},
      comments: {}
    };
  },
  methods: {
    fetchUser: function fetchUser() {
      var _this = this;
      this.$http.get('/api/users/' + this.teacherSlug + '/profile').then(function (response) {
        _this.teacherData = response.data.data;
      })["finally"](function () {
        _this.fetchBiography();
      });
    },
    fetchBiography: function fetchBiography() {
      var _this2 = this;
      this.$http.get('/api/users/' + this.teacherSlug + '/biography').then(function (response) {
        if (response.data.data.content) {
          _this2.teacherBio = response.data.data.content;
        } else {
          _this2.teacherBio = '&lt;h4&gt;HakkÄ±nda alanÄ± boÅŸ&lt;/h4&gt;';
        }
      })["finally"](function () {
        _this2.fetchUserLessons();
      });
    },
    fetchUserLessons: function fetchUserLessons() {
      var _this3 = this;
      this.$http.get('/api/users/' + this.teacherSlug + '/lessons').then(function (response) {
        _this3.teacherLessons = response.data;
      })["finally"](function () {
        _this3.fetchUserLessonPrices();
      });
    },
    fetchUserLessonPrices: function fetchUserLessonPrices() {
      var _this4 = this;
      this.$http.get('/api/users/' + this.teacherSlug + '/lesson_grade_prices').then(function (response) {
        _this4.teacherLessonPrices = response.data;
        // find the cheapest lesson
        _this4.teacherCheapestLesson = _this4.teacherLessonPrices.reduce(function (prev, current) {
          return prev.price &lt; current.price ? prev : current;
        });
      })["finally"](function () {
        _this4.fetchComments();
      });
    },
    fetchComments: function fetchComments() {
      var _this5 = this;
      if (!this.teacherData.rating_count &gt; 0) {
        return;
      }
      this.$http.get('/api/users/' + this.teacherSlug + '/comments').then(function (response) {
        _this5.comments = response.data;
      });
    }
  },
  created: function created() {
    this.fetchUser();
  },
  computed: {
    profilePicture: function profilePicture() {
      return this.profilePicture;
    }
  }
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp;":
/*!***************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp; ***!
  \***************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
var __default__ = {
  name: "TeacherProfileSummary",
  data: function data() {
    return {
      isFetching: false,
      biography: ''
    };
  },
  methods: {
    fetchUserBiography: function fetchUserBiography() {
      var _this = this;
      this.isFetching = true;
      this.$http.get('/api/users/' + this.user.slug + '/biography').then(function (response) {
        if (response.data) {
          _this.biography = response.data.data.content;
        }
      })["finally"](function () {
        _this.isFetching = false;
      });
    }
  },
  created: function created() {
    if (this.user) {
      this.fetchUserBiography();
    }
  },
  props: {
    user: {
      type: Object,
      required: true
    }
  }
};
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (/*#__PURE__*/Object.assign(__default__, {
  setup: function setup(__props) {
    return {
      __sfc: true
    };
  }
}));

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vue2_editor__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue2-editor */ "./node_modules/vue2-editor/dist/vue2-editor.esm.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue-the-mask */ "./node_modules/vue-the-mask/dist/vue-the-mask.js");
/* harmony import */ var vue_the_mask__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(vue_the_mask__WEBPACK_IMPORTED_MODULE_1__);
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! vue-select */ "./node_modules/vue-select/dist/vue-select.js");
/* harmony import */ var vue_select__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(vue_select__WEBPACK_IMPORTED_MODULE_4__);
/* harmony import */ var vue_select_dist_vue_select_css__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-select/dist/vue-select.css */ "./node_modules/vue-select/dist/vue-select.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function ownKeys(e, r) { var t = Object.keys(e); if (Object.getOwnPropertySymbols) { var o = Object.getOwnPropertySymbols(e); r &amp;&amp; (o = o.filter(function (r) { return Object.getOwnPropertyDescriptor(e, r).enumerable; })), t.push.apply(t, o); } return t; }
function _objectSpread(e) { for (var r = 1; r &lt; arguments.length; r++) { var t = null != arguments[r] ? arguments[r] : {}; r % 2 ? ownKeys(Object(t), !0).forEach(function (r) { _defineProperty(e, r, t[r]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(e, Object.getOwnPropertyDescriptors(t)) : ownKeys(Object(t)).forEach(function (r) { Object.defineProperty(e, r, Object.getOwnPropertyDescriptor(t, r)); }); } return e; }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }








/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  name: "TeacherSchedule",
  components: {
    VueEditor: vue2_editor__WEBPACK_IMPORTED_MODULE_0__.VueEditor,
    TheMask: vue_the_mask__WEBPACK_IMPORTED_MODULE_1__.TheMask,
    BAvatar: bootstrap_vue__WEBPACK_IMPORTED_MODULE_6__.BAvatar,
    BMedia: bootstrap_vue__WEBPACK_IMPORTED_MODULE_7__.BMedia,
    BLink: bootstrap_vue__WEBPACK_IMPORTED_MODULE_8__.BLink,
    BSpinner: bootstrap_vue__WEBPACK_IMPORTED_MODULE_9__.BSpinner,
    BOverlay: bootstrap_vue__WEBPACK_IMPORTED_MODULE_10__.BOverlay,
    BRow: bootstrap_vue__WEBPACK_IMPORTED_MODULE_11__.BRow,
    BCol: bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BCol,
    BFormInput: bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.BFormInput,
    BButton: bootstrap_vue__WEBPACK_IMPORTED_MODULE_14__.BButton,
    BTable: bootstrap_vue__WEBPACK_IMPORTED_MODULE_15__.BTable,
    BBadge: bootstrap_vue__WEBPACK_IMPORTED_MODULE_16__.BBadge,
    BDropdown: bootstrap_vue__WEBPACK_IMPORTED_MODULE_17__.BDropdown,
    BDropdownItem: bootstrap_vue__WEBPACK_IMPORTED_MODULE_18__.BDropdownItem,
    BPagination: bootstrap_vue__WEBPACK_IMPORTED_MODULE_19__.BPagination,
    vSelect: (vue_select__WEBPACK_IMPORTED_MODULE_4___default())
  },
  data: function data() {
    return {
      week: null,
      time: null,
      lessonId: null,
      lessonModalId: 'modal-create-or-edit-lesson',
      lessons: [],
      gradeId: null,
      gradeModalId: 'modal-create-or-edit-grade',
      grades: [],
      studentId: null,
      students: [],
      lessonGradeMatchingModalId: 'modal-lesson-grade-matching',
      isFetching: false,
      rows: [],
      searchQuery: '',
      searchQueryFail: false,
      isTyping: false,
      timeout: null,
      perPageOptions: [10, 25, 50, 100],
      metaData: {
        currentPage: 1,
        from: 0,
        to: 0,
        perPage: 10,
        lastPage: 0,
        total: 0
      }
    };
  },
  methods: {
    fetchLessons: function fetchLessons() {
      var _this = this;
      this.$http.get('/api/teacher_lessons/' + this.user.slug).then(function (response) {
        _this.lessons = [];
        response.data.data.forEach(function (lesson) {
          _this.lessons.push({
            id: lesson.lesson_id,
            name: lesson.lesson.name
          });
        });
        _this.fetchGrades();
      });
    },
    fetchGrades: function fetchGrades() {
      var _this2 = this;
      this.$http.get('/api/teacher_grades/' + this.user.slug).then(function (response) {
        _this2.grades = [];
        response.data.data.forEach(function (grade) {
          _this2.grades.push({
            id: grade.grade_id,
            name: grade.grade.name
          });
        });
        _this2.fetchStudents();
      });
    },
    fetchStudents: function fetchStudents() {
      var _this3 = this;
      this.$http.get('/api/teacher_students/' + this.user.slug).then(function (response) {
        _this3.students = [];
        response.data.data.forEach(function (student) {
          _this3.students.push({
            id: student.student_id,
            name: student.student.name
          });
        });
      });
    },
    fetch: function fetch() {
      var _this4 = this;
      this.isFetching = true;
      var url = 'api/teacher_verified_lessons/' + this.user.slug + '?' + 'page=' + this.metaData.currentPage + '&amp;perPage=' + this.metaData.perPage + '&amp;lessonId=' + this.lessonId + '&amp;studentId=' + this.studentId + '&amp;gradeId=' + this.gradeId + '&amp;type=';
      this.$http.get(url).then(function (_ref) {
        var data = _ref.data;
        _this4.metaData = {
          currentPage: data.meta.current_page,
          from: data.meta.from,
          to: data.meta.to,
          perPage: data.meta.per_page,
          lastPage: data.meta.lastPage,
          total: data.meta.total
        };
        _this4.rows = data.data;
        _this4.fetchLessons();
      })["catch"](function (_ref2) {
        var data = _ref2.response.data;
        console.log(data);
        _this4.rows = [];
      })["finally"](function () {
        _this4.isFetching = false;
      });
    },
    createCustomerData: function createCustomerData(data) {
      this.rows.unshift(data);
    }
  },
  watch: {
    'metaData.currentPage': function metaDataCurrentPage() {
      this.fetch();
    },
    'metaData.perPage': function metaDataPerPage() {
      this.metaData.currentPage = 1;
      this.fetch();
    },
    lessonId: function lessonId(val) {
      this.fetch();
    },
    gradeId: function gradeId(val) {
      this.fetch();
    },
    studentId: function studentId(val) {
      this.fetch();
    },
    searchQuery: function searchQuery(val) {
      var _this5 = this;
      this.isTyping = true;
      if (this.timeout) {
        clearTimeout(this.timeout);
      }
      this.timeout = setTimeout(function () {
        _this5.isTyping = false;
        if (!(_this5.searchQuery.length &gt; 0 &amp;&amp; _this5.searchQuery.length &lt; 3)) {
          _this5.searchQueryFail = false;
          _this5.fetch();
        } else {
          _this5.searchQueryFail = true;
          alert('arama yapmak iÃ§in en az uyarÄ±sÄ± bu');
        }
      }, 500);
    }
  },
  created: function created() {
    this.fetch();
  },
  computed: _objectSpread(_objectSpread({}, (0,vuex__WEBPACK_IMPORTED_MODULE_20__.mapGetters)(['isLoggedIn', 'user'])), {}, {
    tableColumns: function tableColumns() {
      return [{
        key: 'id',
        label: '#'
      }, {
        key: 'student',
        label: 'Ã–ÄŸrenci AdÄ±'
      }, {
        key: 'lesson',
        label: 'Ders'
      }, {
        key: 'grade',
        label: 'Seviye'
      }, {
        key: 'date',
        label: 'Tarih'
      }, {
        key: 'hour',
        label: 'Saat'
      }, {
        key: 'total_price',
        label: 'Ãœcret'
      }, {
        key: 'actions',
        label: 'Aksiyon'
      }];
    }
  })
});

/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/App.vue?vue&amp;type=template&amp;id=f348271a&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/App.vue?vue&amp;type=template&amp;id=f348271a&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", [_c("Header", {
    on: {
      "open-messages-modal": function openMessagesModal($event) {
        return _vm.openMessagesModal($event);
      }
    }
  }), _vm._v(" "), _c("chat-box", {
    attrs: {
      "modal-id": "mainChatModal",
      user: _vm.user,
      user_id: _vm.chatUserId,
      unread_messages: _vm.unread_messages,
      opened: _vm.isMessageBoxOpened
    }
  }), _vm._v(" "), _c("router-view", {
    on: {
      "open-messages-modal": function openMessagesModal($event) {
        return _vm.openMessagesModal($event);
      }
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn(_ref) {
        var Component = _ref.Component,
          route = _ref.route;
        return [_vm._v("\n        " + _vm._s(_vm.user) + "\n        "), _c("transition", {
          attrs: {
            name: route.meta.transition || "fade"
          }
        }, [_c(Component, {
          tag: "component"
        })], 1)];
      }
    }])
  }), _vm._v(" "), _c("Footer")], 1);
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/About.vue?vue&amp;type=template&amp;id=fb05e49c&amp;scoped=true&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/About.vue?vue&amp;type=template&amp;id=fb05e49c&amp;scoped=true&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "page__title-area page__title-height page__title-overlay d-flex align-items-center",
    staticStyle: {
      "background-image": "url('/img/page-title/page-title.jpg')"
    }
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "page__title-wrapper mt-110"
  }, [_c("h3", {
    staticClass: "page__title"
  }, [_vm._v("HakkÄ±mÄ±zda")]), _vm._v(" "), _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("router-link", {
    attrs: {
      to: "/"
    }
  }, [_vm._v("Okulistan")])], 1), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active",
    attrs: {
      "aria-current": "page"
    }
  }, [_vm._v("HakkÄ±mÄ±zda")])])])])])])])]), _vm._v(" "), _vm._m(0), _vm._v(" "), _vm._m(1), _vm._v(" "), _c("section", {
    staticClass: "testimonial__area pt-145 pb-150",
    attrs: {
      "data-background": "assets/img/testimonial/home-3/testimonial-bg-3.jpg"
    }
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_vm._m(2), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6 col-md-10"
  }, [_c("div", {
    staticClass: "testimonial__video ml-70 fix"
  }, [_vm._m(3), _vm._v(" "), _c("div", {
    staticClass: "testimonial__video-content d-sm-flex"
  }, [_c("div", {
    staticClass: "testimonial__video-icon mr-20 mb-20"
  }, [_c("span", [_c("svg", {
    staticStyle: {
      "enable-background": "new 0 0 24 24"
    },
    attrs: {
      version: "1.1",
      id: "educal-youtube",
      xmlns: "http://www.w3.org/2000/svg",
      "xmlns:xlink": "http://www.w3.org/1999/xlink",
      x: "0px",
      y: "0px",
      viewBox: "0 0 24 24",
      "xml:space": "preserve"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M22,11.1V12c0,5.5-4.5,10-10,10C6.5,22,2,17.5,2,12C2,6.5,6.5,2,12,2c1.4,0,2.8,0.3,4.1,0.9"
    }
  }), _vm._v(" "), _c("polyline", {
    staticClass: "st0",
    attrs: {
      points: "22,4 12,14 9,11 "
    }
  })])])]), _vm._v(" "), _vm._m(4)])])])])])]), _vm._v(" "), _vm._m(5), _vm._v(" "), _c("section", {
    staticClass: "counter__area pt-145 pb-100"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(6), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-2 offset-xxl-1 col-xl-2 offset-xl-1 col-lg-3 col-md-3 offset-md-0 col-sm-5 offset-sm-2"
  }, [_c("div", {
    staticClass: "counter__item mb-30"
  }, [_c("div", {
    staticClass: "counter__icon user mb-15"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 490.7 490.7"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "m245.3 98c-39.7 0-72 32.3-72 72s32.3 72 72 72 72-32.3 72-72-32.3-72-72-72zm0 123.3c-28.3 0-51.4-23-51.4-51.4s23-51.4 51.4-51.4 51.4 23 51.4 51.4-23 51.4-51.4 51.4z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "m389.3 180.3c-28.3 0-51.4 23-51.4 51.4s23 51.4 51.4 51.4c28.3 0 51.4-23 51.4-51.4s-23.1-51.4-51.4-51.4zm0 82.2c-17 0-30.8-13.9-30.8-30.8s13.9-30.8 30.8-30.8 30.8 13.9 30.8 30.8-13.9 30.8-30.8 30.8z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "m102.9 180.3c-28.3 0-51.4 23-51.4 51.4s23 51.4 51.4 51.4 51.4-23 51.4-51.4-23-51.4-51.4-51.4zm0 82.2c-17 0-30.8-13.9-30.8-30.8s13.9-30.8 30.8-30.8 30.8 13.9 30.8 30.8-13.7 30.8-30.8 30.8z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "m245.3 262.5c-73.7 0-133.6 59.9-133.6 133.6 0 5.7 4.6 10.3 10.3 10.3s10.3-4.6 10.3-10.3c0-62.3 50.7-113 113-113s113.1 50.7 113.1 113c0 5.7 4.6 10.3 10.3 10.3s10.3-4.6 10.3-10.3c0-73.7-60-133.6-133.7-133.6z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "m389.3 303.6c-17 0-33.5 4.6-47.9 13.4-4.8 3-6.4 9.2-3.5 14.2 3 4.8 9.2 6.4 14.2 3.5 11.2-6.8 24.1-10.4 37.3-10.4 39.7 0 72 32.3 72 72 0 5.7 4.6 10.3 10.3 10.3s10.3-4.6 10.3-10.3c-0.2-51.3-41.8-92.7-92.7-92.7z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "m149.4 316.9c-14.5-8.7-30.9-13.3-47.9-13.3-51 0-92.5 41.5-92.5 92.5 0 5.7 4.6 10.3 10.3 10.3s10.3-4.6 10.3-10.3c0-39.7 32.3-72 72-72 13.2 0 26 3.6 37.2 10.4 4.8 3 11.2 1.4 14.2-3.5 2.9-4.9 1.2-11.1-3.6-14.1z"
    }
  })])]), _vm._v(" "), _vm._m(7)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-3 col-xl-3 col-lg-3 col-md-3 col-sm-5"
  }, [_c("div", {
    staticClass: "counter__item counter__pl-80 mb-30"
  }, [_c("div", {
    staticClass: "counter__icon book mb-15"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 512 512"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M458.7,512h-384c-29.4,0-53.3-23.9-53.3-53.3V53.3C21.3,23.9,45.3,0,74.7,0H416c5.9,0,10.7,4.8,10.7,10.7v74.7  h32c5.9,0,10.7,4.8,10.7,10.7v405.3C469.3,507.2,464.6,512,458.7,512z M42.7,96v362.7c0,17.6,14.4,32,32,32H448v-384H74.7  C62.7,106.7,51.6,102.7,42.7,96L42.7,96z M74.7,21.3c-17.6,0-32,14.4-32,32s14.4,32,32,32h330.7v-64H74.7z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M309.3,298.7c-2.8,0-5.5-1.1-7.6-3.1l-56.4-56.5l-56.4,56.4c-3.1,3.1-7.6,4-11.6,2.3c-4-1.6-6.6-5.5-6.6-9.8V96  c0-5.9,4.8-10.7,10.7-10.7S192,90.1,192,96v166.3l45.8-45.8c4.2-4.2,10.9-4.2,15.1,0l45.8,45.8V96c0-5.9,4.8-10.7,10.7-10.7  S320,90.1,320,96v192c0,4.3-2.6,8.2-6.6,9.9C312.1,298.4,310.7,298.7,309.3,298.7L309.3,298.7z"
    }
  })])]), _vm._v(" "), _vm._m(8)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-2 offset-xxl-0 col-xl-3 offset-xl-0 col-lg-3 offset-lg-0 col-md-3 offset-md-0 col-sm-5 offset-sm-2"
  }, [_c("div", {
    staticClass: "counter__item counter__pl-34 mb-30"
  }, [_c("div", {
    staticClass: "counter__icon graduate mb-15"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 512 512"
    }
  }, [_c("g", {
    attrs: {
      id: "Page-1"
    }
  }, [_c("g", {
    attrs: {
      id: "_x30_01---Degree"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      id: "Shape",
      d: "M500.6,86.3L261.8,1c-3.8-1.3-7.9-1.3-11.7,0L11.3,86.3C4.5,88.7,0,95.2,0,102.4    s4.5,13.6,11.3,16.1L128,160.1v53.2c0,33.2,114.9,34.1,128,34.1s128-1,128-34.1v-53.2l25.6-9.1v19.6c0,9.4,7.6,17.1,17.1,17.1    h17.1c9.4,0,17.1-7.6,17.1-17.1V145c0-4-1-7.8-2.8-11.4l42.7-15.3c6.8-2.4,11.3-8.9,11.3-16.1S507.5,88.8,500.6,86.3L500.6,86.3z     M366.9,194.6c-32.5-14.8-101-15.4-110.9-15.4s-78.4,0.6-110.9,15.4v-74.3c5.1-6.6,45.4-17.8,110.9-17.8s105.8,11.2,110.9,17.8    V194.6z M256,230.4c-63.1,0-102.8-10.4-110.2-17.1c7.4-6.6,47.1-17.1,110.2-17.1s102.8,10.4,110.2,17.1    C358.8,220,319.1,230.4,256,230.4z M413.6,131.5L384,142v-22.5c0-33.2-114.9-34.1-128-34.1s-128,1-128,34.1V142L17.1,102.4    l239.1-85.3L426.7,78v43C421.3,123,416.7,126.6,413.6,131.5z M443.7,170.7h-17.1v-25.6c0-4.7,3.8-8.5,8.5-8.5s8.5,3.8,8.5,8.5    v25.6H443.7z M443.7,120.7V84.1l51.2,18.3L443.7,120.7z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      id: "Shape_1_",
      d: "M486.4,264.5c-0.5,0-1,0-1.5,0.1C409.2,276.4,332.6,282,256,281.5    c-76.6,0.5-153.2-5.2-228.9-16.9c-0.5-0.1-1-0.1-1.5-0.1c-6,0-25.6,6.8-25.6,93.9s19.6,93.9,25.6,93.9c0.5,0,1-0.1,1.5-0.2    c58.2-9.2,116.9-14.6,175.8-16l-16.7,40c-2.6,6.4-1,13.7,3.9,18.5s12.3,6.1,18.6,3.4l6.5-2.8l2.8,6.5c2.7,6.3,8.9,10.4,15.7,10.4    h0.2c6.9-0.1,13.1-4.3,15.6-10.6l14.8-35.5l14.8,35.3c2.6,6.5,8.8,10.7,15.7,10.8h0.3c6.8,0,12.9-4,15.6-10.2l2.9-6.5l6.4,2.8    c6.3,2.8,13.8,1.5,18.7-3.4c5-4.8,6.5-12.2,3.9-18.6L326.3,437c53.1,1.9,106,7,158.5,15.4c0.5,0.1,1,0.1,1.5,0.1    c6,0,25.6-6.8,25.6-93.9S492.4,264.5,486.4,264.5L486.4,264.5z M283.3,298.4c3.5,13,5.6,26.4,6.2,39.9c-19.3-9-42-6.9-59.4,5.5    c-0.4-15.3-2.4-30.6-5.9-45.5c10.3,0.2,20.9,0.3,31.8,0.3C265.3,298.7,274.4,298.6,283.3,298.4z M264.5,435.2    c-23.6,0-42.7-19.1-42.7-42.7s19.1-42.7,42.7-42.7s42.7,19.1,42.7,42.7S288.1,435.2,264.5,435.2z M25.6,285.9    c6.5,23.6,9.4,48.1,8.5,72.5c0.9,24.5-2,48.9-8.5,72.5c-6.5-23.6-9.4-48.1-8.5-72.5C16.2,333.9,19.1,309.5,25.6,285.9z     M42.8,432.4c4.7-13.5,8.4-36.2,8.4-74s-3.7-60.5-8.4-74c54.2,7.5,108.8,12,163.5,13.5c5.1,19.7,7.5,40.1,7,60.5    c0,1.2,0,2.4-0.1,3.6c-10.2,17-11.3,38-2.7,55.9l-0.4,0.9C154.2,420.2,98.3,424.7,42.8,432.4L42.8,432.4z M233.9,494.9l-6.2-14.3    c-1.9-4.3-6.9-6.3-11.2-4.4l-14.4,6.3l20-48c8.2,8.3,18.7,14.1,30.1,16.5L233.9,494.9z M312.6,476.2c-4.3-1.9-9.3,0.1-11.2,4.4    l-6.3,14.2L276.8,451c11.5-2.4,21.9-8.1,30.2-16.5l20,47.8L312.6,476.2z M484.7,434.8c-54.8-8.4-110.1-13.6-165.5-15.4l-0.6-1.5    c10.7-22.6,6.1-49.5-11.5-67.3c-0.1-17.7-2.1-35.3-6.1-52.6c61.5-1.4,122.9-6.7,183.7-16.1c4,6.7,10.2,33.3,10.2,76.4    S488.6,428,484.7,434.8L484.7,434.8z"
    }
  })])])])]), _vm._v(" "), _vm._m(9)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-2 offset-xxl-1 col-xl-3 col-lg-3 col-md-3 col-sm-5"
  }, [_c("div", {
    staticClass: "counter__item mb-30"
  }, [_c("div", {
    staticClass: "counter__icon globe mb-15"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 512 512"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M444.2,150.6c6.9-14.6,10.9-30.4,11.8-46.6c0.1-48.5-39.2-87.9-87.8-88c-28,0-54.4,13.3-71,35.9  C175.7,29.1,58.6,109.2,35.8,230.8s57.3,238.6,178.9,261.4c121.6,22.8,238.6-57.3,261.4-178.9c2.6-13.6,3.8-27.4,3.8-41.3  C480,228.9,467.6,186.7,444.2,150.6z M464,272c0,39.2-11.1,77.6-32.1,110.8c-7.1-34.3-20.4-42.5-36.7-48.8  c-5.3-1.6-10.3-4.4-14.4-8.1c-5.9-6.6-11-13.8-15.2-21.5c-11.4-18.8-25.5-42.1-57.7-58.2l-5.9-2.9c-40.4-20-54-26.8-34.8-84.2  c3.5-10.5,9.5-20.1,17.4-27.9c9.9,32.7,34,71.5,55,101.4c11,15.6,32.6,19.4,48.2,8.4c3.3-2.3,6.1-5.1,8.4-8.4  c14.7-20.6,28-42.3,39.7-64.7C454.4,199.5,464,235.4,464,272z M368,32c39.7,0,72,32.3,72,72c0,24.8-20.2,67.2-56.8,119.4  c-6,8.4-17.6,10.4-26,4.4c-1.7-1.2-3.2-2.7-4.4-4.4C316.2,171.2,296,128.8,296,104C296,64.3,328.3,32,368,32z M48,272  c0-45.4,14.9-89.6,42.4-125.7c12,7.9,65.3,45.5,53.6,86.2c-4.9,14.7-3.4,30.8,4.2,44.3c14.1,24.4,45,32.4,45.6,32.6  c0.3,0.1,26.5,9.1,31.4,27.2c2.7,9.9-1.5,21.5-12.6,34.5c-12.5,15.5-29.2,27.1-48,33.5c-14.5,5.6-27.3,10.6-33.5,33.7  C78.8,399,48,337.4,48,272z M256,480c-39.2,0-77.5-11.1-110.6-32c3.6-20.1,10.6-22.9,25.1-28.5c21.3-7.4,40.1-20.5,54.3-38  c14.8-17.3,20.1-33.8,15.9-49.2c-7.3-26.3-40.4-37.6-42.4-38.2c-0.2-0.1-25.5-6.6-36.3-25.2c-5.3-9.8-6.3-21.4-2.6-31.9  c14.3-50.1-42.1-92-58.8-103.1C140,89.4,196.6,64,256,64c10.9,0,21.7,0.9,32.5,2.6c-5.6,11.7-8.5,24.5-8.5,37.4  c0,3.2,0.3,6.4,0.7,9.5c-13.3,10.4-23.2,24.5-28.6,40.5c-23.6,70.6,1.4,83.1,42.9,103.6l5.8,2.9c28,14,40.3,34.3,51.1,52.2  c4.9,8.8,10.7,17.1,17.5,24.6c5.7,5.3,12.5,9.3,20,11.7c12.9,5,24.1,9.4,29.2,52.4C379.4,451,319.4,480,256,480z M368,152  c26.5,0,48-21.5,48-48s-21.5-48-48-48s-48,21.5-48,48C320,130.5,341.5,152,368,152z M368,72c17.7,0,32,14.3,32,32s-14.3,32-32,32  s-32-14.3-32-32S350.3,72,368,72z"
    }
  })])]), _vm._v(" "), _vm._m(10)])])])])]), _vm._v(" "), _vm._m(11)]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("section", {
    staticClass: "about__area pt-120 pb-150"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-5 offset-xxl-1 col-xl-6 col-lg-6"
  }, [_c("div", {
    staticClass: "about__thumb-wrapper"
  }, [_c("div", {
    staticClass: "about__review"
  }, [_c("h5", [_c("span", [_vm._v("5.000+")]), _vm._v(" 5 yÄ±ldÄ±z geri dÃ¶nÃ¼ÅŸ")])]), _vm._v(" "), _c("div", {
    staticClass: "about__thumb ml-100"
  }, [_c("img", {
    attrs: {
      src: "/img/about/about.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "about__banner mt--210"
  }, [_c("img", {
    attrs: {
      src: "/img/about/about-banner.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "about__student ml-270 mt--80"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_c("img", {
    attrs: {
      src: "/img/about/student-4.jpg",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    attrs: {
      src: "/img/about/student-3.jpg",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    attrs: {
      src: "/img/about/student-2.jpg",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    attrs: {
      src: "/img/about/student-1.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("p", [_vm._v("Join over "), _c("span", [_vm._v("4,000+")]), _vm._v(" students")])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6"
  }, [_c("div", {
    staticClass: "about__content pl-70 pr-60 pt-25"
  }, [_c("div", {
    staticClass: "section__title-wrapper mb-25"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Hedefinize "), _c("br"), _c("span", {
    staticClass: "yellow-bg-big"
  }, [_vm._v("Goals "), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg-2.png",
      alt: ""
    }
  })]), _vm._v(" Okulistan ile ulaÅŸÄ±n ")]), _vm._v(" "), _c("p", [_vm._v("Lorem ipsum dolor sit amet, consectetur adipisicing elit. Ad beatae cumque deserunt ducimus eaque eius esse facilis, in ipsa ipsum iste laudantium libero mollitia omnis quasi quis ratione, repudiandae sed sit suscipit. Assumenda beatae commodi consectetur corporis, deleniti, dolor ea illo itaque iure laboriosam magnam optio quos recusandae suscipit voluptate!")])]), _vm._v(" "), _c("div", {
    staticClass: "about__list mb-35"
  }, [_c("ul", [_c("li", {
    staticClass: "d-flex align-items-center"
  }, [_c("i", {
    staticClass: "icon_check"
  }), _vm._v(" Upskill your organization.")]), _vm._v(" "), _c("li", {
    staticClass: "d-flex align-items-center"
  }, [_c("i", {
    staticClass: "icon_check"
  }), _vm._v(" Access more then 100K online courses")]), _vm._v(" "), _c("li", {
    staticClass: "d-flex align-items-center"
  }, [_c("i", {
    staticClass: "icon_check"
  }), _vm._v(" Learn the latest skills")])])]), _vm._v(" "), _c("a", {
    staticClass: "e-btn e-btn-border",
    attrs: {
      href: "contact.html"
    }
  }, [_vm._v("apply now")])])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("section", {
    staticClass: "brand__area pb-110"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "brand__content text-center"
  }, [_c("h3", {
    staticClass: "brand__title"
  }, [_vm._v("Trusted by 100 world's best companies")])])])]), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "brand__slider swiper-container"
  }, [_c("div", {
    staticClass: "swiper-wrapper"
  }, [_c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "brand__item text-center text-lg-start"
  }, [_c("img", {
    attrs: {
      src: "/img/brand/brand-1.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "brand__item text-center text-lg-start"
  }, [_c("img", {
    attrs: {
      src: "/img/brand/brand-2.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "brand__item text-center text-lg-start"
  }, [_c("img", {
    attrs: {
      src: "/img/brand/brand-3.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "brand__item text-center text-lg-start"
  }, [_c("img", {
    attrs: {
      src: "/img/brand/brand-4.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "brand__item text-center text-lg-start"
  }, [_c("img", {
    attrs: {
      src: "/img/brand/brand-5.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "brand__item text-center text-lg-start"
  }, [_c("img", {
    attrs: {
      src: "/img/brand/brand-6.png",
      alt: ""
    }
  })])])])])])]), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "brand__more text-center"
  }, [_c("a", {
    staticClass: "link-btn",
    attrs: {
      href: "about.html"
    }
  }, [_vm._v("\n                            View all partners\n                            "), _c("i", {
    staticClass: "far fa-arrow-right"
  }), _vm._v(" "), _c("i", {
    staticClass: "far fa-arrow-right"
  })])])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6 col-md-10"
  }, [_c("div", {
    staticClass: "testimonial__slider-3"
  }, [_c("h3", {
    staticClass: "testimonial__title"
  }, [_vm._v("Student "), _c("br"), _vm._v(" Community Feedback")]), _vm._v(" "), _c("div", {
    staticClass: "testimonial__slider-wrapper swiper-container testimonial-text mb-35"
  }, [_c("div", {
    staticClass: "swiper-wrapper"
  }, [_c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "testimonial__item-3"
  }, [_c("p", [_vm._v("â€œAfter I started learning design with Quillow, I realized that I had improved to very advanced levels. While I am studying at my university, I design as an additional\n                                            income and I am sure that I will do this professionally.â€")]), _vm._v(" "), _c("div", {
    staticClass: "testimonial__info-2"
  }, [_c("h4", [_vm._v("James Lee,")]), _vm._v(" "), _c("span", [_vm._v("Student @Educal University")])])])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "testimonial__item-3"
  }, [_c("p", [_vm._v("â€œAfter I started learning design with Quillow, I realized that I had improved to very advanced levels. While I am studying at my university, I design as an additional\n                                            income and I am sure that I will do this professionally.â€")]), _vm._v(" "), _c("div", {
    staticClass: "testimonial__info-2"
  }, [_c("h4", [_vm._v("James Lee,")]), _vm._v(" "), _c("span", [_vm._v("Student @Educal University")])])])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "testimonial__item-3"
  }, [_c("p", [_vm._v("â€œAfter I started learning design with Quillow, I realized that I had improved to very advanced levels. While I am studying at my university, I design as an additional\n                                            income and I am sure that I will do this professionally.â€")]), _vm._v(" "), _c("div", {
    staticClass: "testimonial__info-2"
  }, [_c("h4", [_vm._v("James Lee,")]), _vm._v(" "), _c("span", [_vm._v("Student @Educal University")])])])])])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-container testimonial-nav"
  }, [_c("div", {
    staticClass: "swiper-wrapper"
  }, [_c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "testimonial__nav-thumb"
  }, [_c("img", {
    attrs: {
      src: "/img/testimonial/home-3/testi-1.jpg",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "testimonial__nav-thumb"
  }, [_c("img", {
    attrs: {
      src: "/img/testimonial/home-3/testi-2.jpg",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "testimonial__nav-thumb"
  }, [_c("img", {
    attrs: {
      src: "/img/testimonial/home-3/testi-3.jpg",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "swiper-slide"
  }, [_c("div", {
    staticClass: "testimonial__nav-thumb"
  }, [_c("img", {
    attrs: {
      src: "/img/testimonial/home-3/testi-2.jpg",
      alt: ""
    }
  })])])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "testimonial__thumb-3"
  }, [_c("iframe", {
    attrs: {
      src: "https://www.youtube.com/embed/Rr0uFzAOQus",
      title: "YouTube video player",
      allow: "accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture"
    }
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "testimonial__video-text"
  }, [_c("h4", [_vm._v("Course Outcome")]), _vm._v(" "), _c("p", [_vm._v("Faff about A bit of how's your father getmate cack codswallop crikey argy-bargy cobblers  lost his bottle.")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("section", {
    staticClass: "why__area pt-125"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row align-items-center"
  }, [_c("div", {
    staticClass: "col-xxl-5 offset-xxl-1 col-xl-5 offset-xl-1 col-lg-6 col-md-8"
  }, [_c("div", {
    staticClass: "why__content pr-50 mt-40"
  }, [_c("div", {
    staticClass: "section__title-wrapper mb-30"
  }, [_c("span", {
    staticClass: "section__sub-title"
  }, [_vm._v("Why Choses Me")]), _vm._v(" "), _c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Tools for "), _c("span", {
    staticClass: "yellow-bg yellow-bg-big"
  }, [_vm._v("Teachers"), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg.png",
      alt: ""
    }
  })]), _vm._v(" and Learners")]), _vm._v(" "), _c("p", [_vm._v("Oxford chimney pot Eaton faff about blower blatant brilliant, bubble and squeak he legged it Charles bonnet arse at public school bamboozled.")])]), _vm._v(" "), _c("div", {
    staticClass: "why__btn"
  }, [_c("a", {
    staticClass: "e-btn e-btn-3 mr-30",
    attrs: {
      href: "contact.html"
    }
  }, [_vm._v("Join for Free")]), _vm._v(" "), _c("a", {
    staticClass: "link-btn",
    attrs: {
      href: "about.html"
    }
  }, [_vm._v("\n                                Learn More\n                                "), _c("i", {
    staticClass: "far fa-arrow-right"
  }), _vm._v(" "), _c("i", {
    staticClass: "far fa-arrow-right"
  })])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-5 col-xl-5 col-lg-6 col-md-8"
  }, [_c("div", {
    staticClass: "why__thumb"
  }, [_c("img", {
    attrs: {
      src: "/img/why/why.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "why-green",
    attrs: {
      src: "/img/why/why-shape-green.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "why-pink",
    attrs: {
      src: "/img/why/why-shape-pink.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "why-dot",
    attrs: {
      src: "/img/why/why-shape-dot.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "why-line",
    attrs: {
      src: "/img/why/why-shape-line.png",
      alt: ""
    }
  })])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 offset-xl-3 col-xl-6 offset-xl-3"
  }, [_c("div", {
    staticClass: "section__title-wrapper text-center mb-60"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("We are "), _c("span", {
    staticClass: "yellow-bg yellow-bg-big"
  }, [_vm._v("Proud"), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("p", [_vm._v("You don't have to struggle alone, you've got our assistance and help.")])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "counter__content"
  }, [_c("h4", [_c("span", {
    staticClass: "counter"
  }, [_vm._v("345,421")])]), _vm._v(" "), _c("p", [_vm._v("Students Enrolled")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "counter__content"
  }, [_c("h4", [_c("span", {
    staticClass: "counter"
  }, [_vm._v("2,485")])]), _vm._v(" "), _c("p", [_vm._v("Total Courses")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "counter__content"
  }, [_c("h4", [_c("span", {
    staticClass: "counter"
  }, [_vm._v("24,085")])]), _vm._v(" "), _c("p", [_vm._v("Online Learners")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "counter__content"
  }, [_c("h4", [_c("span", {
    staticClass: "counter"
  }, [_vm._v("203")]), _vm._v("k")]), _vm._v(" "), _c("p", [_vm._v("Foreign Followers")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("section", {
    staticClass: "banner__area pb-110"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6 col-md-6"
  }, [_c("div", {
    staticClass: "banner__item p-relative mb-40",
    attrs: {
      "data-background": "assets/img/banner/banner-bg-1.jpg"
    }
  }, [_c("div", {
    staticClass: "banner__content"
  }, [_c("span", [_vm._v("Free")]), _vm._v(" "), _c("h3", {
    staticClass: "banner__title"
  }, [_c("a", {
    attrs: {
      href: "course-details.html"
    }
  }, [_vm._v("Germany Foundation "), _c("br"), _vm._v(" Document")])]), _vm._v(" "), _c("a", {
    staticClass: "e-btn e-btn-2",
    attrs: {
      href: "course-grid.html"
    }
  }, [_vm._v("View Courses")])]), _vm._v(" "), _c("div", {
    staticClass: "banner__thumb d-none d-sm-block d-md-none d-lg-block"
  }, [_c("img", {
    attrs: {
      src: "/img/banner/banner-img-1.png",
      alt: ""
    }
  })])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6 col-md-6"
  }, [_c("div", {
    staticClass: "banner__item p-relative mb-40",
    attrs: {
      "data-background": "assets/img/banner/banner-bg-2.jpg"
    }
  }, [_c("div", {
    staticClass: "banner__content"
  }, [_c("span", {
    staticClass: "orange"
  }, [_vm._v("new")]), _vm._v(" "), _c("h3", {
    staticClass: "banner__title"
  }, [_c("a", {
    attrs: {
      href: "course-details.html"
    }
  }, [_vm._v("Online Courses "), _c("br"), _vm._v("From Eduka University")])]), _vm._v(" "), _c("a", {
    staticClass: "e-btn e-btn-2",
    attrs: {
      href: "course-grid.html"
    }
  }, [_vm._v("Find Out More")])]), _vm._v(" "), _c("div", {
    staticClass: "banner__thumb banner__thumb-2 d-none d-sm-block d-md-none d-lg-block"
  }, [_c("img", {
    attrs: {
      src: "/img/banner/banner-img-2.png",
      alt: ""
    }
  })])])])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=template&amp;id=4d6140fc&amp;scoped=true&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=template&amp;id=4d6140fc&amp;scoped=true&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "80px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "3",
      md: "4"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("button", {
    staticClass: "btn btn-primary",
    attrs: {
      type: "button"
    },
    on: {
      click: function click($event) {
        return _vm.showNewPaymentUrlModal();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-plus"
  }), _vm._v("\n                                                Yeni Ã–deme Linki OluÅŸtur\n                                            ")]), _vm._v(" "), _c("create-or-edit-custom-payment-url", {
    attrs: {
      "modal-id": _vm.newCustomPaymentUrlModalId,
      "payment-url-id": _vm.paymentUrlId
    },
    on: {
      "create-custom-payment-url-data": function createCustomPaymentUrlData($event) {
        return _vm.fetch();
      }
    }
  })], 1)]), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "5",
      md: "5"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "160px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.statusOptions,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "StatÃ¼"
    },
    model: {
      value: _vm.filter.status,
      callback: function callback($$v) {
        _vm.$set(_vm.filter, "status", $$v);
      },
      expression: "filter.status"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transparent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(payer)",
      fn: function fn(data) {
        return [_c("b-media", [data.item.payer ? _c("span", [_vm._v(_vm._s(data.item.payer.name))]) : _c("span", [_vm._v("--")])])];
      }
    }, {
      key: "cell(slug)",
      fn: function fn(data) {
        return [_c("b-link", {
          attrs: {
            href: data.item.slug,
            target: "_blank"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.slug) + "\n                                        ")])];
      }
    }, {
      key: "cell(amount)",
      fn: function fn(data) {
        return [_c("b-media", {
          staticStyle: {
            "text-align": "right"
          },
          attrs: {
            "vertical-align": "right"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.amount) + "\n                                        ")])];
      }
    }, {
      key: "cell(status)",
      fn: function fn(data) {
        return [_c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: _vm.statusVariant[data.item.status]
          }
        }, [_vm._v("\n                                            " + _vm._s(_vm.status[data.item.status]) + "\n                                        ")])];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [_c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-success"
          }
        }, [_c("i", {
          staticClass: "fa fa-edit"
        })]), _vm._v(" "), _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-warning"
          },
          on: {
            click: function click($event) {
              return _vm.$emit("open-messages-modal", data.item.user);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-envelope"
        })])], 1)];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Okulistan")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Ã–deme Linkleri")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=template&amp;id=648fdea2&amp;scoped=true&amp;":
/*!*************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=template&amp;id=648fdea2&amp;scoped=true&amp; ***!
  \*************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20 pb-145"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v(_vm._s(_vm.routeId ? "YÃ¶netim" : "HesabÄ±m"))])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_vm._v("Profili DÃ¼zenle")]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active text-capitalize",
    attrs: {
      "aria-current": "page"
    }
  }, [_vm._v(_vm._s(_vm.userData.name))])])]), _vm._v(" "), _vm.routeId &amp;&amp; _vm.routeId !== _vm.user.id &amp;&amp; !_vm.fetchingUser ? _c("div", {
    staticClass: "alert alert-danger",
    attrs: {
      role: "alert"
    }
  }, [_c("strong", [_vm._v("Dikkat!")]), _vm._v(" Åžu an bir baÅŸkasÄ±nÄ±n ("), _c("strong", [_vm._v(_vm._s(_vm.userData.name))]), _vm._v(") hesabÄ±nÄ± dÃ¼zenlemektesiniz. Ne yaptÄ±ÄŸÄ±nÄ±zdam emin deÄŸilseniz lÃ¼tfen "), _c("a", {
    staticStyle: {
      "text-decoration": "underline"
    },
    attrs: {
      href: "javascript:history.go(-1)"
    }
  }, [_vm._v("geri dÃ¶nÃ¼n.")])]) : _vm._e(), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-6"
  }, [_vm.userData.photo_portrait ? _c("div", {
    staticClass: "teacher__details-thumb p-relative w-img pr-30"
  }, [!_vm.userData.photo_portrait ? _c("b-alert", {
    attrs: {
      variant: "warning",
      show: ""
    }
  }, [_c("b", [_vm._v("AdÄ±m 1/3")]), _vm._v(" Portre fotoÄŸrafÄ±nÄ±zÄ± seÃ§in ve kaydedin")]) : _vm._e(), _vm._v(" "), !_vm.fetchingUser ? _c("croppa", {
    attrs: {
      placeholder: "FotoÄŸrafÄ±nÄ±zÄ± seÃ§in ve dÃ¼zenleyin",
      "canvas-color": "transparent",
      "file-size-limit": 10485760,
      "prevent-white-space": true,
      "initial-image": _vm.userData.photo_portrait,
      "placeholder-font-size": 18,
      width: 345,
      height: 410
    },
    on: {
      "file-type-mismatch": _vm.onFileTypeMismatch,
      "file-size-exceed": _vm.onFileSizeExceed
    },
    model: {
      value: _vm.croppa["portrait"],
      callback: function callback($$v) {
        _vm.$set(_vm.croppa, "portrait", $$v);
      },
      expression: "croppa['portrait']"
    }
  }) : _vm._e(), _vm._v(" "), !_vm.uploading ? _c("button", {
    staticClass: "btn btn-primary btn-sm mt-2",
    on: {
      click: function click($event) {
        return _vm.uploadPhoto("portrait");
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-upload"
  }), _vm._v(" Kaydet\n                        ")]) : _c("button", {
    staticClass: "btn btn-primary btn-sm mt-2",
    attrs: {
      disabled: ""
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v(" YÃ¼kleniyor\n                        ")])], 1) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-8 col-xl-8 col-lg-8"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", [_c("ul", {
    staticClass: "nav nav-pills mb-3",
    attrs: {
      id: "pills-tab",
      role: "tablist"
    }
  }, [_c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link active",
    attrs: {
      disabled: _vm.posting.basic,
      id: "pills-home-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#temel-bilgiler",
      type: "button",
      role: "tab",
      "aria-controls": "temel-bilgiler",
      "aria-selected": "true"
    }
  }, [_vm._v("Temel Bilgiler")])]), _vm._v(" "), _c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link",
    attrs: {
      disabled: _vm.posting.basic,
      id: "pills-profile-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#biyografi",
      type: "button",
      role: "tab",
      "aria-controls": "biyografi",
      "aria-selected": "false"
    }
  }, [_vm._v("Biyografi")])]), _vm._v(" "), _c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_vm.userData.type === "teacher" ? _c("button", {
    staticClass: "nav-link",
    attrs: {
      disabled: _vm.posting.basic,
      id: "pills-classes-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#verdigim-dersler",
      type: "button",
      role: "tab",
      "aria-controls": "verdigim-dersler",
      "aria-selected": "false"
    }
  }, [_vm._v("Dersler")]) : _vm._e()]), _vm._v(" "), _c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_vm.userData.type === "teacher" ? _c("button", {
    staticClass: "nav-link",
    attrs: {
      disabled: _vm.posting.basic,
      id: "pills-classes-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#iban-bilgisi",
      type: "button",
      role: "tab",
      "aria-controls": "iban-bilgisi",
      "aria-selected": "false"
    }
  }, [_vm._v("Iban Bilgim")]) : _vm._e()]), _vm._v(" "), _c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_vm.userData.type === "teacher" ? _c("button", {
    staticClass: "nav-link",
    attrs: {
      disabled: _vm.posting.basic,
      id: "pills-classes-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#ders-linki",
      type: "button",
      role: "tab",
      "aria-controls": "ders-linki",
      "aria-selected": "false"
    }
  }, [_vm._v("Ders Linkim")]) : _vm._e()]), _vm._v(" "), _c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link",
    attrs: {
      disabled: _vm.posting.password_change,
      id: "pills-classes-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#sifre-degistir",
      type: "button",
      role: "tab",
      "aria-controls": "ders-linki",
      "aria-selected": "false"
    }
  }, [_vm._v("Åžifre DeÄŸiÅŸtir")])]), _vm._v(" "), _c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link",
    attrs: {
      disabled: _vm.posting.other,
      id: "pills-classes-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#diger",
      type: "button",
      role: "tab",
      "aria-controls": "diger",
      "aria-selected": "false"
    }
  }, [_vm._v("DiÄŸer")])])]), _vm._v(" "), _c("div", {
    staticClass: "tab-content",
    attrs: {
      id: "pills-tabContent"
    }
  }, [_c("div", {
    staticClass: "tab-pane fade show active",
    attrs: {
      id: "temel-bilgiler",
      role: "tabpanel",
      "aria-labelledby": "pills-home-tab"
    }
  }, [_c("b-overlay", {
    attrs: {
      show: _vm.posting.basic,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [_c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.userData.name,
      expression: "userData.name"
    }],
    staticClass: "form-control",
    "class": {
      "is-invalid": _vm.errors.basic.name
    },
    attrs: {
      type: "email",
      id: "name",
      placeholder: "AdÄ±nÄ±z"
    },
    domProps: {
      value: _vm.userData.name
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.userData, "name", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "form-label",
    attrs: {
      "for": "name"
    }
  }, [_vm._v("AdÄ±nÄ±z")]), _vm._v(" "), _vm.errors.basic.name ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                                " + _vm._s(_vm.errors.basic.name[0]) + "\n                                            ")]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.userData.email,
      expression: "userData.email"
    }],
    staticClass: "form-control",
    attrs: {
      type: "email",
      id: "email",
      placeholder: "E-mail adresiniz"
    },
    domProps: {
      value: _vm.userData.email
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.userData, "email", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "form-label",
    attrs: {
      "for": "email"
    }
  }, [_vm._v("Email adresiniz")])]), _vm._v(" "), _c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("the-mask", {
    staticClass: "form-control",
    attrs: {
      id: "mobile",
      placeholder: "Telefon numaranÄ±z",
      mask: ["+90 (###) ### ## ##"]
    },
    model: {
      value: _vm.userData.mobile,
      callback: function callback($$v) {
        _vm.$set(_vm.userData, "mobile", $$v);
      },
      expression: "userData.mobile"
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "form-label",
    attrs: {
      "for": "mobile"
    }
  }, [_vm._v("Telefon numaranÄ±z")])], 1), _vm._v(" "), _vm.userData.type === "student" ? _c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.userData.grade_id,
      expression: "userData.grade_id"
    }],
    staticClass: "form-select",
    attrs: {
      id: "floatingSelect",
      "aria-label": "Floating label select example"
    },
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.userData, "grade_id", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, [_c("option", {
    domProps: {
      value: null
    }
  }, [_vm._v("EÄŸitim almak istediÄŸiniz sÄ±nÄ±f dÃ¼zeyi?")]), _vm._v(" "), _vm._l(_vm.grades, function (grade) {
    return _c("option", {
      domProps: {
        value: grade.id
      }
    }, [_vm._v(_vm._s(grade.name))]);
  })], 2), _vm._v(" "), _c("label", {
    attrs: {
      "for": "floatingSelect"
    }
  }, [_vm._v("EÄŸitim almak istediÄŸiniz sÄ±nÄ±f dÃ¼zeyi")])]) : _vm._e()]), _vm._v(" "), _c("div", [!_vm.posting.basic ? _c("button", {
    staticClass: "btn btn-primary float-right",
    attrs: {
      type: "submit"
    },
    on: {
      click: function click($event) {
        return _vm.updateUser();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-save"
  }), _vm._v("\n                                            Kaydet\n                                        ")]) : _c("b-button", {
    attrs: {
      variant: "secondary",
      type: "button",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v("\n                                            Kaydediliyor..\n                                        ")])], 1)], 1), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "biyografi",
      role: "tabpanel",
      "aria-labelledby": "pills-profile-tab"
    }
  }, [_c("b-overlay", {
    attrs: {
      show: _vm.posting.biography,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [_c("vue-editor", {
    model: {
      value: _vm.biographyContent,
      callback: function callback($$v) {
        _vm.biographyContent = $$v;
      },
      expression: "biographyContent"
    }
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mt-3"
  }, [!_vm.posting.biography ? _c("button", {
    staticClass: "btn btn-primary float-right",
    attrs: {
      type: "submit",
      disabled: !_vm.canSubmit.biography
    },
    on: {
      click: function click($event) {
        return _vm.saveBiography();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-save"
  }), _vm._v("\n                                            Kaydet\n                                        ")]) : _c("b-button", {
    attrs: {
      variant: "secondary",
      type: "button",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v("\n                                            Kaydediliyor..\n                                        ")])], 1)], 1), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "verdigim-dersler",
      role: "tabpanel",
      "aria-labelledby": "pills-contact-tab"
    }
  }, [_c("h5", [_vm._v("Dersler")]), _vm._v(" "), _c("div", {
    staticClass: "alert alert-info",
    attrs: {
      role: "alert"
    }
  }, [_vm._v("\n                                        EÄŸitim vermek istediÄŸiniz dersleri seÃ§iniz ve ardÄ±ndan hangi sÄ±nÄ±f/seviyeleri seÃ§mek istediÄŸinizi belirleyiniz.\n                                    ")]), _vm._v(" "), _c("teacher-lesson-grade-matching", {
    attrs: {
      "modal-id": _vm.teacherLessonGradeMatchingModalId,
      "lesson-id": _vm.lessonId,
      user: _vm.userData
    },
    on: {
      "prices-updated": function pricesUpdated($event) {
        _vm.fetchTeacherLessons();
        _vm.updateLessons();
      }
    }
  }), _vm._v(" "), _vm._l(_vm.teacherLessons, function (lesson, i) {
    return _c("b-button", {
      key: lesson.lesson_id,
      staticClass: "m-1",
      attrs: {
        variant: "outline-primary"
      },
      on: {
        click: function click($event) {
          return _vm.showTeacherLessonGradeMatchingModal(lesson.lesson_id);
        }
      }
    }, [_vm._v(_vm._s(lesson.lesson.name))]);
  }), _vm._v(" "), !_vm.lessonsDiff.length ? _c("b-button", {
    staticClass: "m-1",
    attrs: {
      variant: "outline-success"
    },
    on: {
      click: function click($event) {
        return _vm.updateLessonsDiff();
      }
    }
  }, [_vm._v("+ Ders Ekle")]) : _vm._e(), _vm._v(" "), _vm.lessonsDiff.length ? _c("hr") : _vm._e(), _vm._v(" "), _vm._l(_vm.lessonsDiff, function (lesson) {
    return _c("b-button", {
      key: lesson.id,
      staticClass: "m-1",
      attrs: {
        variant: "outline-secondary"
      },
      on: {
        click: function click($event) {
          return _vm.showTeacherLessonGradeMatchingModal(lesson.id);
        }
      }
    }, [_vm._v(_vm._s(lesson.name))]);
  }), _vm._v(" "), _vm.lessonsDiff.length ? _c("b-button", {
    staticClass: "m-1",
    attrs: {
      variant: "outline-danger"
    },
    on: {
      click: function click($event) {
        _vm.lessonsDiff = [];
      }
    }
  }, [_vm._v("X VazgeÃ§")]) : _vm._e()], 2), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "iban-bilgisi",
      role: "tabpanel",
      "aria-labelledby": "pills-profile-tab"
    }
  }, [_c("b-overlay", {
    attrs: {
      show: _vm.posting.iban,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [_c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.ibanData.bank_name,
      expression: "ibanData.bank_name"
    }],
    staticClass: "form-control",
    "class": {
      "is-invalid": _vm.errors.iban.bank_name
    },
    attrs: {
      type: "text",
      id: "bank_name",
      placeholder: "Banka/Hesap AdÄ±"
    },
    domProps: {
      value: _vm.ibanData.bank_name
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.ibanData, "bank_name", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "form-label",
    attrs: {
      "for": "name"
    }
  }, [_vm._v("Banka/Hesap AdÄ±")]), _vm._v(" "), _vm.errors.iban.bank_name ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                                " + _vm._s(_vm.errors.iban.bank_name[0]) + "\n                                            ")]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("the-mask", {
    staticClass: "form-control",
    attrs: {
      id: "iban",
      placeholder: "Iban NumaranÄ±z",
      mask: ["TR## #### #### #### #### #### ##"]
    },
    model: {
      value: _vm.ibanData.iban,
      callback: function callback($$v) {
        _vm.$set(_vm.ibanData, "iban", $$v);
      },
      expression: "ibanData.iban"
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "form-label",
    attrs: {
      "for": "name"
    }
  }, [_vm._v("Iban NumarasÄ±")]), _vm._v(" "), _vm.errors.iban.iban ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                                " + _vm._s(_vm.errors.iban.iban[0]) + "\n                                            ")]) : _vm._e()], 1), _vm._v(" "), _c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("b-form-checkbox", {
    attrs: {
      id: "confirm",
      name: "confirm"
    },
    model: {
      value: _vm.ibanData.confirm,
      callback: function callback($$v) {
        _vm.$set(_vm.ibanData, "confirm", $$v);
      },
      expression: "ibanData.confirm"
    }
  }, [_c("span", {
    staticStyle: {
      "padding-left": "5px"
    }
  }, [_vm._v('Iban bilgilerimin "Ã¼cretini tarafÄ±ma havale olarak Ã¶demek isteyen Ã¶ÄŸrencilerle" paylaÅŸÄ±lacaÄŸÄ±nÄ± onaylÄ±yorum.')])])], 1)]), _vm._v(" "), _c("div", {
    staticClass: "mt-3"
  }, [!_vm.posting.iban ? _c("button", {
    staticClass: "btn btn-primary float-right",
    attrs: {
      type: "submit",
      disabled: _vm.ibanData.iban &amp;&amp; _vm.ibanData.iban.length &lt; 24 || !_vm.ibanData.confirm
    },
    on: {
      click: function click($event) {
        return _vm.saveBankAccount();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-save"
  }), _vm._v("\n                                            Kaydet\n                                        ")]) : _c("b-button", {
    attrs: {
      variant: "secondary",
      type: "button",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v("\n                                            Kaydediliyor..\n                                        ")])], 1)], 1), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "ders-linki",
      role: "tabpanel",
      "aria-labelledby": "pills-profile-tab"
    }
  }, [_c("b-overlay", {
    attrs: {
      show: _vm.posting.static_link,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [_c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.static_link,
      expression: "static_link"
    }],
    staticClass: "form-control",
    "class": {
      "is-invalid": _vm.errors.static_link
    },
    attrs: {
      type: "text",
      id: "bank_name",
      placeholder: "Banka/Hesap AdÄ±"
    },
    domProps: {
      value: _vm.static_link
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.static_link = $event.target.value;
      }
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "form-label",
    attrs: {
      "for": "name"
    }
  }, [_vm._v("Online Sabit Ders Linki")]), _vm._v(" "), _vm.errors.static_link ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                                " + _vm._s(_vm.errors.static_link[0]) + "\n                                            ")]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("b-form-checkbox", {
    attrs: {
      id: "confirm",
      name: "confirm"
    },
    model: {
      value: _vm.static_link_confirm,
      callback: function callback($$v) {
        _vm.static_link_confirm = $$v;
      },
      expression: "static_link_confirm"
    }
  }, [_c("span", {
    staticStyle: {
      "padding-left": "5px"
    }
  }, [_vm._v("Linkin derslerden bir sÃ¼re Ã¶ncesinde Ã¶ÄŸrenciyle paylaÅŸÄ±lacaÄŸÄ±nÄ± onaylÄ±yorum.")])])], 1), _vm._v(" "), _c("div", {
    staticClass: "footer__link-2"
  }, [_c("ul", [_c("li", [_c("a", {
    attrs: {
      href: "https://www.youtube.com/results?search_query=sabit+zoom+linki+nas%C4%B1l+olu%C5%9Fturulur",
      target: "_blank"
    }
  }, [_vm._v("Sabit Zoom linki nasÄ±l oluÅŸturulur?")])]), _vm._v(" "), _c("li", [_c("a", {
    attrs: {
      href: "https://www.youtube.com/results?search_query=sabit+google+meet+linki+nas%C4%B1l+olu%C5%9Fturulur",
      target: "_blank"
    }
  }, [_vm._v("Sabit Google Meet linki nasÄ±l oluÅŸturulur?")])])])])]), _vm._v(" "), _c("div", {
    staticClass: "mt-3"
  }, [!_vm.posting.static_link ? _c("button", {
    staticClass: "btn btn-primary float-right",
    attrs: {
      type: "submit",
      disabled: !_vm.validateUrl(_vm.static_link) || !_vm.static_link_confirm
    },
    on: {
      click: function click($event) {
        return _vm.saveStaticLink();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-save"
  }), _vm._v("\n                                            Kaydet\n                                        ")]) : _c("b-button", {
    attrs: {
      variant: "secondary",
      type: "button",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v("\n                                            Kaydediliyor..\n                                        ")])], 1)], 1), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "sifre-degistir",
      role: "tabpanel",
      "aria-labelledby": "pills-profile-tab"
    }
  }, [_c("b-overlay", {
    attrs: {
      show: _vm.posting.password_change,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [_c("div", {
    staticClass: "alert alert-warning alert-dismissible fade show",
    attrs: {
      role: "alert"
    }
  }, [_c("strong", [_c("i", {
    staticClass: "fa fa-lock"
  }), _vm._v(" Yeni ÅŸifreniz")]), _vm._v(" en az 6 karakter olmalÄ±dÄ±r ve en az 1 harf ve 1 rakam iÃ§ermelidir.\n                                        ")]), _vm._v(" "), !(_vm.routeId &amp;&amp; _vm.routeId !== _vm.user.id &amp;&amp; !_vm.fetchingUser) ? _c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.passwordChangeData.current_password,
      expression: "passwordChangeData.current_password"
    }],
    staticClass: "form-control",
    "class": {
      "is-invalid": _vm.errors.password_change.current_password
    },
    attrs: {
      type: "password",
      id: "current_password",
      placeholder: "Mevcut Åžifreniz"
    },
    domProps: {
      value: _vm.passwordChangeData.current_password
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.passwordChangeData, "current_password", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "form-label",
    attrs: {
      "for": "current_password"
    }
  }, [_vm._v("Mevcut Åžifreniz")]), _vm._v(" "), _vm.errors.password_change.current_password ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                                " + _vm._s(_vm.errors.password_change.current_password) + "\n                                            ")]) : _vm._e()]) : _vm._e(), _vm._v(" "), _c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.passwordChangeData.new_password,
      expression: "passwordChangeData.new_password"
    }],
    staticClass: "form-control",
    "class": {
      "is-invalid": _vm.errors.password_change.new_password
    },
    attrs: {
      type: "password",
      id: "new_password",
      placeholder: "Åžifre TekrarÄ±"
    },
    domProps: {
      value: _vm.passwordChangeData.new_password
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.passwordChangeData, "new_password", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "form-label",
    attrs: {
      "for": "new_password"
    }
  }, [_vm._v("Yeni Åžifreniz")]), _vm._v(" "), _vm.errors.password_change.new_password ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                                " + _vm._s(_vm.errors.password_change.new_password) + "\n                                            ")]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.passwordChangeData.confirm_password,
      expression: "passwordChangeData.confirm_password"
    }],
    staticClass: "form-control",
    "class": {
      "is-invalid": _vm.errors.password_change.confirm_password
    },
    attrs: {
      type: "password",
      id: "confirm_password",
      placeholder: "Åžifre TekrarÄ±"
    },
    domProps: {
      value: _vm.passwordChangeData.confirm_password
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.passwordChangeData, "confirm_password", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "form-label",
    attrs: {
      "for": "confirm_password"
    }
  }, [_vm._v("Yeni Åžifre TekrarÄ±")]), _vm._v(" "), _vm.errors.password_change.confirm_password ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                                " + _vm._s(_vm.errors.password_change.confirm_password) + "\n                                            ")]) : _vm._e()])]), _vm._v(" "), _c("div", {
    staticClass: "mt-3"
  }, [!_vm.posting.password_change ? _c("button", {
    staticClass: "btn btn-primary float-right",
    attrs: {
      type: "submit",
      disabled: _vm.passwordChangeData.current_password.length &lt; 6 &amp;&amp; !(_vm.routeId &amp;&amp; _vm.routeId !== _vm.user.id &amp;&amp; !_vm.fetchingUser) || _vm.passwordChangeData.new_password &lt; 6 || _vm.passwordChangeData.confirm_password &lt; 6 || _vm.passwordChangeData.new_password !== _vm.passwordChangeData.confirm_password
    },
    on: {
      click: function click($event) {
        return _vm.passwordChange();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-save"
  }), _vm._v("\n                                            Åžifreyi DeÄŸiÅŸtir\n                                        ")]) : _c("b-button", {
    staticClass: "float-right",
    attrs: {
      variant: "secondary",
      type: "button",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v("\n                                            DeÄŸiÅŸtiriliyor..\n                                        ")])], 1)], 1), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "diger",
      role: "tabpanel",
      "aria-labelledby": "pills-profile-tab"
    }
  }, [_c("b-overlay", {
    attrs: {
      show: _vm.posting.other,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [_c("div", {
    staticClass: "alert alert-warning alert-dismissible fade show",
    attrs: {
      role: "alert"
    }
  }, [_c("strong", [_vm._v("HesabÄ±nÄ±zÄ± sildiÄŸinizde")]), _vm._v(" bilgileriniz 6 ay boyunca korunur. 6 aydan sonra hesabÄ±nÄ±z tamamen silinir. 6 ay iÃ§erisinde aynÄ± email ile tekrar kayÄ±t olamazsÄ±nÄ±z. EÄŸer 6 ay iÃ§erisinde bizimle iletiÅŸime geÃ§erseniz hesabÄ±nÄ±zÄ± tekrar aktive edebilirsiniz.\n                                            "), _c("button", {
    staticClass: "btn-close",
    attrs: {
      type: "button",
      "data-bs-dismiss": "alert",
      "aria-label": "Close"
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "form-floating mb-3"
  }, [_c("textarea", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.others.freeze_reason,
      expression: "others.freeze_reason"
    }],
    staticClass: "form-control",
    "class": {
      "is-invalid": _vm.errors.others.freeze_reason
    },
    attrs: {
      placeholder: "Neden dondurmak istiyorsunuz?",
      id: "reason"
    },
    domProps: {
      value: _vm.others.freeze_reason
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.others, "freeze_reason", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "form-label",
    attrs: {
      "for": "reason"
    }
  }, [_vm._v("Neden silmek istiyorsunuz? (min.20)")]), _vm._v(" "), _vm.errors.others.freeze_reason ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                                " + _vm._s(_vm.errors.others.freeze_reason) + "\n                                            ")]) : _vm._e()])]), _vm._v(" "), _c("div", {
    staticClass: "mt-3"
  }, [_c("button", {
    staticClass: "btn btn-danger float-left",
    attrs: {
      type: "button",
      disabled: _vm.others.freeze_reason.length &lt; 20
    },
    on: {
      click: function click($event) {
        return _vm.freezeMyAccount();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-trash"
  }), _vm._v("\n                                            HesabÄ±mÄ± Sil\n                                        ")])])], 1)])])])])])])])]);
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=template&amp;id=488bfff6&amp;scoped=true&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=template&amp;id=488bfff6&amp;scoped=true&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _vm.approveModal &amp;&amp; _vm.currentRow ? _c("b-modal", {
    attrs: {
      "no-close-on-backdrop": "",
      centered: "",
      title: "Havale Onaylama EkranÄ±"
    },
    scopedSlots: _vm._u([_vm.currentRow.status === "pending" ? {
      key: "modal-footer",
      fn: function fn() {
        return [_c("div", {
          staticClass: "w-100"
        }, [!_vm.approving ? _c("div", {
          staticStyle: {
            "float": "left"
          }
        }, [!_vm.rejecting ? _c("b-button", {
          staticClass: "mr-2",
          attrs: {
            variant: "danger"
          },
          on: {
            click: _vm.rejectPayment
          }
        }, [_c("b-icon-x"), _vm._v("\n                    Reddet\n                ")], 1) : _c("b-button", {
          staticClass: "mr-2",
          attrs: {
            variant: "primary",
            disabled: ""
          }
        }, [_c("b-spinner", {
          attrs: {
            small: "",
            type: "grow",
            variant: "light"
          }
        }), _vm._v("\n                    Reddediliyor..\n                ")], 1)], 1) : _vm._e(), _vm._v(" "), !_vm.rejecting ? _c("div", {
          staticStyle: {
            "float": "right"
          }
        }, [!_vm.approving ? _c("b-button", {
          staticClass: "mr-2",
          attrs: {
            variant: "primary"
          },
          on: {
            click: _vm.approvePayment
          }
        }, [_c("b-icon-check"), _vm._v("\n                    Onayla\n                ")], 1) : _c("b-button", {
          staticClass: "mr-2",
          attrs: {
            variant: "primary",
            disabled: ""
          }
        }, [_c("b-spinner", {
          attrs: {
            small: "",
            type: "grow",
            variant: "light"
          }
        }), _vm._v("\n                    OnaylanÄ±yor..\n                ")], 1)], 1) : _vm._e()])];
      },
      proxy: true
    } : null], null, true),
    model: {
      value: _vm.approveModal,
      callback: function callback($$v) {
        _vm.approveModal = $$v;
      },
      expression: "approveModal"
    }
  }, [_vm.currentRow.status !== "pending" ? _c("div", {
    staticClass: "alert alert-danger"
  }, [_c("strong", [_vm._v("BU Ä°ÅžLEM " + _vm._s(_vm.currentRow.status === "approved" ? "ONAYLANMIÅž" : "REDDEDÄ°LMÄ°Åž"))])]) : _vm._e(), _vm._v(" "), _c("div", {
    staticClass: "rc__post d-flex align-items-center",
    staticStyle: {
      "margin-bottom": "0"
    }
  }, [_c("div", {
    staticClass: "rc__thumb mr-20"
  }, [_c("a", {
    attrs: {
      href: "/user/"
    }
  }, [_c("img", {
    staticStyle: {
      width: "125px",
      height: "125px"
    },
    attrs: {
      src: _vm.currentRow.user.photo_portrait,
      alt: "img not found"
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "rc__content"
  }, [_c("div", {
    staticClass: "rc__meta"
  }, [_c("span", [_vm._v(_vm._s(_vm.currentRow.user.name))])]), _vm._v(" "), _c("h6", [_vm._v("Havale TutarÄ±: " + _vm._s(parseFloat(_vm.currentRow.payment_amount).toLocaleString("tr-TR")) + " â‚º")]), _vm._v(" "), _c("h6", [_vm._v("GÃ¶nderilme ZamanÄ±: " + _vm._s(_vm.currentRow.created_at))]), _vm._v(" "), _c("h6", [_vm._v("AÃ§Ä±klama: " + _vm._s(_vm.currentRow.payment_description))])])]), _vm._v(" "), _vm.currentRow.status === "pending" ? _c("hr") : _vm._e(), _vm._v(" "), _vm.currentRow.status === "pending" ? _c("div", {
    staticClass: "alert alert-warning mt-10",
    attrs: {
      role: "alert"
    }
  }, [_c("b", [_vm._v("Banka hesabÄ±nÄ±za " + _vm._s(_vm.currentRow.payment_amount) + " â‚º geldiyse lÃ¼tfen iÅŸlemi onaylayÄ±nÄ±z. HenÃ¼z gelmediyse " + _vm._s(_vm.currentRow.user.name) + " ile gÃ¶rÃ¼ÅŸebilir ya da iÅŸlemi doÄŸrudan reddedebilirsiniz.")])]) : _vm._e()]) : _vm._e();
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=template&amp;id=3f2ae3f7&amp;":
/*!****************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=template&amp;id=3f2ae3f7&amp; ***!
  \****************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", [_c("b-modal", {
    attrs: {
      id: _vm.modalId,
      "no-close-on-backdrop": "",
      "hide-footer": "",
      title: "Mesajlar",
      size: "xl"
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn() {
        return [_c("div", {
          staticClass: "msg-card chat-app"
        }, [_c("div", {
          staticClass: "people-list",
          staticStyle: {
            height: "100%"
          },
          attrs: {
            id: "plist"
          }
        }, [_c("div", {
          staticClass: "msg-input-group"
        }, [_c("input", {
          directives: [{
            name: "model",
            rawName: "v-model",
            value: _vm.searchKey,
            expression: "searchKey"
          }],
          staticClass: "form-control",
          attrs: {
            type: "text",
            placeholder: "Arama yap..."
          },
          domProps: {
            value: _vm.searchKey
          },
          on: {
            input: function input($event) {
              if ($event.target.composing) return;
              _vm.searchKey = $event.target.value;
            }
          }
        })]), _vm._v(" "), !_vm.isFetchingUsers ? _c("ul", {
          staticClass: "list-unstyled chat-list mt-2 mb-0",
          staticStyle: {
            height: "97%",
            "overflow-y": "auto"
          }
        }, _vm._l(_vm.filteredUsers, function (user, i) {
          return _c("li", {
            staticClass: "clearfix",
            "class": {
              active: user.id === _vm.current_user.id,
              "new-messages": _vm.new_message_users.includes(user.id)
            },
            on: {
              click: function click($event) {
                return _vm.startChatWith(user);
              }
            }
          }, [_c("img", {
            attrs: {
              src: user.photo_portrait,
              alt: user.name
            }
          }), _vm._v(" "), _c("div", {
            staticClass: "about"
          }, [_c("div", {
            staticClass: "name"
          }, [_vm._v(_vm._s(user.name))]), _vm._v(" "), user.isOnline === "online" ? _c("div", {
            staticClass: "status"
          }, [_c("span", {
            staticClass: "truncate-text"
          }, [_c("i", {
            staticClass: "fa fa-circle online"
          }), _vm._v(" " + _vm._s(user.message))])]) : _vm._e(), _vm._v(" "), user.isOnline === "offline" ? _c("div", {
            staticClass: "status"
          }, [_c("span", {
            staticClass: "truncate-text"
          }, [_c("i", {
            staticClass: "fa fa-circle offline"
          }), _vm._v(" " + _vm._s(user.message))])]) : _vm._e(), _vm._v(" "), user.isOnline === "away" ? _c("div", {
            staticClass: "status"
          }, [_c("span", {
            staticClass: "truncate-text"
          }, [_c("i", {
            staticClass: "fa fa-circle away"
          }), _vm._v(" " + _vm._s(user.message))])]) : _vm._e()])]);
        }), 0) : _c("div", [_c("br"), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "85%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "85%"
          }
        }), _vm._v(" "), _c("br"), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "85%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "85%"
          }
        }), _vm._v(" "), _c("br"), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "85%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "85%"
          }
        })], 1)]), _vm._v(" "), _c("div", {
          staticClass: "chat"
        }, [_vm.current_user.id &gt; 0 ? _c("div", [_c("div", {
          staticClass: "chat-header clearfix"
        }, [_c("div", {
          staticClass: "row"
        }, [_c("div", {
          staticClass: "col-lg-6 hidden-sm",
          staticStyle: {
            cursor: "pointer"
          },
          on: {
            click: function click($event) {
              return _vm.openTeacherSummary(_vm.current_user);
            }
          }
        }, [!_vm.chatStarting ? _c("div", [_c("a", {
          attrs: {
            href: "javascript:void(0);",
            "data-toggle": "modal",
            "data-target": "#view_info"
          }
        }, [_c("img", {
          attrs: {
            src: _vm.current_user.photo_portrait,
            alt: _vm.current_user.name
          }
        })]), _vm._v(" "), _c("div", {
          staticClass: "chat-about"
        }, [_c("h6", {
          staticClass: "m-b-0"
        }, [_vm._v(_vm._s(_vm.current_user.name))]), _vm._v(" "), _c("small", [_vm._v(_vm._s(_vm.current_user.email))])])]) : _c("div", {
          staticStyle: {
            "float": "right",
            width: "40%"
          }
        }, [_c("b-skeleton", {
          attrs: {
            animation: "wave",
            width: "65%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "wave",
            width: "55%"
          }
        })], 1)]), _vm._v(" "), _c("div", {
          staticClass: "col-lg-6"
        }, [_c("div", {
          staticStyle: {
            "float": "right"
          }
        }, [_c("a", {
          attrs: {
            href: "javascript:void(0);",
            "data-toggle": "modal",
            "data-target": "#view_info"
          }
        }, [_c("img", {
          attrs: {
            src: _vm.user.photo_portrait,
            alt: _vm.user.name
          }
        })]), _vm._v(" "), _c("div", {
          staticClass: "chat-about"
        }, [_c("h6", {
          staticClass: "m-b-0"
        }, [_vm._v(_vm._s(_vm.user.name))]), _vm._v(" "), _c("small", [_vm._v(_vm._s(_vm.user.email))])])])])])]), _vm._v(" "), _c("div", {
          staticClass: "chat-history",
          staticStyle: {
            height: "50vh",
            overflow: "auto"
          }
        }, [!_vm.chatStarting ? _c("ul", {
          staticClass: "m-b-0"
        }, [_vm._l(_vm.messages, function (message, i) {
          return _c("li", {
            staticClass: "clearfix"
          }, [_c("div", {
            staticClass: "message-data",
            "class": {
              "text-right": message.user.id === _vm.user.id
            }
          }, [message.user.id === _vm.user.id ? _c("span", {
            staticClass: "message-data-time"
          }, [_c("vue-moments-ago", {
            attrs: {
              prefix: "",
              suffix: "ago",
              date: message.created_at,
              lang: "tr"
            }
          })], 1) : _vm._e(), _vm._v(" "), _c("img", {
            attrs: {
              src: message.user.photo_portrait,
              alt: "avatar"
            }
          }), _vm._v(" "), message.user.id !== _vm.user.id ? _c("span", {
            staticClass: "message-data-time"
          }, [_c("vue-moments-ago", {
            attrs: {
              prefix: "",
              suffix: "ago",
              date: message.created_at,
              lang: "tr"
            }
          })], 1) : _vm._e()]), _vm._v(" "), _c("div", {
            staticClass: "message",
            "class": {
              "my-message float-right": message.user.id === _vm.user.id,
              "other-message": message.user.id !== _vm.user.id
            }
          }, [_vm._v("\n                                    " + _vm._s(message.body) + "\n                                ")])]);
        }), _vm._v(" "),  false ? 0 : _vm._e()], 2) : _c("div", [_c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "25%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "35%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "50%"
          }
        }), _vm._v(" "), _c("br"), _vm._v(" "), _c("br"), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "40%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "35%"
          }
        }), _vm._v(" "), _c("br"), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "65%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "35%"
          }
        }), _vm._v(" "), _c("br"), _vm._v(" "), _c("br"), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "30%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "65%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "35%"
          }
        }), _vm._v(" "), _c("br"), _vm._v(" "), _c("br"), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "40%"
          }
        }), _vm._v(" "), _c("b-skeleton", {
          attrs: {
            animation: "throb",
            width: "35%"
          }
        })], 1)]), _vm._v(" "), _c("div", {
          staticClass: "chat-message clearfix"
        }, [_c("div", {
          staticClass: "msg-input-group mb-0"
        }, [_c("div", {
          staticClass: "msg-input-group-prepend"
        }, [_c("span", {
          staticClass: "msg-input-group-text"
        }, [_c("i", {
          staticClass: "fa fa-send"
        })])]), _vm._v(" "), _c("input", {
          directives: [{
            name: "model",
            rawName: "v-model",
            value: _vm.message,
            expression: "message"
          }],
          ref: "new_message",
          staticClass: "form-control",
          attrs: {
            type: "text",
            placeholder: "Buraya yazÄ±n...",
            disabled: _vm.sending || _vm.chatStarting
          },
          domProps: {
            value: _vm.message
          },
          on: {
            keyup: function keyup($event) {
              if (!$event.type.indexOf("key") &amp;&amp; _vm._k($event.keyCode, "enter", 13, $event.key, "Enter")) return null;
              return _vm.sendMessage.apply(null, arguments);
            },
            input: function input($event) {
              if ($event.target.composing) return;
              _vm.message = $event.target.value;
            }
          }
        })])])]) : _c("div", {
          staticStyle: {
            "min-height": "500px"
          }
        })])])];
      },
      proxy: true
    }])
  }), _vm._v(" "), _vm.teacherProfileSummary ? _c("b-modal", {
    attrs: {
      title: "EÄŸitmen Profili",
      size: "xl",
      "no-footer": ""
    },
    scopedSlots: _vm._u([{
      key: "modal-footer",
      fn: function fn() {
        return [_c("div", {
          staticClass: "w-100",
          staticStyle: {
            "text-align": "right"
          }
        }, [_c("b-button", {
          staticClass: "mr-2",
          attrs: {
            variant: "primary"
          },
          on: {
            click: function click($event) {
              _vm.teacherProfileSummary = false;
            }
          }
        }, [_vm._v("\n                Kapat\n            ")])], 1)];
      },
      proxy: true
    }], null, false, 201692111),
    model: {
      value: _vm.teacherProfileSummary,
      callback: function callback($$v) {
        _vm.teacherProfileSummary = $$v;
      },
      expression: "teacherProfileSummary"
    }
  }, [_c("teacher-profile-summary", {
    attrs: {
      user: _vm.teacherProfileSummaryUser
    }
  })], 1) : _vm._e()], 1);
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=template&amp;id=2c10b5af&amp;":
/*!*************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=template&amp;id=2c10b5af&amp; ***!
  \*************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("b-modal", {
    attrs: {
      id: _vm.modalId,
      "no-close-on-backdrop": "",
      centered: "",
      title: _vm.editData.id &gt; 0 ? "Sebest Ã–deme Linki DÃ¼zenle" : "Serbest Ã–deme Linki OluÅŸtur",
      size: "md"
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn() {
        return [_c("b-overlay", {
          attrs: {
            show: _vm.formSaving || _vm.isFetching,
            rounded: "sm",
            variant: "transparent",
            blur: "2px"
          }
        }, [_c("b-form", {
          on: {
            reset: function reset($event) {
              $event.preventDefault();
              return _vm.resetForm.apply(null, arguments);
            }
          }
        }, [_c("b-form-group", {
          attrs: {
            label: "Ã–deme AlÄ±nacak Tutar*",
            "label-for": "amount"
          }
        }, [_c("b-form-input", {
          ref: "amount",
          attrs: {
            id: "amount",
            type: "number",
            trim: ""
          },
          model: {
            value: _vm.editData.amount,
            callback: function callback($$v) {
              _vm.$set(_vm.editData, "amount", $$v);
            },
            expression: "editData.amount"
          }
        })], 1)], 1)], 1)];
      },
      proxy: true
    }, {
      key: "modal-footer",
      fn: function fn() {
        return [_vm.formSaving ? _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          attrs: {
            variant: "secondary",
            type: "button",
            disabled: "disabled"
          }
        }, [_vm._v("\n                Kaydediliyor..\n            ")])], 1) : _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          staticClass: "mr-10",
          attrs: {
            variant: "primary",
            type: "submit",
            disabled: _vm.editData.amount &lt;= 0 || _vm.formSaving || _vm.isFetching
          },
          on: {
            click: function click($event) {
              return _vm.saveForm();
            }
          }
        }, [_vm._v("\n                " + _vm._s(_vm.editData.id &gt; 0 ? "GÃ¼ncelle" : "OluÅŸtur") + "\n            ")]), _vm._v(" "), _c("b-button", {
          staticClass: "'form-control",
          attrs: {
            type: "button",
            variant: "outline-secondary"
          },
          on: {
            click: function click($event) {
              return _vm.$bvModal.hide(_vm.modalId);
            }
          }
        }, [_vm._v("\n                VazgeÃ§\n            ")])], 1)];
      },
      proxy: true
    }, {
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning",
            variant: "primary",
            type: "grow"
          }
        }), _vm._v(" "), _c("p", [_vm._v("Kaydediliyor...")])], 1)];
      },
      proxy: true
    }])
  });
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=template&amp;id=75fd96d2&amp;":
/*!**************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=template&amp;id=75fd96d2&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("b-modal", {
    attrs: {
      id: _vm.modalId,
      "no-close-on-backdrop": "",
      centered: "",
      title: _vm.editData.id &gt; 0 ? "SÄ±nÄ±fÄ± DÃ¼zenle" : "SÄ±nÄ±f OluÅŸtur",
      size: "md"
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn() {
        return [_c("b-overlay", {
          attrs: {
            show: _vm.formSaving || _vm.isFetching,
            rounded: "sm",
            variant: "transparent",
            blur: "2px"
          }
        }, [_c("b-form", {
          on: {
            reset: function reset($event) {
              $event.preventDefault();
              return _vm.resetForm.apply(null, arguments);
            }
          }
        }, [_c("b-form-group", {
          attrs: {
            label: "AdÄ±*",
            "label-for": "name"
          }
        }, [_c("b-form-input", {
          ref: "name",
          attrs: {
            id: "name",
            trim: ""
          },
          model: {
            value: _vm.editData.name,
            callback: function callback($$v) {
              _vm.$set(_vm.editData, "name", $$v);
            },
            expression: "editData.name"
          }
        })], 1), _vm._v(" "), _c("b-form-group", {
          attrs: {
            label: "StatÃ¼",
            "label-for": "status"
          }
        }, [_c("b-form-checkbox", {
          attrs: {
            "switch": "",
            inline: ""
          },
          model: {
            value: _vm.editData.status,
            callback: function callback($$v) {
              _vm.$set(_vm.editData, "status", $$v);
            },
            expression: "editData.status"
          }
        }, [_vm.editData.status ? _c("span", [_vm._v("Aktif")]) : _c("span", [_vm._v("Pasif")])])], 1)], 1)], 1)];
      },
      proxy: true
    }, {
      key: "modal-footer",
      fn: function fn() {
        return [_vm.formSaving ? _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          attrs: {
            variant: "secondary",
            type: "button",
            disabled: "disabled"
          }
        }, [_vm._v("\n                Kaydediliyor..\n            ")])], 1) : _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          staticClass: "mr-10",
          attrs: {
            variant: "primary",
            type: "submit",
            disabled: _vm.editData.name.trim().length &lt; 2 || _vm.formSaving || _vm.isFetching
          },
          on: {
            click: function click($event) {
              return _vm.saveForm();
            }
          }
        }, [_vm._v("\n                " + _vm._s(_vm.editData.id &gt; 0 ? "GÃ¼ncelle" : "OluÅŸtur") + "\n            ")]), _vm._v(" "), _c("b-button", {
          staticClass: "'form-control",
          attrs: {
            type: "button",
            variant: "outline-secondary"
          },
          on: {
            click: function click($event) {
              return _vm.$bvModal.hide(_vm.modalId);
            }
          }
        }, [_vm._v("\n                VazgeÃ§\n            ")])], 1)];
      },
      proxy: true
    }, {
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning",
            variant: "primary",
            type: "grow"
          }
        }), _vm._v(" "), _c("p", [_vm._v("Kaydediliyor...")])], 1)];
      },
      proxy: true
    }])
  });
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=template&amp;id=0373184d&amp;":
/*!***************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=template&amp;id=0373184d&amp; ***!
  \***************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("b-modal", {
    attrs: {
      id: _vm.modalId,
      "no-close-on-backdrop": "",
      centered: "",
      title: _vm.editData.id &gt; 0 ? "Dersi DÃ¼zenle" : "Ders OluÅŸtur",
      size: "md"
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn() {
        return [_c("b-overlay", {
          attrs: {
            show: _vm.formSaving || _vm.isFetching,
            rounded: "sm",
            variant: "transparent",
            blur: "2px"
          }
        }, [_c("b-form", {
          on: {
            reset: function reset($event) {
              $event.preventDefault();
              return _vm.resetForm.apply(null, arguments);
            }
          }
        }, [_c("b-form-group", {
          attrs: {
            label: "AdÄ±*",
            "label-for": "name"
          }
        }, [_c("b-form-input", {
          ref: "name",
          attrs: {
            id: "name",
            trim: ""
          },
          model: {
            value: _vm.editData.name,
            callback: function callback($$v) {
              _vm.$set(_vm.editData, "name", $$v);
            },
            expression: "editData.name"
          }
        })], 1), _vm._v(" "), _c("b-form-group", {
          attrs: {
            label: "StatÃ¼",
            "label-for": "status"
          }
        }, [_c("b-form-checkbox", {
          attrs: {
            "switch": "",
            inline: ""
          },
          model: {
            value: _vm.editData.status,
            callback: function callback($$v) {
              _vm.$set(_vm.editData, "status", $$v);
            },
            expression: "editData.status"
          }
        }, [_vm.editData.status ? _c("span", [_vm._v("Aktif")]) : _c("span", [_vm._v("Pasif")])])], 1)], 1)], 1)];
      },
      proxy: true
    }, {
      key: "modal-footer",
      fn: function fn() {
        return [_vm.formSaving ? _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          attrs: {
            variant: "secondary",
            type: "button",
            disabled: "disabled"
          }
        }, [_vm._v("\n                Kaydediliyor..\n            ")])], 1) : _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          staticClass: "mr-10",
          attrs: {
            variant: "primary",
            type: "submit",
            disabled: _vm.editData.name.trim().length &lt; 2 || _vm.formSaving || _vm.isFetching
          },
          on: {
            click: function click($event) {
              return _vm.saveForm();
            }
          }
        }, [_vm._v("\n                " + _vm._s(_vm.editData.id &gt; 0 ? "GÃ¼ncelle" : "OluÅŸtur") + "\n            ")]), _vm._v(" "), _c("b-button", {
          staticClass: "'form-control",
          attrs: {
            type: "button",
            variant: "outline-secondary"
          },
          on: {
            click: function click($event) {
              return _vm.$bvModal.hide(_vm.modalId);
            }
          }
        }, [_vm._v("\n                VazgeÃ§\n            ")])], 1)];
      },
      proxy: true
    }, {
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning",
            variant: "primary",
            type: "grow"
          }
        }), _vm._v(" "), _c("p", [_vm._v("Kaydediliyor...")])], 1)];
      },
      proxy: true
    }])
  });
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=template&amp;id=0abd58c0&amp;scoped=true&amp;":
/*!****************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=template&amp;id=0abd58c0&amp;scoped=true&amp; ***!
  \****************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("b-modal", {
    attrs: {
      id: _vm.modalId,
      "no-close-on-backdrop": "",
      centered: "",
      title: _vm.editData.id &gt; 0 ? _vm.editData.name + " Dersi Ä°Ã§in Seviye SeÃ§imi" : "Hata!!",
      size: "lg"
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn() {
        return [_c("b-overlay", {
          attrs: {
            show: _vm.formSaving || _vm.isFetching,
            rounded: "sm",
            variant: "transparent",
            blur: "2px"
          }
        }, [_c("b-form-group", {
          attrs: {
            label: "AdÄ±*",
            "label-for": "name"
          }
        }, [_c("b-form-input", {
          ref: "name",
          attrs: {
            id: "name",
            trim: ""
          },
          model: {
            value: _vm.editData.name,
            callback: function callback($$v) {
              _vm.$set(_vm.editData, "name", $$v);
            },
            expression: "editData.name"
          }
        })], 1), _vm._v(" "), _c("b-form-group", {
          attrs: {
            label: "StatÃ¼",
            "label-for": "status"
          }
        }, [_c("b-form-checkbox", {
          attrs: {
            "switch": "",
            inline: ""
          },
          model: {
            value: _vm.editData.status,
            callback: function callback($$v) {
              _vm.$set(_vm.editData, "status", $$v);
            },
            expression: "editData.status"
          }
        }, [_vm.editData.status ? _c("span", [_vm._v("Aktif")]) : _c("span", [_vm._v("Pasif")])])], 1), _vm._v(" "), _c("hr"), _vm._v(" "), _c("b-alert", {
          attrs: {
            show: "",
            variant: "warning"
          }
        }, [_c("b", [_vm._v(_vm._s(_vm.editData.name))]), _vm._v(" dersinin geÃ§erli olduÄŸu sÄ±nÄ±flarÄ±/seviyeleri\n                seÃ§iniz.\n            ")]), _vm._v(" "), _c("div", {
          staticClass: "row"
        }, [_c("div", {
          staticClass: "col-lg-3 col-md-4 col-sm-12 col-xs-12"
        }, _vm._l(_vm.grades, function (grade) {
          return grade.status ? _c("div", {
            staticClass: "btn-group-horizantal m-1"
          }, [_c("input", {
            directives: [{
              name: "model",
              rawName: "v-model",
              value: _vm.selectedGrades,
              expression: "selectedGrades"
            }],
            staticClass: "btn-check",
            attrs: {
              type: "checkbox",
              id: grade.id,
              autocomplete: "off"
            },
            domProps: {
              value: grade.id,
              checked: Array.isArray(_vm.selectedGrades) ? _vm._i(_vm.selectedGrades, grade.id) &gt; -1 : _vm.selectedGrades
            },
            on: {
              click: function click($event) {
                return _vm.currentGradeUpdate(grade.id);
              },
              change: function change($event) {
                var $$a = _vm.selectedGrades,
                  $$el = $event.target,
                  $$c = $$el.checked ? true : false;
                if (Array.isArray($$a)) {
                  var $$v = grade.id,
                    $$i = _vm._i($$a, $$v);
                  if ($$el.checked) {
                    $$i &lt; 0 &amp;&amp; (_vm.selectedGrades = $$a.concat([$$v]));
                  } else {
                    $$i &gt; -1 &amp;&amp; (_vm.selectedGrades = $$a.slice(0, $$i).concat($$a.slice($$i + 1)));
                  }
                } else {
                  _vm.selectedGrades = $$c;
                }
              }
            }
          }), _vm._v(" "), _c("label", {
            staticClass: "btn btn-outline-primary btn-block",
            staticStyle: {
              width: "100%"
            },
            attrs: {
              block: "",
              "for": grade.id
            }
          }, [_vm._v(_vm._s(grade.name))])]) : _vm._e();
        }), 0), _vm._v(" "), _c("div", {
          staticClass: "col-lg-9 col-md-8 col-sm-12 col-xs-12"
        }, [!_vm.isFetching ? _c("croppa", {
          attrs: {
            placeholder: "Buraya tÄ±klayarak ders gÃ¶rselini seÃ§in ve kÄ±rpÄ±n",
            "canvas-color": "transparent",
            "file-size-limit": 10485760,
            "prevent-white-space": true,
            "initial-image": _vm.editData.photo,
            "placeholder-font-size": 18,
            width: 486,
            height: 376
          },
          on: {
            "file-type-mismatch": _vm.onFileTypeMismatch,
            "file-size-exceed": _vm.onFileSizeExceed
          },
          model: {
            value: _vm.croppa["photo"],
            callback: function callback($$v) {
              _vm.$set(_vm.croppa, "photo", $$v);
            },
            expression: "croppa['photo']"
          }
        }) : _vm._e(), _vm._v(" "), _c("br"), _vm._v(" "), !_vm.uploading ? _c("button", {
          staticClass: "btn btn-primary btn-sm mt-2",
          on: {
            click: function click($event) {
              return _vm.uploadPhoto("photo");
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-upload"
        }), _vm._v(" YÃ¼kle\n                    ")]) : _c("button", {
          staticClass: "btn btn-primary btn-sm mt-2",
          attrs: {
            disabled: ""
          }
        }, [_c("i", {
          staticClass: "fa fa-spinner fa-spin"
        }), _vm._v(" YÃ¼kleniyor\n                    ")])], 1)])], 1)];
      },
      proxy: true
    }, {
      key: "modal-footer",
      fn: function fn() {
        return [_vm.formSaving ? _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          attrs: {
            variant: "secondary",
            type: "button",
            disabled: "disabled"
          }
        }, [_vm._v("\n                Kaydediliyor..\n            ")])], 1) : _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          staticClass: "mr-10",
          attrs: {
            variant: "primary",
            type: "submit",
            disabled: _vm.editData.name.trim().length &lt; 2 || _vm.formSaving || _vm.isFetching
          },
          on: {
            click: function click($event) {
              return _vm.saveForm();
            }
          }
        }, [_vm._v("\n                " + _vm._s(_vm.editData.id &gt; 0 ? "GÃ¼ncelle" : "Hata") + "\n            ")]), _vm._v(" "), _c("b-button", {
          staticClass: "'form-control",
          attrs: {
            type: "button",
            variant: "outline-secondary"
          },
          on: {
            click: function click($event) {
              return _vm.$bvModal.hide(_vm.modalId);
            }
          }
        }, [_vm._v("\n                VazgeÃ§\n            ")])], 1)];
      },
      proxy: true
    }, {
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning",
            variant: "primary",
            type: "grow"
          }
        }), _vm._v(" "), _c("p", [_vm._v("Kaydediliyor...")])], 1)];
      },
      proxy: true
    }])
  });
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=template&amp;id=1530f5e6&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=template&amp;id=1530f5e6&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("b-modal", {
    attrs: {
      id: _vm.modalId,
      "no-close-on-backdrop": "",
      centered: "",
      title: _vm.editData.id &gt; 0 ? _vm.editData.name + " Dersi Ä°Ã§in SÄ±nÄ±f SeÃ§imi" : "Hata!!",
      size: "lg"
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn() {
        return [_c("b-overlay", {
          attrs: {
            show: _vm.formSaving || _vm.isFetching || _vm.checkingFile,
            rounded: "sm",
            variant: "transparent",
            blur: "2px"
          }
        }, [_vm.lessonGrades.length &gt; 0 &amp;&amp; !_vm.hasPrice ? _c("b-alert", {
          attrs: {
            show: "",
            variant: "info"
          }
        }, [_c("b", [_vm._v(_vm._s(_vm.editData.name))]), _vm._v(" dersini hangi\n                sÄ±nÄ±f/dÃ¼zeylerde vereceÄŸinizi seÃ§melisiniz.\n                "), _c("br"), _vm._v("\n                Sadece saatlik Ã¼creti sÄ±fÄ±rdan bÃ¼yÃ¼k olan sÄ±nÄ±flara ders verebilirsiniz.\n            ")]) : _vm._e(), _vm._v(" "), !_vm.lessonGrades.length ? _c("b-alert", {
          attrs: {
            show: "",
            variant: "danger"
          }
        }, [_c("b", [_vm._v(_vm._s(_vm.editData.name))]), _vm._v(" dersi iÃ§in sÄ±nÄ±f seÃ§imi / Ã¼cret giriÅŸi\n                yapÄ±lamaz.\n            ")]) : _vm._e(), _vm._v(" "), !_vm.waitingApproval &amp;&amp; _vm.document.status !== 1 ? _c("div", [_c("b-alert", {
          attrs: {
            show: "",
            variant: "warning"
          }
        }, [_c("b", [_vm._v(_vm._s(_vm.editData.name))]), _vm._v(" dersi iÃ§in bir belge yÃ¼kleyiniz.\n                    "), _c("br"), _vm._v("\n                    YÃ¼klediÄŸiniz belge onaylandÄ±ÄŸÄ±nda bu ders iÃ§in bir rozet kazanÄ±rsÄ±nÄ±z. Bu rozet sizi arama\n                    sonuÃ§larÄ±nda hem daha Ã¶ne getirir, hem de sizi tanÄ±mayan Ã¶ÄŸrencilerin size gÃ¼venmesini saÄŸlar.\n                ")]), _vm._v(" "), _c("b-form-file", {
          ref: "file-input",
          staticClass: "mb-2",
          attrs: {
            state: Boolean(_vm.file),
            accept: ".pdf",
            placeholder: "PDF SeÃ§in ya da buraya sÃ¼rÃ¼kleyin...",
            disabled: _vm.uploading
          },
          model: {
            value: _vm.file,
            callback: function callback($$v) {
              _vm.file = $$v;
            },
            expression: "file"
          }
        }, [_vm._v("\n                    &gt;\n                ")]), _vm._v(" "), _vm.file ? _c("b-button", {
          attrs: {
            variant: "outline-danger"
          }
        }, [_c("i", {
          staticClass: "fa fa-file-pdf"
        }), _vm._v(" " + _vm._s(_vm.file.name))]) : _vm._e(), _vm._v(" "), _vm.file &amp;&amp; !_vm.uploading ? _c("b-button", {
          staticClass: "float-end ml-5",
          attrs: {
            variant: "primary"
          },
          on: {
            click: function click($event) {
              return _vm.uploadFile();
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-upload"
        }), _vm._v(" YÃ¼kle\n                ")]) : _vm._e(), _vm._v(" "), _vm.file &amp;&amp; _vm.uploading ? _c("b-button", {
          staticClass: "float-end ml-5",
          attrs: {
            variant: "primary",
            disabled: "disabled"
          },
          on: {
            click: function click($event) {
              return _vm.uploadFile();
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-spinner fa-spin"
        }), _vm._v(" YÃ¼kleniyor\n                ")]) : _vm._e(), _vm._v(" "), _vm.file &amp;&amp; !_vm.uploading ? _c("b-button", {
          staticClass: "float-end",
          attrs: {
            variant: "secondary"
          },
          on: {
            click: function click($event) {
              _vm.file = null;
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-brush"
        }), _vm._v(" Temizle\n                ")]) : _vm._e()], 1) : _vm._e(), _vm._v(" "), _vm.waitingApproval ? _c("div", [_c("b-alert", {
          attrs: {
            show: "",
            variant: "warning"
          }
        }, [_c("b", [_vm._v("Onay bekleniyor..")]), _vm._v(" "), _c("br"), _vm._v("\n                    DosyanÄ±z onay bekliyor. Onay verildiÄŸinde size bir eposta gÃ¶ndereceÄŸiz.\n                    "), _c("br"), _vm._v(" "), _c("a", {
          staticClass: "btn btn-outline-danger btn-sm",
          attrs: {
            target: "_blank",
            href: _vm.document.path + _vm.document.name
          }
        }, [_c("i", {
          staticClass: "fa fa-file-pdf"
        }), _vm._v(" " + _vm._s(_vm.document.real_name))])])], 1) : _vm._e(), _vm._v(" "), !_vm.waitingApproval &amp;&amp; _vm.document.status === 1 ? _c("b-alert", {
          attrs: {
            show: "",
            variant: "success"
          }
        }, [_c("b", [_vm._v("OnaylÄ± Ders")]), _vm._v(" "), _c("br"), _vm._v("\n                Bu ders iÃ§in yÃ¼klediÄŸiniz dokuman onaylandÄ±. ArtÄ±k bu ders iÃ§in bir rozetiniz var.\n                "), _c("br"), _vm._v(" "), _c("a", {
          staticClass: "btn btn-outline-danger btn-sm",
          attrs: {
            target: "_blank",
            href: _vm.document.path + _vm.document.name
          }
        }, [_c("i", {
          staticClass: "fa fa-file-pdf"
        }), _vm._v(" " + _vm._s(_vm.document.real_name))])]) : _vm._e(), _vm._v(" "), !_vm.waitingApproval &amp;&amp; _vm.document.status === 2 ? _c("b-alert", {
          attrs: {
            show: "",
            variant: "danger"
          }
        }, [_c("b", [_vm._v("Reddedildi!")]), _vm._v(" "), _c("br"), _vm._v("\n                Bu ders iÃ§in yÃ¼klediÄŸiniz dokuman reddedildi. Yeni bir dokuman yÃ¼klemeyi deneyebilirsiniz.\n                "), _c("br"), _vm._v("\n                Red Sebebi: " + _vm._s(_vm.document.reject_reason) + "\n                "), _c("br"), _vm._v(" "), _c("a", {
          staticClass: "btn btn-outline-danger btn-sm",
          attrs: {
            target: "_blank",
            href: _vm.document.path + _vm.document.name
          }
        }, [_c("i", {
          staticClass: "fa fa-file-pdf"
        }), _vm._v(" " + _vm._s(_vm.document.real_name))])]) : _vm._e(), _vm._v(" "), _vm.lessonGrades.length &gt; 0 ? _c("b-table", {
          attrs: {
            striped: "",
            hover: "",
            items: _vm.lessonGrades,
            fields: _vm.fields
          },
          scopedSlots: _vm._u([{
            key: "cell(price)",
            fn: function fn(item) {
              return [_c("b-form-input", {
                attrs: {
                  type: "number",
                  min: "0",
                  max: "1000",
                  step: "1",
                  placeholder: "Saatlik Ãœcret"
                },
                on: {
                  keyup: function keyup($event) {
                    return _vm.updatePrices(item.item.id);
                  },
                  change: function change($event) {
                    return _vm.updatePrices(item.item.id);
                  }
                },
                model: {
                  value: item.item.price,
                  callback: function callback($$v) {
                    _vm.$set(item.item, "price", $$v);
                  },
                  expression: "item.item.price"
                }
              })];
            }
          }, {
            key: "cell(discount)",
            fn: function fn(item) {
              return [_c("b-form-select", {
                staticClass: "form-control",
                attrs: {
                  options: _vm.discount_rates
                },
                on: {
                  change: function change($event) {
                    return _vm.updatePrices(item.item.id);
                  }
                },
                model: {
                  value: item.item.discount,
                  callback: function callback($$v) {
                    _vm.$set(item.item, "discount", $$v);
                  },
                  expression: "item.item.discount"
                }
              })];
            }
          }, {
            key: "cell(total_price)",
            fn: function fn(item) {
              return [_c("b-form-input", {
                attrs: {
                  type: "number",
                  disabled: "",
                  placeholder: "Ä°ndirimli Fiyat"
                },
                model: {
                  value: item.item.total_price,
                  callback: function callback($$v) {
                    _vm.$set(item.item, "total_price", $$v);
                  },
                  expression: "item.item.total_price"
                }
              })];
            }
          }], null, false, 1314516043)
        }) : _vm._e()], 1)];
      },
      proxy: true
    }, {
      key: "modal-footer",
      fn: function fn() {
        return [_vm.formSaving ? _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          attrs: {
            variant: "secondary",
            type: "button",
            disabled: "disabled"
          }
        }, [_vm._v("\n                Kaydediliyor..\n            ")])], 1) : _c("div", {
          staticClass: "mt-2 w-100"
        }, [_c("div", {
          staticClass: "float-left"
        }, [_vm.lessonGradePrices.length &gt; 0 ? _c("b-button", {
          staticClass: "mr-10",
          staticStyle: {
            "float": "left"
          },
          attrs: {
            variant: "danger",
            type: "button"
          },
          on: {
            click: function click($event) {
              return _vm.deleteLesson(_vm.editData);
            }
          }
        }, [_vm._v("\n                    Bu Dersi Sil\n                ")]) : _vm._e()], 1), _vm._v(" "), _c("div", {
          staticClass: "float-right"
        }, [_vm.lessonGrades.length &gt; 0 ? _c("b-button", {
          staticClass: "mr-10",
          attrs: {
            variant: "primary",
            type: "submit",
            disabled: _vm.editData.name.trim().length &lt; 2 || _vm.formSaving || _vm.isFetching
          },
          on: {
            click: function click($event) {
              return _vm.updateGrades();
            }
          }
        }, [_vm._v("\n                    " + _vm._s(_vm.editData.id &gt; 0 ? "GÃ¼ncelle" : "Hata") + "\n                ")]) : _vm._e(), _vm._v(" "), _c("b-button", {
          staticClass: "'form-control",
          attrs: {
            type: "button",
            variant: "outline-secondary"
          },
          on: {
            click: function click($event) {
              return _vm.$bvModal.hide(_vm.modalId);
            }
          }
        }, [_vm._v("\n                    VazgeÃ§\n                ")])], 1)])];
      },
      proxy: true
    }, {
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning",
            variant: "primary",
            type: "grow"
          }
        }), _vm._v(" "), _c("p", [_vm._v("Kaydediliyor...")])], 1)];
      },
      proxy: true
    }])
  });
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=template&amp;id=6c9574b6&amp;scoped=true&amp;":
/*!****************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=template&amp;id=6c9574b6&amp;scoped=true&amp; ***!
  \****************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20 pb-145"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", [_vm._m(1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.posting,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [_c("table", {
    staticClass: "table table-striped table-hover"
  }, [_c("thead", [_c("tr", [_c("th", {
    attrs: {
      scope: "col"
    }
  }, [_vm._v("#")]), _vm._v(" "), _c("th", {
    attrs: {
      scope: "col"
    }
  }, [_vm._v("GÃ¼nler")]), _vm._v(" "), _c("th", {
    attrs: {
      scope: "col"
    }
  }, [_vm._v("Saatler")])])]), _vm._v(" "), _c("tbody", [_vm._l(_vm.days, function (day, i) {
    return _c("tr", {
      key: day
    }, [_c("th", {
      attrs: {
        scope: "row"
      }
    }, [_vm._v(_vm._s(i + 1))]), _vm._v(" "), _c("td", [_vm._v(_vm._s(day))]), _vm._v(" "), _c("td", _vm._l(_vm.hours, function (hour, s) {
      return _c("div", {
        staticStyle: {
          "float": "left",
          margin: "2px"
        }
      }, [_c("input", {
        directives: [{
          name: "model",
          rawName: "v-model",
          value: _vm.selectedDaysAndHours[i],
          expression: "selectedDaysAndHours[i]"
        }],
        staticClass: "btn-check",
        attrs: {
          type: "checkbox",
          id: i + "." + s,
          autocomplete: "off"
        },
        domProps: {
          value: parseInt(s),
          checked: Array.isArray(_vm.selectedDaysAndHours[i]) ? _vm._i(_vm.selectedDaysAndHours[i], parseInt(s)) &gt; -1 : _vm.selectedDaysAndHours[i]
        },
        on: {
          change: function change($event) {
            var $$a = _vm.selectedDaysAndHours[i],
              $$el = $event.target,
              $$c = $$el.checked ? true : false;
            if (Array.isArray($$a)) {
              var $$v = parseInt(s),
                $$i = _vm._i($$a, $$v);
              if ($$el.checked) {
                $$i &lt; 0 &amp;&amp; _vm.$set(_vm.selectedDaysAndHours, i, $$a.concat([$$v]));
              } else {
                $$i &gt; -1 &amp;&amp; _vm.$set(_vm.selectedDaysAndHours, i, $$a.slice(0, $$i).concat($$a.slice($$i + 1)));
              }
            } else {
              _vm.$set(_vm.selectedDaysAndHours, i, $$c);
            }
          }
        }
      }), _vm._v(" "), _c("label", {
        staticClass: "btn btn-outline-primary btn-sm p-0",
        staticStyle: {
          width: "55px"
        },
        attrs: {
          "for": i + "." + s
        }
      }, [_vm._v(_vm._s(hour))])]);
    }), 0)]);
  }), _vm._v(" "), _c("tr", [_c("th", {
    attrs: {
      scope: "row"
    }
  }, [_vm._v("--")]), _vm._v(" "), _c("td", [_vm._v("TÃ¼mÃ¼")]), _vm._v(" "), _c("td", _vm._l(_vm.hours, function (hour, s) {
    return _c("div", {
      staticStyle: {
        "float": "left",
        margin: "2px"
      }
    }, [_c("input", {
      directives: [{
        name: "model",
        rawName: "v-model",
        value: _vm.selectedAllHours[s],
        expression: "selectedAllHours[s]"
      }],
      staticClass: "btn-check",
      attrs: {
        type: "checkbox",
        id: "tumu." + s,
        autocomplete: "off"
      },
      domProps: {
        value: parseInt(s),
        checked: Array.isArray(_vm.selectedAllHours[s]) ? _vm._i(_vm.selectedAllHours[s], parseInt(s)) &gt; -1 : _vm.selectedAllHours[s]
      },
      on: {
        change: [function ($event) {
          var $$a = _vm.selectedAllHours[s],
            $$el = $event.target,
            $$c = $$el.checked ? true : false;
          if (Array.isArray($$a)) {
            var $$v = parseInt(s),
              $$i = _vm._i($$a, $$v);
            if ($$el.checked) {
              $$i &lt; 0 &amp;&amp; _vm.$set(_vm.selectedAllHours, s, $$a.concat([$$v]));
            } else {
              $$i &gt; -1 &amp;&amp; _vm.$set(_vm.selectedAllHours, s, $$a.slice(0, $$i).concat($$a.slice($$i + 1)));
            }
          } else {
            _vm.$set(_vm.selectedAllHours, s, $$c);
          }
        }, function ($event) {
          return _vm.lastChecked(s);
        }]
      }
    }), _vm._v(" "), _c("label", {
      staticClass: "btn btn-outline-success btn-sm p-0",
      staticStyle: {
        width: "55px"
      },
      attrs: {
        "for": "tumu." + s
      }
    }, [_vm._v(_vm._s(hour))])]);
  }), 0)])], 2)]), _vm._v(" "), _c("div", [!_vm.posting ? _c("button", {
    staticClass: "btn btn-primary float-right",
    attrs: {
      type: "submit"
    },
    on: {
      click: function click($event) {
        return _vm.saveWeeklySchedule();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-save"
  }), _vm._v("\n                        Kaydet\n                    ")]) : _c("b-button", {
    attrs: {
      variant: "secondary",
      type: "button",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v("\n                        Kaydediliyor..\n                    ")])], 1)])], 1)])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("HesabÄ±m")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_vm._v("HaftalÄ±k Program")])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "alert alert-info",
    attrs: {
      role: "alert"
    }
  }, [_c("span", {
    staticClass: "alert-heading"
  }, [_vm._v("LÃ¼tfen")]), _vm._v(" sadece mÃ¼sait olduÄŸunu saatleri seÃ§iniz.\n                ")]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=template&amp;id=4712e354&amp;scoped=true&amp;":
/*!*********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=template&amp;id=4712e354&amp;scoped=true&amp; ***!
  \*********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "120px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "4",
      md: "6"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("b-form-input", {
    ref: "searchBox",
    staticClass: "d-inline-block mr-1",
    "class": {
      "is-invalid": _vm.searchQueryFail || _vm.searchQuery.trim().length &gt; 2 &amp; !_vm.metaData.total,
      "is-valid": !_vm.searchQueryFail &amp; _vm.searchQuery.trim().length &gt; 2 &amp; _vm.metaData.total &gt; 0 &amp; !_vm.isFetching &amp; !_vm.isTyping
    },
    attrs: {
      placeholder: "Arama yap"
    },
    model: {
      value: _vm.searchQuery,
      callback: function callback($$v) {
        _vm.searchQuery = $$v;
      },
      expression: "searchQuery"
    }
  })], 1)]), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    "class": {
      "is-invalid": _vm.statusFilter != null &amp; !_vm.metaData.total &amp; !_vm.isFetching &amp; !_vm.isTyping,
      "is-valid": _vm.statusFilter != null &amp; _vm.metaData.total &gt; 0 &amp; !_vm.isFetching &amp; !_vm.isTyping
    },
    staticStyle: {
      width: "30%",
      "min-width": "170px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.statusOptions,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "StatÃ¼ SeÃ§iniz"
    },
    model: {
      value: _vm.statusFilter,
      callback: function callback($$v) {
        _vm.statusFilter = $$v;
      },
      expression: "statusFilter"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transparent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(title)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_c("router-link", {
          staticClass: "font-weight-bold d-block text-nowrap text-capitalize",
          attrs: {
            to: "../blog/" + data.item.slug
          }
        }, [_vm._v("\n                                                " + _vm._s(data.item.title) + "\n                                            ")])], 1)];
      }
    }, {
      key: "cell(status)",
      fn: function fn(data) {
        return [data.item.status === 0 ? _c("i", {
          staticClass: "fa fa-spin fa-spinner"
        }) : _vm._e(), _vm._v(" "), data.item.status === 1 ? _c("i", {
          staticClass: "fa fa-check text-success"
        }) : _vm._e(), _vm._v(" "), data.item.status === -1 ? _c("i", {
          staticClass: "fa fa-times text-danger"
        }) : _vm._e(), _vm._v(" "), data.item.status === -2 ? _c("i", {
          staticClass: "fa fa-trash-restore text-danger"
        }) : _vm._e(), _vm._v("\n                                        " + _vm._s(_vm.status[data.item.status]) + "\n                                        "), data.item.status === -1 ? _c("small", [_c("br"), _vm._v(" "), _c("i", {
          staticClass: "fa fa-info-circle text-danger"
        }), _vm._v(" "), _c("i", [_vm._v(_vm._s(data.item.rejection_reason))])]) : _vm._e(), _vm._v(" "), data.item.status === -2 ? _c("small", [_c("br"), _vm._v(" "), _c("i", {
          staticClass: "fa fa-info-circle text-danger"
        }), _vm._v(" "), _c("i", [_vm._v(_vm._s(data.item.delete_reason))])]) : _vm._e()];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [_c("router-link", {
          staticClass: "btn btn-sm btn-outline-primary rounded-pill",
          attrs: {
            to: "../blog/" + data.item.slug + "/duzenle"
          }
        }, [_vm._v("\n                                                Ä°ncele\n                                            ")])], 1)];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("YÃ¶netim")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Blog YazÄ±larÄ±")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=template&amp;id=0e883928&amp;scoped=true&amp;":
/*!****************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=template&amp;id=0e883928&amp;scoped=true&amp; ***!
  \****************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("button", {
    staticClass: "btn btn-primary",
    attrs: {
      type: "button"
    },
    on: {
      click: function click($event) {
        return _vm.showNewFaqModal();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-plus"
  }), _vm._v("\n                                            Yeni S.S.S. OluÅŸtur\n                                        ")]), _vm._v(" "), _c("create-or-edit-faq", {
    attrs: {
      "modal-id": _vm.newFaqModalId,
      editRow: _vm.row
    },
    on: {
      "create-faq-data": function createFaqData($event) {
        return _vm.fetch();
      }
    }
  })], 1)])], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transparent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refFaqsListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(data.index + 1) + "\n                                    ")];
      }
    }, {
      key: "cell(question)",
      fn: function fn(data) {
        return [_c("b-media", [_vm._v("\n                                            " + _vm._s(data.item.question) + "\n                                        ")])];
      }
    }, {
      key: "cell(answer)",
      fn: function fn(data) {
        return [_c("b-media", [_vm._v("\n                                            " + _vm._s(data.item.answer) + "\n                                        ")])];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [_c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-success"
          },
          on: {
            click: function click($event) {
              return _vm.showNewFaqModal(data.item);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-edit"
        }), _vm._v(" DÃ¼zenle\n                                            ")]), _vm._v(" "), _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-danger"
          },
          on: {
            click: function click($event) {
              return _vm.deleteFaq(data.item.id);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-trash"
        }), _vm._v(" Sil\n                                            ")])], 1)];
      }
    }])
  })], 1)], 1)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Okulistan")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("SÄ±kÃ§a Sorulan Sorular")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=template&amp;id=a3fb7f20&amp;scoped=true&amp;":
/*!**************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=template&amp;id=a3fb7f20&amp;scoped=true&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "120px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1)], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transparent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(price)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.min_price == 0 &amp;&amp; data.item.max_price == 0 ? "Belirtilmedi" : data.item.min_price * 1 + " - " + data.item.max_price * 1) + "\n                                        ")])];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [_c("button", {
          staticClass: "btn btn-sm btn-outline-primary rounded-pill",
          on: {
            click: function click($event) {
              return _vm.approve(data.item.id);
            }
          }
        }, [_vm._v("\n                                                Onayla\n                                            ")]), _vm._v(" "), _c("button", {
          staticClass: "btn btn-sm btn-outline-danger rounded-pill",
          on: {
            click: function click($event) {
              return _vm.reject(data.item.id);
            }
          }
        }, [_vm._v("\n                                                Reddet\n                                            ")])])];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("YÃ¶netim")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Ders Talep OnaylarÄ±")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=template&amp;id=ccdfc7b6&amp;scoped=true&amp;":
/*!***************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=template&amp;id=ccdfc7b6&amp;scoped=true&amp; ***!
  \***************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_vm.showModal ? _c("b-modal", {
    attrs: {
      id: "modal-xl",
      size: "xl",
      "ok-only": "",
      title: "DokÃ¼man GÃ¶rÃ¼ntÃ¼leme"
    },
    model: {
      value: _vm.showModal,
      callback: function callback($$v) {
        _vm.showModal = $$v;
      },
      expression: "showModal"
    }
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-8"
  }, [_c("iframe", {
    staticStyle: {
      width: "100%",
      height: "70vh"
    },
    attrs: {
      src: _vm.modalItem.path + _vm.modalItem.name,
      frameborder: "0"
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "col-4"
  }, [_c("b-form", {
    on: {
      submit: _vm.onSubmit
    }
  }, [_c("b-form-group", {
    attrs: {
      id: "input-group-1",
      label: "GÃ¶nderen AdÄ±:",
      "label-for": "input-1"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "input-1",
      type: "text",
      placeholder: "Kaydeden",
      disabled: "disabled"
    },
    model: {
      value: _vm.modalItem.user.name,
      callback: function callback($$v) {
        _vm.$set(_vm.modalItem.user, "name", $$v);
      },
      expression: "modalItem.user.name"
    }
  })], 1), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "input-group-2",
      label: "GÃ¶nderme Tarihi:",
      "label-for": "input-2"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "input-2",
      placeholder: "GÃ¶nderme Tarihi",
      disabled: ""
    },
    model: {
      value: _vm.modalItem.created_at,
      callback: function callback($$v) {
        _vm.$set(_vm.modalItem, "created_at", $$v);
      },
      expression: "modalItem.created_at"
    }
  })], 1), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "input-group-2",
      label: "Ä°liÅŸkili Ders AdÄ±:",
      "label-for": "input-2"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "input-2",
      placeholder: "Ä°liÅŸkili Ders AdÄ±",
      disabled: ""
    },
    model: {
      value: _vm.modalItem.lesson.name,
      callback: function callback($$v) {
        _vm.$set(_vm.modalItem.lesson, "name", $$v);
      },
      expression: "modalItem.lesson.name"
    }
  })], 1), _vm._v(" "), _vm.modalItem.status === 0 ? _c("div", [_c("b-form-group", {
    staticClass: "mt-10",
    attrs: {
      label: ""
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn(_ref) {
        var ariaDescribedby = _ref.ariaDescribedby;
        return [_c("b-form-radio-group", {
          attrs: {
            id: "btn-radios-1",
            "button-variant": "outline-success",
            options: _vm.approveOptions,
            name: "radios-btn-default",
            buttons: ""
          },
          model: {
            value: _vm.approveSelected,
            callback: function callback($$v) {
              _vm.approveSelected = $$v;
            },
            expression: "approveSelected"
          }
        })];
      }
    }], null, false, 2562486217)
  }), _vm._v(" "), _vm.approveSelected === 2 ? _c("b-form-group", {
    staticClass: "mt-5",
    attrs: {
      id: "input-group-4",
      label: "Red Sebebi:",
      "label-for": "input-4"
    }
  }, [_c("b-form-textarea", {
    attrs: {
      id: "textarea",
      placeholder: "Reddetme Sebebiniz...",
      rows: "3",
      "max-rows": "6"
    },
    model: {
      value: _vm.modalItem.reject_reason,
      callback: function callback($$v) {
        _vm.$set(_vm.modalItem, "reject_reason", $$v);
      },
      expression: "modalItem.reject_reason"
    }
  }), _vm._v(" "), _vm.modalItem.reject_reason &amp;&amp; _vm.minRejectReasonLength - _vm.modalItem.reject_reason.trim().length &gt; 0 ? _c("small", [_vm._v("En az "), _c("b", [_vm._v(_vm._s(_vm.modalItem.reject_reason ? _vm.minRejectReasonLength - _vm.modalItem.reject_reason.trim().length : _vm.minRejectReasonLength))]), _vm._v(" karakter daha yazmalÄ±sÄ±nÄ±z")]) : _vm._e()], 1) : _vm._e(), _vm._v(" "), _vm.approveSelected === 1 ? _c("b-alert", {
    staticClass: "mt-10",
    attrs: {
      show: "",
      variant: "warning"
    }
  }, [_c("b", [_vm._v("DokÃ¼manÄ± onayladÄ±ÄŸÄ±nÄ±zda")]), _vm._v(" kullanÄ±cÄ± bu ders iÃ§in onaylÄ± kullanÄ±cÄ± olacaktÄ±r.\n                        ")]) : _vm._e(), _vm._v(" "), !_vm.saving &amp;&amp; (_vm.approveSelected === 1 || _vm.approveSelected === 2) ? _c("b-button", {
    staticClass: "mt-10",
    attrs: {
      type: "button",
      variant: "primary",
      disabled: (_vm.modalItem.reject_reason &amp;&amp; _vm.modalItem.reject_reason.trim().length &lt; _vm.minRejectReasonLength || !_vm.modalItem.reject_reason) &amp;&amp; _vm.approveSelected === 2
    },
    on: {
      click: function click($event) {
        return _vm.saveApprove();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-save"
  }), _vm._v(" Kaydet\n                        ")]) : _vm._e(), _vm._v(" "), _vm.saving ? _c("b-button", {
    staticClass: "mt-10",
    attrs: {
      type: "button",
      variant: "primary",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v(" Kaydediliyor...\n                        ")]) : _vm._e()], 1) : _vm._e(), _vm._v(" "), _vm.modalItem.status === 1 ? _c("div", [_c("b-form-group", {
    attrs: {
      id: "input-group-2",
      label: "Onay Tarihi:",
      "label-for": "input-2"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "input-2",
      placeholder: "Onay Tarihi",
      disabled: ""
    },
    model: {
      value: _vm.modalItem.approved_at,
      callback: function callback($$v) {
        _vm.$set(_vm.modalItem, "approved_at", $$v);
      },
      expression: "modalItem.approved_at"
    }
  }), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "input-group-2",
      label: "Onaylayan:",
      "label-for": "input-2"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "input-2",
      placeholder: "Onaylayan",
      disabled: ""
    },
    model: {
      value: _vm.modalItem.approved_user.name,
      callback: function callback($$v) {
        _vm.$set(_vm.modalItem.approved_user, "name", $$v);
      },
      expression: "modalItem.approved_user.name"
    }
  })], 1)], 1)], 1) : _vm._e(), _vm._v(" "), _vm.modalItem.status === 2 ? _c("div", [_c("b-form-group", {
    attrs: {
      id: "input-group-2",
      label: "Red Tarihi:",
      "label-for": "input-2"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "input-2",
      placeholder: "Red Tarihi",
      disabled: ""
    },
    model: {
      value: _vm.modalItem.rejected_at,
      callback: function callback($$v) {
        _vm.$set(_vm.modalItem, "rejected_at", $$v);
      },
      expression: "modalItem.rejected_at"
    }
  }), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "input-group-2",
      label: "Reddeden:",
      "label-for": "input-2"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "input-2",
      placeholder: "Reddeden",
      disabled: ""
    },
    model: {
      value: _vm.modalItem.rejected_user.name,
      callback: function callback($$v) {
        _vm.$set(_vm.modalItem.rejected_user, "name", $$v);
      },
      expression: "modalItem.rejected_user.name"
    }
  })], 1)], 1), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "input-group-2",
      label: "Red Sebebi:",
      "label-for": "input-2"
    }
  }, [_c("b-form-textarea", {
    attrs: {
      id: "textarea",
      placeholder: "Reddetme Sebebi",
      rows: "6",
      "max-rows": "6",
      disabled: ""
    },
    model: {
      value: _vm.modalItem.reject_reason,
      callback: function callback($$v) {
        _vm.$set(_vm.modalItem, "reject_reason", $$v);
      },
      expression: "modalItem.reject_reason"
    }
  })], 1)], 1) : _vm._e()], 1)], 1)])]) : _vm._e(), _vm._v(" "), _c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "120px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "4",
      md: "6"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("b-form-input", {
    ref: "searchBox",
    staticClass: "d-inline-block mr-1",
    "class": {
      "is-invalid": _vm.nameFail || _vm.name.trim().length &gt; 2 &amp; !_vm.metaData.total,
      "is-valid": !_vm.nameFail &amp; _vm.name.trim().length &gt; 2 &amp; _vm.metaData.total &gt; 0 &amp; !_vm.isFetching &amp; !_vm.isTyping
    },
    attrs: {
      placeholder: "Arama yap"
    },
    model: {
      value: _vm.name,
      callback: function callback($$v) {
        _vm.name = $$v;
      },
      expression: "name"
    }
  })], 1)]), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    "class": {
      "is-invalid": _vm.statusFilter != null &amp; !_vm.metaData.total &amp; !_vm.isFetching &amp; !_vm.isTyping,
      "is-valid": _vm.statusFilter != null &amp; _vm.metaData.total &gt; 0 &amp; !_vm.isFetching &amp; !_vm.isTyping
    },
    staticStyle: {
      width: "30%",
      "min-width": "170px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.statusOptions,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "StatÃ¼ SeÃ§iniz"
    },
    model: {
      value: _vm.statusFilter,
      callback: function callback($$v) {
        _vm.statusFilter = $$v;
      },
      expression: "statusFilter"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transparent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(title)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_c("router-link", {
          staticClass: "font-weight-bold d-block text-nowrap text-capitalize",
          attrs: {
            to: "../blog/" + data.item.slug
          }
        }, [_vm._v("\n                                                " + _vm._s(data.item.title) + "\n                                            ")])], 1)];
      }
    }, {
      key: "cell(status)",
      fn: function fn(data) {
        return [_c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: _vm.statusVariant[data.item.status]
          }
        }, [_vm._v("\n                                            " + _vm._s(_vm.status[data.item.status]) + "\n                                        ")])];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [_c("button", {
          staticClass: "btn btn-sm btn-outline-primary rounded-pill",
          on: {
            click: function click($event) {
              return _vm.openModal(data.item);
            }
          }
        }, [_vm._v("\n                                                GÃ¶ster\n                                            ")])])];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])])], 1);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("YÃ¶netim")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Ders DokÃ¼manlarÄ±")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=template&amp;id=44d49ca2&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=template&amp;id=44d49ca2&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("b-modal", {
    attrs: {
      id: _vm.modalId,
      "no-close-on-backdrop": "",
      centered: "",
      title: _vm.editData.id &gt; 0 ? "S.S.S. DÃ¼zenle" : "S.S.S. OluÅŸtur",
      size: "md"
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn() {
        return [_c("b-overlay", {
          attrs: {
            show: _vm.formSaving,
            rounded: "sm",
            variant: "transparent",
            blur: "2px"
          }
        }, [_c("b-form", {
          on: {
            reset: function reset($event) {
              $event.preventDefault();
              return _vm.resetForm.apply(null, arguments);
            }
          }
        }, [_c("b-form-group", {
          attrs: {
            label: "Soru*",
            "label-for": "question"
          }
        }, [_c("b-form-textarea", {
          ref: "question",
          attrs: {
            id: "question",
            trim: ""
          },
          model: {
            value: _vm.editData.question,
            callback: function callback($$v) {
              _vm.$set(_vm.editData, "question", $$v);
            },
            expression: "editData.question"
          }
        })], 1), _vm._v(" "), _c("b-form-group", {
          attrs: {
            label: "Cevap*",
            "label-for": "answer"
          }
        }, [_c("b-form-textarea", {
          ref: "answer",
          attrs: {
            id: "answer",
            trim: ""
          },
          model: {
            value: _vm.editData.answer,
            callback: function callback($$v) {
              _vm.$set(_vm.editData, "answer", $$v);
            },
            expression: "editData.answer"
          }
        })], 1)], 1)], 1)];
      },
      proxy: true
    }, {
      key: "modal-footer",
      fn: function fn() {
        return [_vm.formSaving ? _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          attrs: {
            variant: "secondary",
            type: "button",
            disabled: "disabled"
          }
        }, [_vm._v("\n                Kaydediliyor..\n            ")])], 1) : _c("div", {
          staticClass: "d-flex mt-2"
        }, [_c("b-button", {
          staticClass: "mr-10",
          attrs: {
            variant: "primary",
            type: "submit",
            disabled: _vm.editData.question.length &lt;= 10 || _vm.editData.answer.length &lt;= 10 || _vm.formSaving
          },
          on: {
            click: function click($event) {
              return _vm.saveForm();
            }
          }
        }, [_vm._v("\n                " + _vm._s(_vm.editData.id &gt; 0 ? "GÃ¼ncelle" : "OluÅŸtur") + "\n            ")]), _vm._v(" "), _c("b-button", {
          staticClass: "'form-control",
          attrs: {
            type: "button",
            variant: "outline-secondary"
          },
          on: {
            click: function click($event) {
              return _vm.$bvModal.hide(_vm.modalId);
            }
          }
        }, [_vm._v("\n                VazgeÃ§\n            ")])], 1)];
      },
      proxy: true
    }, {
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning",
            variant: "primary",
            type: "grow"
          }
        }), _vm._v(" "), _c("p", [_vm._v("Kaydediliyor...")])], 1)];
      },
      proxy: true
    }])
  });
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=template&amp;id=1fd41360&amp;scoped=true&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=template&amp;id=1fd41360&amp;scoped=true&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "80px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "8",
      md: "9"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-center"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.teachers,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Ã–ÄŸretmen SeÃ§iniz"
    },
    model: {
      value: _vm.teacherId,
      callback: function callback($$v) {
        _vm.teacherId = $$v;
      },
      expression: "teacherId"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.lessons,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Ders SeÃ§iniz"
    },
    model: {
      value: _vm.lessonId,
      callback: function callback($$v) {
        _vm.lessonId = $$v;
      },
      expression: "lessonId"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.grades,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Seviye SeÃ§iniz"
    },
    model: {
      value: _vm.gradeId,
      callback: function callback($$v) {
        _vm.gradeId = $$v;
      },
      expression: "gradeId"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transprent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(student)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.student.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(teacher)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.teacher.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(lesson)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.lesson.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(grade)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.grade.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(status)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_c("b-badge", {
          staticClass: "text-capitalize",
          attrs: {
            variant: data.item.status === "approved" ? "warning" : data.item.status === "rejected" ? "danger" : "success"
          }
        }, [_vm._v("\n                                                " + _vm._s(data.item.status === "approved" ? "OnaylandÄ±" : data.item.status === "rejected" ? "Reddedildi" : "Onay Bekliyor") + "\n                                            ")])], 1)];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [data.item.status === "pending" ? _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-primary"
          },
          on: {
            click: function click($event) {
              return _vm.editRating(data.item);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-eye"
        }), _vm._v(" GÃ¶zden GeÃ§ir\n                                            ")]) : _vm._e()], 1)];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])]), _vm._v(" "), _vm.ratingModal ? _c("b-modal", {
    attrs: {
      title: "Ders DeÄŸerlendirme Formu",
      "hide-footer": ""
    },
    on: {
      "close-modal": function closeModal($event) {
        _vm.ratingModal = false;
      }
    },
    model: {
      value: _vm.ratingModal,
      callback: function callback($$v) {
        _vm.ratingModal = $$v;
      },
      expression: "ratingModal"
    }
  }, [_c("Rating", {
    attrs: {
      lesson_request: _vm.lesson_request,
      approval: true
    },
    on: {
      "rating-submitted": function ratingSubmitted($event) {
        _vm.ratingModal = false;
        _vm.fetch();
      }
    }
  })], 1) : _vm._e()], 1);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Okulistan")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("DeÄŸerlendirmeler")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Settings.vue?vue&amp;type=template&amp;id=0b5bf8ae&amp;scoped=true&amp;":
/*!********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Settings.vue?vue&amp;type=template&amp;id=0b5bf8ae&amp;scoped=true&amp; ***!
  \********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "alert alert-warning",
    attrs: {
      role: "alert"
    }
  }, [_vm._v("\n                                Burada yapacaÄŸÄ±nÄ±z deÄŸiÅŸiklikler tÃ¼m sistemi doÄŸrudan etkileyecektir.\n                            ")]), _vm._v(" "), _vm._m(1), _vm._v(" "), _c("div", {
    staticClass: "tab-content",
    attrs: {
      id: "pills-tabContent"
    }
  }, [_c("hr"), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade show active",
    attrs: {
      id: "dersler",
      role: "tabpanel",
      "aria-labelledby": "pills-home-tab"
    }
  }, [_c("b-button", {
    staticClass: "mb-1",
    attrs: {
      variant: "danger"
    },
    on: {
      click: function click($event) {
        return _vm.showLessonModal(null);
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-plus"
  }), _vm._v("\n                                        Yeni Ekle\n                                    ")]), _vm._v(" "), _c("create-or-edit-lesson", {
    attrs: {
      "modal-id": _vm.lessonModalId,
      "lesson-id": _vm.lessonId
    },
    on: {
      "create-lesson-data": function createLessonData($event) {
        return _vm.createLessonData($event);
      },
      "update-lesson-data": function updateLessonData($event) {
        return _vm.updateLessonData($event);
      }
    }
  }), _vm._v(" "), _c("lesson-grade-matching", {
    attrs: {
      "modal-id": _vm.lessonGradeMatchingModalId,
      "lesson-id": _vm.lessonId
    },
    on: {
      "update-lesson-data": function updateLessonData($event) {
        return _vm.updateLessonData($event);
      }
    }
  }), _vm._v(" "), _c("table", {
    staticClass: "table table-striped table-hover"
  }, [_vm._m(2), _vm._v(" "), _c("tbody", _vm._l(_vm.lessons, function (lesson, i) {
    return _c("tr", {
      "class": {
        "text-danger": !lesson.status
      }
    }, [_c("td", [_vm._v(_vm._s(i + 1))]), _vm._v(" "), _c("td", [_vm._v(_vm._s(lesson.name))]), _vm._v(" "), _c("td", [lesson.status ? _c("button", {
      staticClass: "btn-outline-primary btn-sm"
    }, [_vm._v("Aktif")]) : _c("button", {
      staticClass: "btn-danger btn-sm"
    }, [_vm._v("Pasif")])]), _vm._v(" "), _c("td", [_vm._v(_vm._s(lesson.updated_at))]), _vm._v(" "), _c("td", [_c("button", {
      staticClass: "btn btn-outline-info btn-sm",
      on: {
        click: function click($event) {
          return _vm.showLessonGradeMatchingModal(lesson.id);
        }
      }
    }, [_c("i", {
      staticClass: "fa fa-edit"
    }), _vm._v(" DÃ¼zenle\n                                                ")])])]);
  }), 0)])], 1), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "siniflar",
      role: "tabpanel",
      "aria-labelledby": "pills-profile-tab"
    }
  }, [_c("b-button", {
    staticClass: "mb-1",
    attrs: {
      variant: "danger"
    },
    on: {
      click: function click($event) {
        return _vm.showGradeModal(null);
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-plus"
  }), _vm._v("\n                                        Yeni Ekle\n                                    ")]), _vm._v(" "), _c("create-or-edit-grade", {
    attrs: {
      "modal-id": _vm.gradeModalId,
      "grade-id": _vm.gradeId
    },
    on: {
      "create-grade-data": function createGradeData($event) {
        return _vm.createGradeData($event);
      },
      "update-grade-data": function updateGradeData($event) {
        return _vm.updateGradeData($event);
      }
    }
  }), _vm._v(" "), _c("table", {
    staticClass: "table table-striped table-hover"
  }, [_vm._m(3), _vm._v(" "), _c("tbody", _vm._l(_vm.grades, function (grade, i) {
    return _c("tr", {
      "class": {
        "text-danger": !grade.status
      }
    }, [_c("td", [_vm._v(_vm._s(i + 1))]), _vm._v(" "), _c("td", [_vm._v(_vm._s(grade.name))]), _vm._v(" "), _c("td", [grade.status ? _c("button", {
      staticClass: "btn-outline-primary btn-sm"
    }, [_vm._v("Aktif")]) : _c("button", {
      staticClass: "btn-danger btn-sm"
    }, [_vm._v("Pasif")])]), _vm._v(" "), _c("td", [_vm._v(_vm._s(grade.updated_at))]), _vm._v(" "), _c("td", [_c("button", {
      staticClass: "btn btn-outline-primary btn-sm",
      on: {
        click: function click($event) {
          return _vm.showGradeModal(grade.id);
        }
      }
    }, [_c("i", {
      staticClass: "fa fa-edit"
    }), _vm._v(" DÃ¼zenle\n                                                ")])])]);
  }), 0)])], 1)])])])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("YÃ¶netim")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Ayarlar")])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("ul", {
    staticClass: "nav nav-pills mb-3",
    attrs: {
      id: "pills-tab",
      role: "tablist"
    }
  }, [_c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link active",
    attrs: {
      id: "pills-home-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#dersler",
      type: "button",
      role: "tab",
      "aria-controls": "dersler",
      "aria-selected": "true"
    }
  }, [_vm._v("Dersler")])]), _vm._v(" "), _c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link",
    attrs: {
      id: "pills-profile-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#siniflar",
      type: "button",
      role: "tab",
      "aria-controls": "siniflar",
      "aria-selected": "false"
    }
  }, [_vm._v("SÄ±nÄ±flar")])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("thead", [_c("tr", [_c("th", [_vm._v("#")]), _vm._v(" "), _c("th", [_vm._v("Ders AdÄ±")]), _vm._v(" "), _c("th", [_vm._v("StatÃ¼")]), _vm._v(" "), _c("th", [_vm._v("KayÄ±t ZamanÄ±")]), _vm._v(" "), _c("th", [_vm._v("Ä°ÅŸlem")])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("thead", [_c("tr", [_c("th", [_vm._v("#")]), _vm._v(" "), _c("th", [_vm._v("SÄ±nÄ±f AdÄ±")]), _vm._v(" "), _c("th", [_vm._v("StatÃ¼")]), _vm._v(" "), _c("th", [_vm._v("KayÄ±t ZamanÄ±")]), _vm._v(" "), _c("th", [_vm._v("Ä°ÅŸlem")])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=template&amp;id=292180ba&amp;scoped=true&amp;":
/*!********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=template&amp;id=292180ba&amp;scoped=true&amp; ***!
  \********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "120px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "4",
      md: "6"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("b-form-input", {
    ref: "searchBox",
    staticClass: "d-inline-block mr-1",
    "class": {
      "is-invalid": _vm.searchQueryFail || _vm.searchQuery.trim().length &gt; 2 &amp; !_vm.metaData.total,
      "is-valid": !_vm.searchQueryFail &amp; _vm.searchQuery.trim().length &gt; 2 &amp; _vm.metaData.total &gt; 0 &amp; !_vm.isFetching &amp; !_vm.isTyping
    },
    attrs: {
      placeholder: "Arama yap"
    },
    model: {
      value: _vm.searchQuery,
      callback: function callback($$v) {
        _vm.searchQuery = $$v;
      },
      expression: "searchQuery"
    }
  })], 1)]), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    "class": {
      "is-invalid": _vm.statusFilter != null &amp; !_vm.metaData.total &amp; !_vm.isFetching &amp; !_vm.isTyping,
      "is-valid": _vm.statusFilter != null &amp; _vm.metaData.total &gt; 0 &amp; !_vm.isFetching &amp; !_vm.isTyping
    },
    staticStyle: {
      width: "30%",
      "min-width": "130px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.statusOptions,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "StatÃ¼ SeÃ§iniz"
    },
    model: {
      value: _vm.statusFilter,
      callback: function callback($$v) {
        _vm.statusFilter = $$v;
      },
      expression: "statusFilter"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transparent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(name)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          },
          on: {
            click: function click($event) {
              return _vm.showCustomerViewModal(data.item.id);
            }
          }
        }, [_c("b-link", {
          staticClass: "font-weight-bold d-block text-nowrap text-capitalize",
          on: {
            click: function click($event) {
              return _vm.showCustomerViewModal(data.item.id);
            }
          }
        }, [_vm._v("\n                                                " + _vm._s(data.item.name) + "\n                                            ")])], 1)];
      }
    }, {
      key: "cell(status)",
      fn: function fn(data) {
        return [_c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: _vm.statusVariant[data.item.status]
          }
        }, [_vm._v("\n                                            " + _vm._s(_vm.status[data.item.status]) + "\n                                        ")])];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [_c("router-link", {
          staticClass: "btn-sm btn-outline-success rounded-pill",
          attrs: {
            to: {
              name: "editUserProfile",
              params: {
                id: data.item.id,
                slug: data.item.slug
              }
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-edit"
        })]), _vm._v(" "), _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-warning"
          },
          on: {
            click: function click($event) {
              return _vm.$emit("open-messages-modal", data.item);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-envelope"
        })])], 1)];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("YÃ¶netim")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Ã–ÄŸrenciler")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=template&amp;id=304a3348&amp;scoped=true&amp;":
/*!********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=template&amp;id=304a3348&amp;scoped=true&amp; ***!
  \********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "120px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "4",
      md: "6"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("b-form-input", {
    ref: "searchBox",
    staticClass: "d-inline-block mr-1",
    "class": {
      "is-invalid": _vm.searchQueryFail || _vm.searchQuery.trim().length &gt; 2 &amp; !_vm.metaData.total,
      "is-valid": !_vm.searchQueryFail &amp; _vm.searchQuery.trim().length &gt; 2 &amp; _vm.metaData.total &gt; 0 &amp; !_vm.isFetching &amp; !_vm.isTyping
    },
    attrs: {
      placeholder: "Arama yap"
    },
    model: {
      value: _vm.searchQuery,
      callback: function callback($$v) {
        _vm.searchQuery = $$v;
      },
      expression: "searchQuery"
    }
  })], 1)]), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    "class": {
      "is-invalid": _vm.statusFilter != null &amp; !_vm.metaData.total &amp; !_vm.isFetching &amp; !_vm.isTyping,
      "is-valid": _vm.statusFilter != null &amp; _vm.metaData.total &gt; 0 &amp; !_vm.isFetching &amp; !_vm.isTyping
    },
    staticStyle: {
      width: "30%",
      "min-width": "130px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.statusOptions,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "StatÃ¼ SeÃ§iniz"
    },
    model: {
      value: _vm.statusFilter,
      callback: function callback($$v) {
        _vm.statusFilter = $$v;
      },
      expression: "statusFilter"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transparent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(name)",
      fn: function fn(data) {
        return [_c("router-link", {
          staticClass: "font-weight-bold d-block text-nowrap text-capitalize",
          attrs: {
            to: "/ogretmen/" + data.item.slug
          }
        }, [_vm._v("\n                                                " + _vm._s(data.item.name) + "\n                                            ")])];
      }
    }, {
      key: "cell(status)",
      fn: function fn(data) {
        return [_c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: _vm.statusVariant[data.item.status]
          }
        }, [_vm._v("\n                                            " + _vm._s(_vm.status[data.item.status]) + "\n                                        ")])];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [_c("router-link", {
          staticClass: "btn-sm btn-outline-success rounded-pill",
          attrs: {
            to: {
              name: "editUserProfile",
              params: {
                id: data.item.id,
                slug: data.item.slug
              }
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-edit"
        })]), _vm._v(" "), _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-warning"
          },
          on: {
            click: function click($event) {
              return _vm.$emit("open-messages-modal", data.item);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-envelope"
        })])], 1)];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("YÃ¶netim")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Ã–ÄŸretmenler")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Blog.vue?vue&amp;type=template&amp;id=7c31058d&amp;scoped=true&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Blog.vue?vue&amp;type=template&amp;id=7c31058d&amp;scoped=true&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "page__title-area page__title-height page__title-overlay d-flex align-items-center",
    staticStyle: {
      "background-image": "url('/img/page-title/page-title.jpg')"
    }
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "page__title-wrapper mt-110"
  }, [_c("h3", {
    staticClass: "page__title"
  }, [_vm._v("Blog YazÄ±larÄ±mÄ±z")]), _vm._v(" "), _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("router-link", {
    attrs: {
      to: "/"
    }
  }, [_vm._v("Okulistan")])], 1), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active",
    attrs: {
      "aria-current": "page"
    }
  }, [_vm._v("Blog")]), _vm._v(" "), _vm.$route.params.page_number ? _c("li", {
    staticClass: "breadcrumb-item active"
  }, [_vm._v(_vm._s("Sayfa " + _vm.$route.params.page_number))]) : _vm._e()])])])])])])]), _vm._v(" "), _c("section", {
    staticClass: "blog__area pt-120 pb-120"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-8 col-xl-8 col-lg-8"
  }, [_c("div", {
    staticClass: "row"
  }, [_vm._l(_vm.blogs, function (row, i) {
    return !_vm.isFetching ? _c("div", {
      staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-6"
    }, [_c("div", {
      staticClass: "blog__wrapper"
    }, [_c("div", {
      staticClass: "blog__item white-bg mb-30 transition-3 fix"
    }, [_c("div", {
      staticClass: "blog__thumb w-img fix"
    }, [_c("router-link", {
      attrs: {
        to: "/blog/" + row.slug
      }
    }, [_c("img", {
      attrs: {
        src: "/images/posts/profile_photos/" + row.photo_profile,
        alt: ""
      }
    })])], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__content"
    }, [ false ? 0 : _vm._e(), _vm._v(" "), _c("h3", {
      staticClass: "blog__title"
    }, [_c("router-link", {
      attrs: {
        to: "/blog/" + row.slug
      }
    }, [_vm._v(_vm._s(row.title))])], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__meta d-flex align-items-center justify-content-between"
    }, [_c("div", {
      staticClass: "blog__author d-flex align-items-center"
    }, [_c("div", {
      staticClass: "blog__author-thumb mr-10"
    }, [_c("img", {
      attrs: {
        src: row.user.photo_portrait,
        alt: ""
      }
    })]), _vm._v(" "), _c("div", {
      staticClass: "blog__author-info"
    }, [_c("h5", {
      staticClass: "capitalize"
    }, [_vm._v(_vm._s(row.user.name))])])]), _vm._v(" "),  false ? 0 : _vm._e()])])])])]) : _vm._e();
  }), _vm._v(" "), _vm._l(10, function (i) {
    return _vm.isFetching ? _c("div", {
      staticClass: "col-xxl-6 col-xl-6 col-lg-6 col-md-6"
    }, [_c("div", {
      staticClass: "blog__wrapper"
    }, [_c("div", {
      staticClass: "blog__item white-bg mb-30 transition-3 fix"
    }, [_c("div", {
      staticClass: "blog__thumb w-img fix"
    }, [_c("b-skeleton-img", {
      attrs: {
        aspect: "3:2"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__content"
    }, [_c("div", {
      staticClass: "blog__tag"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "55%"
      }
    })], 1), _vm._v(" "), _c("h3", {
      staticClass: "blog__title"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "85%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "55%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "70%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "40%"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__meta d-flex align-items-center justify-content-between"
    }, [_c("div", {
      staticClass: "blog__author d-flex align-items-center"
    }, [_c("div", {
      staticClass: "blog__author-thumb mr-10"
    }, [_c("b-skeleton", {
      attrs: {
        type: "avatar"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__author-info"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "120px"
      }
    })], 1)]), _vm._v(" "), _c("div", {
      staticClass: "blog__date d-flex align-items-center"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "100px"
      }
    })], 1)])])])])]) : _vm._e();
  })], 2), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "basic-pagination wow fadeInUp mt-30",
    attrs: {
      "data-wow-delay": ".2s"
    }
  }, [_c("div", {
    staticClass: "overflow-auto"
  }, [_c("b-pagination-nav", {
    attrs: {
      "link-gen": _vm.linkGen,
      "number-of-pages": Math.ceil(_vm.metaData.total / _vm.metaData.perPage),
      "use-router": ""
    }
  })], 1)])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-4 col-xl-4 col-lg-4"
  }, [_c("div", {
    staticClass: "blog__sidebar pl-70"
  }, [_c("div", {
    staticClass: "sidebar__widget mb-55"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget-content"
  }, [_c("div", {
    staticClass: "sidebar__category"
  }, [_c("ul", [_vm.user.type !== "student" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/blog/yeni"
    }
  }, [_vm._v("Blog Yaz")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type !== "student" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/yonetim/blog_yazilarim"
    }
  }, [_vm._v("YazÄ±larÄ±m")])], 1) : _vm._e()])])])]), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget mb-60"
  }, [_c("div", {
    staticClass: "sidebar__widget-content"
  }, [_c("div", {
    staticClass: "sidebar__search p-relative"
  }, [_c("form", {
    attrs: {
      action: "#"
    }
  }, [_c("input", {
    attrs: {
      type: "text",
      placeholder: "Blogda ara..."
    }
  }), _vm._v(" "), _c("button", {
    attrs: {
      type: "submit"
    }
  }, [_c("svg", {
    staticStyle: {
      "enable-background": "new 0 0 584.4 584.4"
    },
    attrs: {
      version: "1.1",
      xmlns: "http://www.w3.org/2000/svg",
      "xmlns:xlink": "http://www.w3.org/1999/xlink",
      x: "0px",
      y: "0px",
      viewBox: "0 0 584.4 584.4",
      "xml:space": "preserve"
    }
  }, [_c("g", [_c("g", [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M565.7,474.9l-61.1-61.1c-3.8-3.8-8.8-5.9-13.9-5.9c-6.3,0-12.1,3-15.9,8.3c-16.3,22.4-36,42.1-58.4,58.4    c-4.8,3.5-7.8,8.8-8.3,14.5c-0.4,5.6,1.7,11.3,5.8,15.4l61.1,61.1c12.1,12.1,28.2,18.8,45.4,18.8c17.1,0,33.3-6.7,45.4-18.8    C590.7,540.6,590.7,499.9,565.7,474.9z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st1",
    attrs: {
      d: "M254.6,509.1c140.4,0,254.5-114.2,254.5-254.5C509.1,114.2,394.9,0,254.6,0C114.2,0,0,114.2,0,254.5    C0,394.9,114.2,509.1,254.6,509.1z M254.6,76.4c98.2,0,178.1,79.9,178.1,178.1s-79.9,178.1-178.1,178.1S76.4,352.8,76.4,254.5    S156.3,76.4,254.6,76.4z"
    }
  })])])])])])])])]), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget mb-55"
  }, [_vm._m(1), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget-content"
  }, [_c("div", {
    staticClass: "rc__post-wrapper"
  }, [_vm._l(_vm.latestBlogs, function (row, i) {
    return !_vm.isFetchingLatest ? _c("div", {
      staticClass: "rc__post d-flex align-items-center"
    }, [_c("div", {
      staticClass: "rc__thumb mr-20"
    }, [_c("router-link", {
      attrs: {
        to: "blog/" + row.slug
      }
    }, [_c("img", {
      attrs: {
        src: "/images/posts/profile_photos/" + row.photo_profile,
        alt: ""
      }
    })])], 1), _vm._v(" "), _c("div", {
      staticClass: "rc__content"
    }, [_c("h6", {
      staticClass: "rc__title"
    }, [_c("router-link", {
      attrs: {
        to: "blog/" + row.slug
      }
    }, [_vm._v(_vm._s(row.title))])], 1)])]) : _vm._e();
  }), _vm._v(" "), _vm._l(4, function (i) {
    return _vm.isFetchingLatest ? _c("div", {
      staticClass: "row mb-3"
    }, [_c("div", {
      staticClass: "col-xxl-4 col-xl-4 col-lg-4"
    }, [_c("b-skeleton-img", {
      attrs: {
        aspect: "3:3"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "col-xxl-8 col-xl-8 col-lg-8"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "85%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "95%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "70%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "40%"
      }
    })], 1)]) : _vm._e();
  })], 2)])]), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget mb-55"
  }, [_vm._m(2), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget-content"
  }, [_c("div", {
    staticClass: "sidebar__category"
  }, [_c("ul", [_c("li", [_c("router-link", {
    attrs: {
      to: "/blog/dersler"
    }
  }, [_vm._v("Dersler")])], 1), _vm._v(" "), _c("li", [_c("router-link", {
    attrs: {
      to: "/blog/egitim-sistemi"
    }
  }, [_vm._v("EÄŸitim Sistemi")])], 1), _vm._v(" "), _c("li", [_c("router-link", {
    attrs: {
      to: "/blog/haber"
    }
  }, [_vm._v("Haber")])], 1), _vm._v(" "), _c("li", [_c("router-link", {
    attrs: {
      to: "/blog/basarilar"
    }
  }, [_vm._v("BaÅŸarÄ±lar")])], 1), _vm._v(" "), _c("li", [_c("router-link", {
    attrs: {
      to: "/blog/ataturk"
    }
  }, [_vm._v("AtatÃ¼rk")])], 1)])])])]), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget mb-55"
  }, [_vm._m(3), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget-content"
  }, _vm._l(_vm.blogs, function (row, i) {
    return _c("div", {
      staticClass: "sidebar__tag"
    }, _vm._l(row.tagged, function (tag, i) {
      return _c("a", {
        attrs: {
          href: "#"
        }
      }, [_vm._v(_vm._s(tag.tag_name))]);
    }), 0);
  }), 0)]), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget mb-55"
  }, [_c("div", {
    staticClass: "sidebar__banner w-img"
  }, [_c("img", {
    attrs: {
      src: "/img/blog/banner/banner-1.jpg",
      alt: ""
    }
  })])])])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sidebar__widget-head mb-15"
  }, [_c("h3", {
    staticClass: "sidebar__widget-title"
  }, [_vm._v("Bana Ã–zel")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sidebar__widget-head mb-35"
  }, [_c("h3", {
    staticClass: "sidebar__widget-title"
  }, [_vm._v("Son Bloglar")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sidebar__widget-head mb-35"
  }, [_c("h3", {
    staticClass: "sidebar__widget-title"
  }, [_vm._v("Kategoriler")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sidebar__widget-head mb-35"
  }, [_c("h3", {
    staticClass: "sidebar__widget-title"
  }, [_vm._v("Etiketler")])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogDetails.vue?vue&amp;type=template&amp;id=07b7bb25&amp;scoped=true&amp;":
/*!*****************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogDetails.vue?vue&amp;type=template&amp;id=07b7bb25&amp;scoped=true&amp; ***!
  \*****************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "page__title-area page__title-height page__title-overlay d-flex align-items-center",
    staticStyle: {
      "background-image": "url('/img/page-title/page-title.jpg')"
    }
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "page__title-wrapper"
  }, [_c("h3", {
    staticClass: "page__title"
  }, [_vm._v(_vm._s(_vm.row.title))]), _vm._v(" "), _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("router-link", {
    attrs: {
      to: "/"
    }
  }, [_vm._v("Blog")])], 1), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active",
    attrs: {
      "aria-current": "page"
    }
  }, [_vm._v(_vm._s(_vm.row.title))])])])])])])])]), _vm._v(" "), _c("section", {
    staticClass: "blog__area pt-120 pb-120"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-8 col-xl-8 col-lg-8",
    staticStyle: {
      overflow: "hidden"
    }
  }, [_c("div", {
    staticClass: "blog__wrapper"
  }, [_c("div", {
    domProps: {
      innerHTML: _vm._s("&lt;h2&gt;" + _vm.row.title + "&lt;/h2&gt;&lt;br&gt;" + _vm.row.content)
    }
  }), _vm._v(" "), _c("div", {
    staticClass: "blog__line"
  }), _vm._v(" "), _c("div", {
    staticClass: "blog__meta-3 d-sm-flex justify-content-between align-items-center mb-80"
  }, [_c("div", {
    staticClass: "blog__tag-2"
  }, _vm._l(_vm.row.tags, function (tag, i) {
    return _c("a", {
      staticClass: "mb-1",
      attrs: {
        href: "#"
      }
    }, [_vm._v(_vm._s(tag))]);
  }), 0), _vm._v(" "), _vm._m(0)]), _vm._v(" "), _c("div", {
    staticClass: "blog__author-3 d-sm-flex grey-bg mb-90"
  }, [_c("div", {
    staticClass: "blog__author-thumb-3 mr-20"
  }, [_c("img", {
    attrs: {
      src: _vm.row.user.photo_portrait,
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "blog__author-content"
  }, [_c("h4", {
    staticClass: "capitalize"
  }, [_vm._v(_vm._s(_vm.row.user.name))]), _vm._v(" "), _c("span", [_vm._v("Yazar")]), _vm._v(" "), _c("p", {
    domProps: {
      innerHTML: _vm._s(_vm.row.user.biography.content)
    }
  })])]), _vm._v(" "),  false ? 0 : _vm._e(), _vm._v(" "),  false ? 0 : _vm._e(), _vm._v(" "),  false ? 0 : _vm._e()])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-4 col-xl-4 col-lg-4"
  }, [_c("div", {
    staticClass: "blog__sidebar pl-70"
  }, [_c("div", {
    staticClass: "sidebar__widget mb-55"
  }, [_vm._m(5), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget-content"
  }, [_c("div", {
    staticClass: "rc__post-wrapper"
  }, [_vm._l(_vm.latestBlogs, function (row, i) {
    return !_vm.isFetchingLatest ? _c("div", {
      staticClass: "rc__post d-flex align-items-center"
    }, [_c("div", {
      staticClass: "rc__thumb mr-20"
    }, [_c("router-link", {
      attrs: {
        to: "/blog/" + row.slug
      }
    }, [_c("img", {
      attrs: {
        src: "/images/posts/profile_photos/" + row.photo_profile,
        alt: ""
      }
    })])], 1), _vm._v(" "), _c("div", {
      staticClass: "rc__content"
    }, [_c("h6", {
      staticClass: "rc__title"
    }, [_c("router-link", {
      attrs: {
        to: "/blog/" + row.slug
      }
    }, [_vm._v(_vm._s(row.title))])], 1)])]) : _vm._e();
  }), _vm._v(" "), _vm._l(4, function (i) {
    return _vm.isFetchingLatest ? _c("div", {
      staticClass: "row mb-3"
    }, [_c("div", {
      staticClass: "col-xxl-4 col-xl-4 col-lg-4"
    }, [_c("b-skeleton-img", {
      attrs: {
        aspect: "3:3"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "col-xxl-8 col-xl-8 col-lg-8"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "85%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "95%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "70%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "40%"
      }
    })], 1)]) : _vm._e();
  })], 2)])]), _vm._v(" "), _vm._m(6), _vm._v(" "), _vm._m(7)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "blog__social d-flex align-items-center",
    staticStyle: {
      width: "380px"
    }
  }, [_c("h4", [_vm._v("PaylaÅŸ:")]), _vm._v(" "), _c("ul", [_c("li", [_c("a", {
    staticClass: "fb",
    attrs: {
      href: "#"
    }
  }, [_c("i", {
    staticClass: "social_facebook"
  })])]), _vm._v(" "), _c("li", [_c("a", {
    staticClass: "tw",
    attrs: {
      href: "#"
    }
  }, [_c("i", {
    staticClass: "social_twitter"
  })])]), _vm._v(" "), _c("li", [_c("a", {
    staticClass: "pin",
    attrs: {
      href: "#"
    }
  }, [_c("i", {
    staticClass: "social_pinterest"
  })])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "section__title-wrapper mb-40"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("DiÄŸer "), _c("span", {
    staticClass: "yellow-bg-sm"
  }, [_vm._v("YazÄ±larÄ± "), _c("img", {
    attrs: {
      src: "assets/img/shape/yellow-bg-4.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("p", [_vm._v("Yazara ait diÄŸer yazÄ±lar")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6 col-md-6"
  }, [_c("div", {
    staticClass: "blog__item white-bg mb-30 transition-3 fix"
  }, [_c("div", {
    staticClass: "blog__thumb w-img fix"
  }, [_c("a", {
    attrs: {
      href: "blog-details.html"
    }
  }, [_c("img", {
    attrs: {
      src: "assets/img/blog/blog-1.jpg",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "blog__content"
  }, [_c("div", {
    staticClass: "blog__tag"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Art &amp; Design")])]), _vm._v(" "), _c("h3", {
    staticClass: "blog__title"
  }, [_c("a", {
    attrs: {
      href: "blog-details.html"
    }
  }, [_vm._v("The Challenge Of Global\n                                                Learning In Public Education")])]), _vm._v(" "), _c("div", {
    staticClass: "blog__meta d-flex align-items-center justify-content-between"
  }, [_c("div", {
    staticClass: "blog__author d-flex align-items-center"
  }, [_c("div", {
    staticClass: "blog__author-thumb mr-10"
  }, [_c("img", {
    attrs: {
      src: "assets/img/blog/author/author-1.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "blog__author-info"
  }, [_c("h5", [_vm._v("Jim SÃ©chen")])])]), _vm._v(" "), _c("div", {
    staticClass: "blog__date d-flex align-items-center"
  }, [_c("i", {
    staticClass: "fal fa-clock"
  }), _vm._v(" "), _c("span", [_vm._v("April 02, 2022")])])])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6 col-md-6"
  }, [_c("div", {
    staticClass: "blog__item white-bg mb-30 transition-3 fix"
  }, [_c("div", {
    staticClass: "blog__thumb w-img fix"
  }, [_c("a", {
    attrs: {
      href: "blog-details.html"
    }
  }, [_c("img", {
    attrs: {
      src: "assets/img/blog/blog-2.jpg",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "blog__content"
  }, [_c("div", {
    staticClass: "blog__tag"
  }, [_c("a", {
    staticClass: "purple",
    attrs: {
      href: "#"
    }
  }, [_vm._v("Marketing")])]), _vm._v(" "), _c("h3", {
    staticClass: "blog__title"
  }, [_c("a", {
    attrs: {
      href: "blog-details.html"
    }
  }, [_vm._v("Exactly How Technology\n                                                Can Make Reading Better")])]), _vm._v(" "), _c("div", {
    staticClass: "blog__meta d-flex align-items-center justify-content-between"
  }, [_c("div", {
    staticClass: "blog__author d-flex align-items-center"
  }, [_c("div", {
    staticClass: "blog__author-thumb mr-10"
  }, [_c("img", {
    attrs: {
      src: "assets/img/blog/author/author-2.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "blog__author-info"
  }, [_c("h5", [_vm._v("Barry Tone")])])]), _vm._v(" "), _c("div", {
    staticClass: "blog__date d-flex align-items-center"
  }, [_c("i", {
    staticClass: "fal fa-clock"
  }), _vm._v(" "), _c("span", [_vm._v("July 02, 2022")])])])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("ul", [_c("li", [_c("div", {
    staticClass: "comments-box grey-bg"
  }, [_c("div", {
    staticClass: "comments-info d-flex"
  }, [_c("div", {
    staticClass: "comments-avatar mr-20"
  }, [_c("img", {
    attrs: {
      src: "assets/img/blog/comments/comment-1.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "avatar-name"
  }, [_c("h5", [_vm._v("Eleanor Fant")]), _vm._v(" "), _c("span", {
    staticClass: "post-meta"
  }, [_vm._v(" July 14, 2022")])])]), _vm._v(" "), _c("div", {
    staticClass: "comments-text ml-65"
  }, [_c("p", [_vm._v("So I said lurgy dropped a clanger Jeffrey bugger cuppa gosh David blatant\n                                                have it, standard A bit of how's your father my lady absolutely.")]), _vm._v(" "), _c("div", {
    staticClass: "comments-replay"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Reply")])])])])]), _vm._v(" "), _c("li", {
    staticClass: "children"
  }, [_c("div", {
    staticClass: "comments-box grey-bg"
  }, [_c("div", {
    staticClass: "comments-info d-flex"
  }, [_c("div", {
    staticClass: "comments-avatar mr-20"
  }, [_c("img", {
    attrs: {
      src: "assets/img/blog/comments/comment-1.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "avatar-name"
  }, [_c("h5", [_vm._v("Dominic")]), _vm._v(" "), _c("span", {
    staticClass: "post-meta"
  }, [_vm._v("April 16, 2022 ")])])]), _vm._v(" "), _c("div", {
    staticClass: "comments-text ml-65"
  }, [_c("p", [_vm._v("David blatant have it, standard A bit of how's your father my lady\n                                                absolutely.")]), _vm._v(" "), _c("div", {
    staticClass: "comments-replay"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Reply")])])])]), _vm._v(" "), _c("ul", [_c("li", {
    staticClass: "children-2"
  }, [_c("div", {
    staticClass: "comments-box grey-bg"
  }, [_c("div", {
    staticClass: "comments-info d-flex"
  }, [_c("div", {
    staticClass: "comments-avatar mr-20"
  }, [_c("img", {
    attrs: {
      src: "assets/img/blog/comments/comment-3.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "avatar-name"
  }, [_c("h5", [_vm._v("Von Rails")]), _vm._v(" "), _c("span", {
    staticClass: "post-meta"
  }, [_vm._v("April 18, 2022 ")])])]), _vm._v(" "), _c("div", {
    staticClass: "comments-text ml-65"
  }, [_c("p", [_vm._v("He nicked it get stuffed mate spend a penny plastered.!")]), _vm._v(" "), _c("div", {
    staticClass: "comments-replay"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Reply")])])])])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("form", {
    attrs: {
      action: "#"
    }
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6"
  }, [_c("div", {
    staticClass: "blog__comment-input"
  }, [_c("input", {
    attrs: {
      type: "text",
      placeholder: "AdÄ±nÄ±z"
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6"
  }, [_c("div", {
    staticClass: "blog__comment-input"
  }, [_c("input", {
    attrs: {
      type: "email",
      placeholder: "E-mail adresiniz"
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "blog__comment-input"
  }, [_c("input", {
    attrs: {
      type: "text",
      placeholder: "Web siteniz"
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "blog__comment-input"
  }, [_c("textarea", {
    attrs: {
      placeholder: "Yorumunuz ..."
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "blog__comment-agree d-flex align-items-center mb-20"
  }, [_c("input", {
    staticClass: "e-check-input",
    attrs: {
      type: "checkbox",
      id: "e-agree"
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "e-check-label",
    attrs: {
      "for": "e-agree"
    }
  }, [_vm._v("Birdahaki sefer iÃ§in bilgilerim kaydedileceÄŸini onaylÄ±yorum.")])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "blog__comment-btn"
  }, [_c("button", {
    staticClass: "e-btn",
    attrs: {
      type: "submit"
    }
  }, [_vm._v("Kaydet")])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sidebar__widget-head mb-35"
  }, [_c("h3", {
    staticClass: "sidebar__widget-title"
  }, [_vm._v("Son Bloglar")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sidebar__widget mb-55"
  }, [_c("div", {
    staticClass: "sidebar__widget-head mb-35"
  }, [_c("h3", {
    staticClass: "sidebar__widget-title"
  }, [_vm._v("Anahtar kelimeler")])]), _vm._v(" "), _c("div", {
    staticClass: "sidebar__widget-content"
  }, [_c("div", {
    staticClass: "sidebar__tag"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Art &amp; Design")]), _vm._v(" "), _c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Course")]), _vm._v(" "), _c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Videos")]), _vm._v(" "), _c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("App")]), _vm._v(" "), _c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Education")]), _vm._v(" "), _c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Data Science")]), _vm._v(" "), _c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Machine Learning")]), _vm._v(" "), _c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Tips")])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sidebar__widget mb-55"
  }, [_c("div", {
    staticClass: "sidebar__banner w-img"
  }, [_c("img", {
    attrs: {
      src: "assets/img/blog/banner/banner-1.jpg",
      alt: ""
    }
  })])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=template&amp;id=4cd4c7ea&amp;scoped=true&amp;":
/*!*****************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=template&amp;id=4cd4c7ea&amp;scoped=true&amp; ***!
  \*****************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "120px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "4",
      md: "6"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("b-form-input", {
    ref: "searchBox",
    staticClass: "d-inline-block mr-1",
    "class": {
      "is-invalid": _vm.searchQueryFail || _vm.searchQuery.trim().length &gt; 2 &amp; !_vm.metaData.total,
      "is-valid": !_vm.searchQueryFail &amp; _vm.searchQuery.trim().length &gt; 2 &amp; _vm.metaData.total &gt; 0 &amp; !_vm.isFetching &amp; !_vm.isTyping
    },
    attrs: {
      placeholder: "Arama yap"
    },
    model: {
      value: _vm.searchQuery,
      callback: function callback($$v) {
        _vm.searchQuery = $$v;
      },
      expression: "searchQuery"
    }
  })], 1)]), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-end"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    "class": {
      "is-invalid": _vm.statusFilter != null &amp; !_vm.metaData.total &amp; !_vm.isFetching &amp; !_vm.isTyping,
      "is-valid": _vm.statusFilter != null &amp; _vm.metaData.total &gt; 0 &amp; !_vm.isFetching &amp; !_vm.isTyping
    },
    staticStyle: {
      width: "30%",
      "min-width": "170px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.statusOptions,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "StatÃ¼ SeÃ§iniz"
    },
    model: {
      value: _vm.statusFilter,
      callback: function callback($$v) {
        _vm.statusFilter = $$v;
      },
      expression: "statusFilter"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transparent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(title)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_c("router-link", {
          staticClass: "font-weight-bold d-block text-nowrap text-capitalize",
          attrs: {
            to: "../blog/" + data.item.slug
          }
        }, [_vm._v("\n                                                " + _vm._s(data.item.title) + "\n                                            ")])], 1)];
      }
    }, {
      key: "cell(status)",
      fn: function fn(data) {
        return [_c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: _vm.statusVariant[data.item.status]
          }
        }, [_vm._v("\n                                            " + _vm._s(_vm.status[data.item.status]) + "\n                                        ")])];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [_c("router-link", {
          staticClass: "btn btn-sm btn-outline-primary rounded-pill",
          attrs: {
            to: "../blog/" + data.item.slug + "/duzenle"
          }
        }, [_vm._v("\n                                                DÃ¼zenle\n                                            ")])], 1)];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Blog")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("YazÄ±larÄ±m")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=template&amp;id=67021dfa&amp;scoped=true&amp;":
/*!*************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=template&amp;id=67021dfa&amp;scoped=true&amp; ***!
  \*************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20 pb-145"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [!_vm.checking ? _c("div", [_vm.form.status &lt; 0 ? _c("div", [_vm.form.status === -1 ? _c("div", {
    staticClass: "alert alert-danger",
    attrs: {
      role: "alert"
    }
  }, [_c("h4", {
    staticClass: "alert-heading"
  }, [_vm._v("YazÄ± reddedildi!")]), _vm._v(" "), _c("p", [_vm._v(_vm._s(_vm.form.reject_reason))])]) : _vm._e(), _vm._v(" "), _vm.form.status === -2 ? _c("div", {
    staticClass: "alert alert-danger",
    attrs: {
      role: "alert"
    }
  }, [_c("h4", {
    staticClass: "alert-heading"
  }, [_vm._v("YazÄ± silindi!")]), _vm._v(" "), _c("p", [_vm._v(_vm._s(_vm.form.delete_reason))]), _vm._v(" "), _vm.user.type === "admin" ? _c("button", {
    staticClass: "btn btn-warning",
    attrs: {
      type: "button"
    },
    on: {
      click: function click($event) {
        return _vm.restorePost();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-undo"
  }), _vm._v("\n                                        YazÄ±yÄ± Silinenlerden Ã‡Ä±kar\n                                    ")]) : _vm._e()]) : _vm._e()]) : _c("div", [_vm.form.status !== 3 ? _c("b-alert", {
    attrs: {
      show: "",
      dismissible: "",
      variant: "warning"
    }
  }, [_vm._v("\n                                    YazÄ±nÄ±zÄ± yayÄ±nlamadan Ã¶nce "), _c("b", [_vm._v("Liste GÃ¶rseli")]), _vm._v(" ve "), _c("b", [_vm._v("Kapak GÃ¶rseli")]), _vm._v("ni yÃ¼klemeyi\n                                    unutmayÄ±nÄ±z.\n                                ")]) : _c("b-alert", {
    attrs: {
      show: "",
      variant: "info"
    }
  }, [_vm._v("\n                                    YazÄ±nÄ±z onay bekliyor.\n                                ")])], 1)]) : _c("div", [_vm.form.status === 3 ? _c("b-alert", {
    attrs: {
      show: "",
      variant: "warning"
    }
  }, [_vm._v("\n                                YazÄ± onayda beklemekte. LÃ¼tfen kontrol edin ve gerekli ise dÃ¼zenlemeleri yapÄ±n.\n                            ")]) : _vm._e()], 1), _vm._v(" "), _c("ul", {
    staticClass: "nav nav-pills mb-3",
    attrs: {
      id: "pills-tab",
      role: "tablist"
    }
  }, [_c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link active",
    attrs: {
      disabled: _vm.posting.content &amp;&amp; !_vm.checking,
      id: "pills-profile-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#icerik",
      type: "button",
      role: "tab",
      "aria-controls": "icerik",
      "aria-selected": "false"
    }
  }, [_vm._v("Ä°Ã§erik\n                                ")])]), _vm._v(" "), _c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link",
    attrs: {
      disabled: _vm.posting.content &amp;&amp; !_vm.checking,
      id: "pills-home-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#liste-gorseli",
      type: "button",
      role: "tab",
      "aria-controls": "liste-gorseli",
      "aria-selected": "true"
    }
  }, [_vm._v("Liste GÃ¶rseli\n                                ")])]), _vm._v(" "), _c("li", {
    staticClass: "nav-item mr-5",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link",
    attrs: {
      disabled: _vm.posting.content &amp;&amp; !_vm.checking,
      id: "pills-classes-tab",
      "data-bs-toggle": "pill",
      "data-bs-target": "#kapak-gorseli",
      type: "button",
      role: "tab",
      "aria-controls": "kapak-gorseli",
      "aria-selected": "false"
    }
  }, [_vm._v("Kapak GÃ¶rseli\n                                ")])])]), _vm._v(" "), _c("div", {
    staticClass: "tab-content",
    attrs: {
      id: "pills-tabContent"
    }
  }, [_c("div", {
    staticClass: "tab-pane fade show active",
    attrs: {
      id: "icerik",
      role: "tabpanel",
      "aria-labelledby": "pills-profile-tab"
    }
  }, [_c("b-overlay", {
    attrs: {
      show: _vm.posting.content,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [_c("b-form-group", {
    attrs: {
      id: "input-group-1",
      label: "BaÅŸlÄ±k*",
      "label-for": "title"
    }
  }, [_c("b-form-input", {
    "class": {
      "is-invalid": _vm.errors.post.title
    },
    attrs: {
      id: "title",
      type: "text",
      placeholder: "Post BaÅŸlÄ±ÄŸÄ±",
      required: "",
      disabled: _vm.disabled
    },
    model: {
      value: _vm.form.title,
      callback: function callback($$v) {
        _vm.$set(_vm.form, "title", $$v);
      },
      expression: "form.title"
    }
  }), _vm._v(" "), _vm.errors.post.title ? _c("b-form-invalid-feedback", {
    attrs: {
      id: "input-1-live-feedback"
    }
  }, [_vm._v("\n                                            BaÅŸlÄ±k en az 10 karakterden oluÅŸmalÄ±dÄ±r.\n                                        ")]) : _vm._e()], 1), _vm._v(" "), _c("b-form-group", {
    staticClass: "mt-3",
    attrs: {
      id: "input-group-2",
      label: "Ä°Ã§erik*",
      "label-for": "content"
    }
  }, [_c("vue-editor", {
    attrs: {
      disabled: _vm.disabled
    },
    model: {
      value: _vm.form.content,
      callback: function callback($$v) {
        _vm.$set(_vm.form, "content", $$v);
      },
      expression: "form.content"
    }
  }), _vm._v(" "), _vm.errors.post.content ? _c("b-form-invalid-feedback", {
    attrs: {
      id: "input-1-live-feedback"
    }
  }, [_vm._v("\n                                            Daha uzun bir iÃ§erik yazmalÄ±sÄ±nÄ±z.\n                                        ")]) : _vm._e()], 1), _vm._v(" "), _c("b-form-group", {
    staticClass: "mt-3",
    attrs: {
      label: "Anahtar Kelimeler*",
      "label-for": "tags-basic"
    }
  }, [_c("b-form-tags", {
    "class": {
      "is-invalid": _vm.errors.post.tags
    },
    attrs: {
      "input-id": "tags-basic",
      separator: " ,;",
      "remove-on-delete": "",
      "tag-variant": "primary",
      autocomplete: "off",
      placeholder: "yeni kelime",
      limit: _vm.tagLimit,
      disabled: _vm.disabled
    },
    model: {
      value: _vm.form.tags,
      callback: function callback($$v) {
        _vm.$set(_vm.form, "tags", $$v);
      },
      expression: "form.tags"
    }
  }), _vm._v(" "), _vm.errors.post.tags ? _c("b-form-invalid-feedback", {
    attrs: {
      id: "input-1-live-feedback"
    }
  }, [_vm._v("\n                                            Anahtar kelimeler yazmalÄ±sÄ±nÄ±z.\n                                        ")]) : _vm._e(), _vm._v(" "), _c("small", {
    staticClass: "form-text text-muted"
  }, [_vm._v("(virgÃ¼l, noktalÄ± virgÃ¼l ve enter tuÅŸuna\n                                            basarak kelimeler ekleyebilirsiniz)")])], 1), _vm._v(" "), !_vm.checking &amp;&amp; _vm.user.type !== "admin" ? _c("div", {
    staticClass: "mt-3",
    staticStyle: {
      overflow: "auto"
    }
  }, [_vm.form.status !== 3 ? _c("div", {
    staticClass: "mr-5",
    staticStyle: {
      "float": "left"
    }
  }, [!_vm.posting.post ? _c("button", {
    staticClass: "btn btn-primary float-right",
    attrs: {
      type: "submit",
      disabled: _vm.posting.approval
    },
    on: {
      click: function click($event) {
        return _vm.savePost();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-save"
  }), _vm._v("\n                                                TaslaÄŸÄ± Kaydet\n                                            ")]) : _c("b-button", {
    attrs: {
      variant: "secondary",
      type: "button",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v("\n                                                Kaydediliyor..\n                                            ")])], 1) : _vm._e(), _vm._v(" "), _vm.form.id &amp;&amp; _vm.form.status !== 3 ? _c("div", {
    staticStyle: {
      "float": "left"
    }
  }, [!_vm.posting.approval ? _c("button", {
    staticClass: "btn btn-success float-right",
    attrs: {
      type: "button"
    },
    on: {
      click: function click($event) {
        return _vm.sendForApproval();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-share"
  }), _vm._v("\n                                                YayÄ±nla\n                                            ")]) : _c("b-button", {
    attrs: {
      variant: "secondary",
      type: "button",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v("\n                                                Bekleyiniz..\n                                            ")])], 1) : _vm._e(), _vm._v(" "), _vm.disabled ? _c("button", {
    staticClass: "btn btn-warning float-right",
    attrs: {
      type: "button",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-clock"
  }), _vm._v("\n                                            Onay bekleniyor..\n                                        ")]) : _vm._e()]) : _c("div", [_c("hr"), _vm._v(" "), _c("b-form-group", {
    staticClass: "mt-10",
    attrs: {
      label: ""
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn(_ref) {
        var ariaDescribedby = _ref.ariaDescribedby;
        return [_vm.user.id !== _vm.form.user_id &amp;&amp; _vm.user.type === "admin" ? _c("b-form-radio-group", {
          attrs: {
            id: "btn-radios-1",
            "button-variant": "outline-success",
            options: _vm.approveOptions,
            name: "radios-btn-default",
            buttons: ""
          },
          model: {
            value: _vm.approveSelected,
            callback: function callback($$v) {
              _vm.approveSelected = $$v;
            },
            expression: "approveSelected"
          }
        }) : _vm._e()];
      }
    }])
  }), _vm._v(" "), _vm.approveSelected === 2 ? _c("b-form-group", {
    staticClass: "mt-5",
    attrs: {
      id: "input-group-4",
      label: "Red Sebebi:",
      "label-for": "input-4"
    }
  }, [_c("b-form-textarea", {
    attrs: {
      id: "textarea",
      placeholder: "Reddetme Sebebiniz...",
      rows: "3",
      "max-rows": "6"
    },
    model: {
      value: _vm.reject_reason,
      callback: function callback($$v) {
        _vm.reject_reason = $$v;
      },
      expression: "reject_reason"
    }
  }), _vm._v(" "), _vm.reject_reason &amp;&amp; _vm.minRejectReasonLength - _vm.reject_reason.trim().length &gt; 0 ? _c("small", [_vm._v("En\n                                                az\n                                                "), _c("b", [_vm._v(_vm._s(_vm.reject_reason ? _vm.minRejectReasonLength - _vm.reject_reason.trim().length : _vm.minRejectReasonLength))]), _vm._v("\n                                                karakter daha yazmalÄ±sÄ±nÄ±z")]) : _vm._e()], 1) : _vm._e(), _vm._v(" "), _vm.approveSelected === 1 ? _c("b-alert", {
    staticClass: "mt-10",
    attrs: {
      show: "",
      variant: "warning"
    }
  }, [_c("b", [_vm._v("BloÄŸu onayladÄ±ÄŸÄ±nÄ±zda")]), _vm._v(" kullanÄ±cÄ±ya e-posta gÃ¶nderilecek ve blog\n                                            yayÄ±na alÄ±nacaktÄ±r.\n                                        ")]) : _vm._e(), _vm._v(" "), !_vm.saving &amp;&amp; (_vm.approveSelected === 1 || _vm.approveSelected === 2) ? _c("b-button", {
    staticClass: "mt-10",
    attrs: {
      type: "button",
      variant: "primary",
      disabled: (_vm.reject_reason &amp;&amp; _vm.reject_reason.trim().length &lt; _vm.minRejectReasonLength || !_vm.reject_reason) &amp;&amp; _vm.approveSelected === 2
    },
    on: {
      click: function click($event) {
        return _vm.saveApprove();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-save"
  }), _vm._v(" Kaydet\n                                        ")]) : _vm._e(), _vm._v(" "), _vm.saving ? _c("b-button", {
    staticClass: "mt-10",
    attrs: {
      type: "button",
      variant: "primary",
      disabled: "disabled"
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v(" Kaydediliyor...\n                                        ")]) : _vm._e(), _vm._v(" "), _vm.user.type === "admin" &amp;&amp; _vm.form.id &amp;&amp; _vm.form.status !== -2 ? _c("div", [_c("b-button", {
    staticClass: "mt-10",
    attrs: {
      type: "button",
      variant: "danger"
    },
    on: {
      click: function click($event) {
        return _vm.deletePost();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-trash"
  }), _vm._v(" Sil\n                                            ")]), _vm._v(" "), _c("b-button", {
    staticClass: "mt-10",
    attrs: {
      type: "button",
      variant: "success"
    },
    on: {
      click: function click($event) {
        return _vm.updatePost();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-edit"
  }), _vm._v(" GÃ¼ncelle\n                                            ")])], 1) : _vm._e()], 1)], 1)], 1), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "liste-gorseli",
      role: "tabpanel",
      "aria-labelledby": "pills-profile-tab"
    }
  }, [_vm.form.id ? _c("div", [_vm.form.status !== 3 || _vm.checking || _vm.user.type === "admin" ? _c("div", {
    staticClass: "teacher__details-thumb p-relative w-img"
  }, [_c("croppa", {
    attrs: {
      placeholder: "YazÄ± iÃ§in liste fotoÄŸrafÄ± seÃ§in ve dÃ¼zenleyin",
      "canvas-color": "transparent",
      "file-size-limit": 10485760,
      "prevent-white-space": true,
      "initial-image": _vm.profile_image,
      "placeholder-font-size": 18,
      width: "400",
      height: "280",
      disabled: _vm.disabled
    },
    on: {
      "file-type-mismatch": _vm.onFileTypeMismatch,
      "file-size-exceed": _vm.onFileSizeExceed
    },
    model: {
      value: _vm.profileCroppa,
      callback: function callback($$v) {
        _vm.profileCroppa = $$v;
      },
      expression: "profileCroppa"
    }
  }), _vm._v(" "), _c("br"), _vm._v(" "), !_vm.uploadingProfilePhoto ? _c("button", {
    staticClass: "btn btn-primary btn-sm mt-2",
    attrs: {
      disabled: _vm.disabled
    },
    on: {
      click: function click($event) {
        return _vm.uploadProfilePhoto();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-upload"
  }), _vm._v(" YÃ¼kle\n                                        ")]) : _c("button", {
    staticClass: "btn btn-primary btn-sm mt-2",
    attrs: {
      disabled: ""
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v(" YÃ¼kleniyor\n                                        ")])], 1) : _c("div", {
    staticClass: "teacher__details-thumb p-relative w-img"
  }, [_c("img", {
    staticStyle: {
      width: "320px"
    },
    attrs: {
      src: _vm.profile_image,
      alt: ""
    }
  })])]) : _c("div", [_c("b-alert", {
    attrs: {
      variant: "warning",
      show: ""
    }
  }, [_c("b", [_vm._v("YazÄ±yÄ± taslak olarak kaydettikten sonra fotoÄŸraf yÃ¼kleyebilirsiniz.")])])], 1)]), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "kapak-gorseli",
      role: "tabpanel",
      "aria-labelledby": "pills-profile-tab"
    }
  }, [_vm.form.id ? _c("div", [_vm.form.status !== 3 || _vm.checking || _vm.user.type === "admin" ? _c("div", {
    staticClass: "teacher__details-thumb p-relative w-img"
  }, [_c("croppa", {
    attrs: {
      placeholder: "YazÄ± iÃ§in kapak fotoÄŸrafÄ± seÃ§in ve dÃ¼zenleyin",
      "canvas-color": "transparent",
      "file-size-limit": 10485760,
      "prevent-white-space": true,
      "initial-image": _vm.cover_image,
      "placeholder-font-size": 18,
      width: "1080",
      height: "320",
      disabled: _vm.disabled
    },
    on: {
      "file-type-mismatch": _vm.onFileTypeMismatch,
      "file-size-exceed": _vm.onFileSizeExceed
    },
    model: {
      value: _vm.coverCroppa,
      callback: function callback($$v) {
        _vm.coverCroppa = $$v;
      },
      expression: "coverCroppa"
    }
  }), _vm._v(" "), _c("br"), _vm._v(" "), !_vm.uploadingCoverPhoto ? _c("button", {
    staticClass: "btn btn-primary btn-sm mt-2",
    attrs: {
      disabled: _vm.disabled
    },
    on: {
      click: function click($event) {
        return _vm.uploadCoverPhoto();
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-upload"
  }), _vm._v(" YÃ¼kle\n                                        ")]) : _c("button", {
    staticClass: "btn btn-primary btn-sm mt-2",
    attrs: {
      disabled: ""
    }
  }, [_c("i", {
    staticClass: "fa fa-spinner fa-spin"
  }), _vm._v(" YÃ¼kleniyor\n                                        ")])], 1) : _c("div", {
    staticClass: "teacher__details-thumb p-relative w-img"
  }, [_c("img", {
    staticStyle: {
      width: "1080px"
    },
    attrs: {
      src: _vm.cover_image,
      alt: ""
    }
  })])]) : _c("div", [_c("b-alert", {
    attrs: {
      variant: "warning",
      show: ""
    }
  }, [_c("b", [_vm._v("YazÄ±yÄ± taslak olarak kaydettikten sonra fotoÄŸraf yÃ¼kleyebilirsiniz.")])])], 1)])])])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Blog")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active"
  }, [_vm._v("Yeni Blog")])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=template&amp;id=476406a6&amp;scoped=true&amp;":
/*!********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=template&amp;id=476406a6&amp;scoped=true&amp; ***!
  \********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transprent",
      blur: "2px"
    }
  }, [_c("div", {
    staticClass: "col-6 m-0"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-8"
  }, [_c("label", {
    staticClass: "sr-only",
    attrs: {
      "for": "inline-form-input-name"
    }
  }, [_vm._v("Name")]), _vm._v(" "), _c("b-form-input", {
    staticClass: "mb-2 mr-sm-2 mb-sm-0",
    attrs: {
      id: "inline-form-input-name",
      placeholder: "Ã–ÄŸrencinin e-mail adresi"
    },
    model: {
      value: _vm.email,
      callback: function callback($$v) {
        _vm.email = $$v;
      },
      expression: "email"
    }
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "col-4"
  }, [!_vm.isFetching ? _c("b-button", {
    attrs: {
      type: "button",
      variant: "primary"
    },
    on: {
      click: _vm.fetch
    }
  }, [_vm._v("Bul")]) : _c("b-button", {
    attrs: {
      type: "button",
      variant: "primary",
      disabled: ""
    }
  }, [_vm._v("KullanÄ±cÄ± AranÄ±yor..")])], 1)]), _vm._v(" "), _vm.student.name ? _c("div", {
    staticClass: "mt-10"
  }, [_c("b-card", {
    staticClass: "mb-2",
    staticStyle: {
      "max-width": "20rem"
    },
    attrs: {
      title: _vm.student.name,
      tag: "article"
    }
  }, [_c("b-card-text", [_vm._v("\n                                                " + _vm._s(_vm.student.email) + "\n                                                "), _c("br"), _vm._v("\n                                                " + _vm._s(_vm.student.phone) + "\n                                            ")]), _vm._v(" "), _vm._l(_vm.lessons, function (lesson) {
    return _c("b-button", {
      key: lesson.id,
      staticClass: "m-1 ml-0",
      attrs: {
        href: "#",
        variant: "primary"
      },
      on: {
        click: function click($event) {
          return _vm.lessonRequest(_vm.student, _vm.user, lesson.lesson);
        }
      }
    }, [_vm._v(_vm._s(lesson.lesson.name))]);
  })], 2)], 1) : _c("div", {
    staticClass: "mt-15"
  }, [_c("b-alert", {
    attrs: {
      show: "",
      variant: "info",
      dismissible: ""
    }
  }, [_vm._v("\n                                            E-mail ile kullanÄ±cÄ± arayÄ±nÄ±z.\n                                        ")])], 1)])])], 1)])])])])]), _vm._v(" "), _vm.requestModal ? _c("b-modal", {
    attrs: {
      title: "Ders Rezerve Edin"
    },
    scopedSlots: _vm._u([{
      key: "modal-footer",
      fn: function fn() {
        return [_c("div", {
          staticClass: "w-100",
          staticStyle: {
            "text-align": "right"
          }
        }, [!_vm.requestPosting ? _c("b-button", {
          staticClass: "mr-2",
          attrs: {
            variant: "primary"
          },
          on: {
            click: _vm.requestLesson
          }
        }, [_vm._v("\n                    Rezerve Et\n                ")]) : _c("b-button", {
          staticClass: "mr-2",
          attrs: {
            variant: "primary",
            disabled: ""
          }
        }, [_c("b-spinner", {
          attrs: {
            small: "",
            type: "grow",
            variant: "light"
          }
        }), _vm._v("\n                    Kaydediliyor..\n                ")], 1)], 1)];
      },
      proxy: true
    }], null, false, 1300109683),
    model: {
      value: _vm.requestModal,
      callback: function callback($$v) {
        _vm.requestModal = $$v;
      },
      expression: "requestModal"
    }
  }, [_c("div", {
    staticClass: "rc__post d-flex align-items-center",
    staticStyle: {
      "margin-bottom": "0px"
    }
  }, [_c("div", {
    staticClass: "rc__thumb mr-20"
  }, [_c("img", {
    staticStyle: {
      width: "125px",
      height: "125px"
    },
    attrs: {
      src: _vm.student.photo_portrait,
      alt: "user image not found"
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "rc__content"
  }, [_c("h5", [_vm._v(_vm._s(_vm.lesson.name))]), _vm._v(" "), _c("div", {
    staticClass: "rc__meta"
  }, [_c("span", [_vm._v(_vm._s(_vm.student.name))])]), _vm._v(" "), _c("h5")])]), _vm._v(" "), _c("b-form-group", {
    attrs: {
      label: "Seviye SeÃ§imi"
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn(_ref) {
        var ariaDescribedby = _ref.ariaDescribedby;
        return _vm._l(_vm.lessonPrices, function (price, i) {
          return _c("b-form-radio", {
            key: price.grade_id,
            attrs: {
              "aria-describedby": ariaDescribedby,
              value: price.grade_id,
              name: "some-radios",
              checked: i == 0
            },
            model: {
              value: _vm.requestData.grade_id,
              callback: function callback($$v) {
                _vm.$set(_vm.requestData, "grade_id", $$v);
              },
              expression: "requestData.grade_id"
            }
          }, [_vm._v(_vm._s(price.grade.name))]);
        });
      }
    }], null, false, 3677328786)
  }), _vm._v(" "), _c("b-form", [_c("b-overlay", {
    attrs: {
      show: _vm.requestPosting,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [_c("b-form-group", {
    attrs: {
      id: "input-group-1",
      label: "Ders gÃ¼nÃ¼:",
      "label-for": "input-1"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "input-1",
      type: "date",
      min: _vm.minDay,
      max: _vm.maxDay,
      placeholder: "Ders gÃ¼nÃ¼"
    },
    model: {
      value: _vm.requestData.date,
      callback: function callback($$v) {
        _vm.$set(_vm.requestData, "date", $$v);
      },
      expression: "requestData.date"
    }
  })], 1), _vm._v(" "), _vm.fetchingHours ? _c("div", {
    staticStyle: {
      "text-align": "center"
    }
  }, [_c("b-spinner", {
    staticClass: "m-2",
    attrs: {
      type: "grow",
      variant: "primary"
    }
  }), _vm._v(" "), _c("br"), _vm._v("Saatler getiriliyor..\n                ")], 1) : _c("div", {
    staticClass: "mt-2",
    staticStyle: {
      clear: "both"
    }
  }, [_vm.requestData.date &amp;&amp; _vm.isObjectEmpty(_vm.availableHours) ? _c("div", {
    attrs: {
      id: "not_available_hours"
    }
  }, [_c("div", {
    staticClass: "alert alert-danger",
    attrs: {
      role: "alert"
    }
  }, [_vm._v("\n                            Bu tarihte mÃ¼sait saat bulunmamaktadÄ±r.\n                        ")])]) : _vm._e(), _vm._v(" "), _vm.requestData.date &amp;&amp; _vm.availableHours ? _c("b-form-group", {
    attrs: {
      id: "input-group-1",
      label: "MÃ¼sait saatler:",
      "label-for": "input-1"
    }
  }, [_c("div", {
    attrs: {
      id: "available_hours"
    }
  }, _vm._l(_vm.availableHours, function (hour, s) {
    return _c("div", {
      staticStyle: {
        "float": "left",
        "margin-right": "2px",
        "margin-bottom": "2px"
      }
    }, [_c("input", {
      directives: [{
        name: "model",
        rawName: "v-model",
        value: _vm.requestData.selected_hours,
        expression: "requestData.selected_hours"
      }],
      staticClass: "btn-check",
      attrs: {
        type: "checkbox",
        id: s,
        autocomplete: "off"
      },
      domProps: {
        value: parseInt(s),
        checked: Array.isArray(_vm.requestData.selected_hours) ? _vm._i(_vm.requestData.selected_hours, parseInt(s)) &gt; -1 : _vm.requestData.selected_hours
      },
      on: {
        change: function change($event) {
          var $$a = _vm.requestData.selected_hours,
            $$el = $event.target,
            $$c = $$el.checked ? true : false;
          if (Array.isArray($$a)) {
            var $$v = parseInt(s),
              $$i = _vm._i($$a, $$v);
            if ($$el.checked) {
              $$i &lt; 0 &amp;&amp; _vm.$set(_vm.requestData, "selected_hours", $$a.concat([$$v]));
            } else {
              $$i &gt; -1 &amp;&amp; _vm.$set(_vm.requestData, "selected_hours", $$a.slice(0, $$i).concat($$a.slice($$i + 1)));
            }
          } else {
            _vm.$set(_vm.requestData, "selected_hours", $$c);
          }
        }
      }
    }), _vm._v(" "), _c("label", {
      staticClass: "btn btn-outline-primary btn-sm p-0",
      staticStyle: {
        width: "49px",
        "font-size": "13px"
      },
      attrs: {
        "for": s
      }
    }, [_vm._v(_vm._s(hour))])]);
  }), 0)]) : _vm._e(), _vm._v(" "), _c("div", {
    staticStyle: {
      clear: "both"
    }
  }, [_c("b-form-group", {
    attrs: {
      id: "input-group-1",
      label: "AÃ§Ä±klama:",
      "label-for": "input-1"
    }
  }, [_c("b-form-textarea", {
    attrs: {
      id: "textarea",
      placeholder: "Rezervasyonunuz ile ilgili bir aÃ§Ä±klama giriniz...",
      rows: "3",
      "max-rows": "6",
      maxlength: "250"
    },
    model: {
      value: _vm.requestData.description,
      callback: function callback($$v) {
        _vm.$set(_vm.requestData, "description", $$v);
      },
      expression: "requestData.description"
    }
  })], 1)], 1)], 1)], 1)], 1)], 1) : _vm._e()], 1);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Okulistan")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v(" Ders rezreve et")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Components/StarRating.vue?vue&amp;type=template&amp;id=31d90c26&amp;":
/*!***************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Components/StarRating.vue?vue&amp;type=template&amp;id=31d90c26&amp; ***!
  \***************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "d-flex"
  }, [_vm.rating &gt; 0 ? _c("ul", {
    "class": _vm.alignment === "center" ? "m-auto" : _vm.alignment === "left" ? "ms-0" : "me-0"
  }, _vm._l(_vm.stars, function (star, index) {
    return _c("li", {
      key: index
    }, [_c("a", {
      attrs: {
        href: "#"
      }
    }, [_c("i", {
      "class": _vm.getStarClass(star)
    })])]);
  }), 0) : _vm._e(), _vm._v(" "), _vm.ratingCount &gt; 0 ? _c("p", [_vm._v("\n        " + _vm._s(_vm.rating.toFixed(1)) + "\n        "), _c("span", {
    staticStyle: {
      "font-weight": "normal"
    }
  }, [_vm._v("(" + _vm._s(_vm.ratingCount) + ")")])]) : _vm._e()]);
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Contact.vue?vue&amp;type=template&amp;id=4c2584f6&amp;scoped=true&amp;":
/*!*************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Contact.vue?vue&amp;type=template&amp;id=4c2584f6&amp;scoped=true&amp; ***!
  \*************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "page__title-area page__title-height page__title-overlay d-flex align-items-center",
    staticStyle: {
      "background-image": "url('/img/page-title/page-title.jpg')"
    }
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "page__title-wrapper mt-110"
  }, [_c("h3", {
    staticClass: "page__title"
  }, [_vm._v("Ä°letiÅŸim")]), _vm._v(" "), _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("router-link", {
    attrs: {
      to: "/"
    }
  }, [_vm._v("Okulistan")])], 1), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active",
    attrs: {
      "aria-current": "page"
    }
  }, [_vm._v("Ä°letiÅŸim")])])])])])])])]), _vm._v(" "), _c("section", {
    staticClass: "contact__area pt-115 pb-120"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-7 col-xl-7 col-lg-6"
  }, [_c("div", {
    staticClass: "contact__wrapper"
  }, [_c("div", {
    staticClass: "section__title-wrapper mb-40"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Ä°letiÅŸime "), _c("span", {
    staticClass: "yellow-bg yellow-bg-big"
  }, [_vm._v("geÃ§in"), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("p", [_vm._v("Bir sorunuz mu var veya sadece merhaba demek mi istiyorsunuz? Sizleri bekliyoruz.")])]), _vm._v(" "), _c("div", {
    staticClass: "contact__form"
  }, [_c("form", {
    attrs: {
      action: "?"
    }
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-md-6"
  }, [_c("div", {
    staticClass: "contact__form-input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.formData.name,
      expression: "formData.name"
    }],
    attrs: {
      type: "text",
      placeholder: "AdÄ±nÄ±z",
      disabled: _vm.isLoggedIn
    },
    domProps: {
      value: _vm.formData.name
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.formData, "name", $event.target.value);
      }
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-md-6"
  }, [_c("div", {
    staticClass: "contact__form-input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.formData.email,
      expression: "formData.email"
    }],
    attrs: {
      type: "email",
      placeholder: "E-posta adresiniz",
      disabled: _vm.isLoggedIn
    },
    domProps: {
      value: _vm.formData.email
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.formData, "email", $event.target.value);
      }
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "contact__form-input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.formData.subject,
      expression: "formData.subject"
    }],
    attrs: {
      type: "text",
      placeholder: "Konu",
      maxlength: "255"
    },
    domProps: {
      value: _vm.formData.subject
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.formData, "subject", $event.target.value);
      }
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "contact__form-input"
  }, [_c("textarea", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.formData.message,
      expression: "formData.message"
    }],
    attrs: {
      placeholder: "MesajÄ±nÄ±z",
      maxlength: "1000"
    },
    domProps: {
      value: _vm.formData.message
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.formData, "message", $event.target.value);
      }
    }
  })])]), _vm._v(" "), _vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "contact__btn"
  }, [!_vm.posting ? _c("button", {
    staticClass: "e-btn btn-primary",
    attrs: {
      type: "button"
    },
    on: {
      click: function click($event) {
        return _vm.sendMessage();
      }
    }
  }, [_vm._v("GÃ¶nder")]) : _c("button", {
    staticClass: "e-btn",
    attrs: {
      type: "button",
      disabled: ""
    }
  }, [_vm._v("GÃ¶nderiliyor..")])])])])])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-4 offset-xxl-1 col-xl-4 offset-xl-1 col-lg-5 offset-lg-1"
  }, [_c("div", {
    staticClass: "contact__info white-bg p-relative z-index-1"
  }, [_vm._m(1), _vm._v(" "), _c("div", {
    staticClass: "contact__info-inner white-bg"
  }, [_c("ul", [_c("li", [_c("div", {
    staticClass: "contact__info-item d-flex align-items-start mb-35"
  }, [_c("div", {
    staticClass: "contact__info-icon mr-15"
  }, [_c("svg", {
    staticClass: "mail",
    attrs: {
      viewBox: "0 0 24 24"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M4,4h16c1.1,0,2,0.9,2,2v12c0,1.1-0.9,2-2,2H4c-1.1,0-2-0.9-2-2V6C2,4.9,2.9,4,4,4z"
    }
  }), _vm._v(" "), _c("polyline", {
    staticClass: "st0",
    attrs: {
      points: "22,6 12,13 2,6 "
    }
  })])]), _vm._v(" "), _vm._m(2)])]), _vm._v(" "), _c("li", [_c("div", {
    staticClass: "contact__info-item d-flex align-items-start mb-35"
  }, [_c("div", {
    staticClass: "contact__info-icon mr-15"
  }, [_c("svg", {
    staticClass: "call",
    attrs: {
      viewBox: "0 0 24 24"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M22,16.9v3c0,1.1-0.9,2-2,2c-0.1,0-0.1,0-0.2,0c-3.1-0.3-6-1.4-8.6-3.1c-2.4-1.5-4.5-3.6-6-6  c-1.7-2.6-2.7-5.6-3.1-8.7C2,3.1,2.8,2.1,3.9,2C4,2,4.1,2,4.1,2h3c1,0,1.9,0.7,2,1.7c0.1,1,0.4,1.9,0.7,2.8c0.3,0.7,0.1,1.6-0.4,2.1  L8.1,9.9c1.4,2.5,3.5,4.6,6,6l1.3-1.3c0.6-0.5,1.4-0.7,2.1-0.4c0.9,0.3,1.8,0.6,2.8,0.7C21.3,15,22,15.9,22,16.9z"
    }
  })])]), _vm._v(" "), _vm._m(3)])])]), _vm._v(" "), _vm._m(4)])])])])])]), _vm._v(" "), _c("section", {
    staticClass: "contact__area grey-bg-2 pt-120 pb-90 p-relative fix"
  }, [_vm._m(5), _vm._v(" "), _c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-5 offset-xxl-1 col-xl-5 offset-xl-1 col-lg-5 offset-lg-1 col-md-6"
  }, [_c("div", {
    staticClass: "contact__item text-center mb-30 transition-3 white-bg"
  }, [_c("div", {
    staticClass: "contact__icon d-flex justify-content-center align-items-end"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 24 24"
    }
  }, [_c("circle", {
    staticClass: "st0",
    attrs: {
      cx: "12",
      cy: "12",
      r: "10"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M8,14c0,0,1.5,2,4,2s4-2,4-2"
    }
  }), _vm._v(" "), _c("line", {
    staticClass: "st0",
    attrs: {
      x1: "9",
      y1: "9",
      x2: "9",
      y2: "9"
    }
  }), _vm._v(" "), _c("line", {
    staticClass: "st0",
    attrs: {
      x1: "15",
      y1: "9",
      x2: "15",
      y2: "9"
    }
  })])]), _vm._v(" "), _vm._m(6)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-5 col-xl-5 col-lg-5 col-md-6"
  }, [_c("div", {
    staticClass: "contact__item text-center mb-30 transition-3 white-bg"
  }, [_c("div", {
    staticClass: "contact__icon d-flex justify-content-center align-items-end"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 24 24"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M21,10.8c0,1.3-0.3,2.6-0.9,3.8c-1.4,2.9-4.4,4.7-7.6,4.7c-1.3,0-2.6-0.3-3.8-0.9L3,20.3l1.9-5.7  C4.3,13.4,4,12.1,4,10.8c0-3.2,1.8-6.2,4.7-7.6c1.2-0.6,2.5-0.9,3.8-0.9H13c4.3,0.2,7.8,3.7,8,8V10.8z"
    }
  }), _vm._v(" "), _c("g", [_c("circle", {
    staticClass: "st1",
    attrs: {
      cx: "9.3",
      cy: "10.5",
      r: "0.5"
    }
  }), _vm._v(" "), _c("circle", {
    staticClass: "st1",
    attrs: {
      cx: "12.5",
      cy: "10.5",
      r: "0.5"
    }
  }), _vm._v(" "), _c("circle", {
    staticClass: "st1",
    attrs: {
      cx: "15.7",
      cy: "10.5",
      r: "0.5"
    }
  })])])]), _vm._v(" "), _vm._m(7)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "col-xxl-12 mb-15"
  }, [_c("div", {
    staticClass: "g-recaptcha",
    attrs: {
      "data-sitekey": "6LeHIeAoAAAAADuH6FztAXHyDluqy7CoiUdN-jg4"
    }
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "contact__shape"
  }, [_c("img", {
    staticClass: "contact-shape-1",
    attrs: {
      src: "/img/contact/contact-shape-1.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "contact-shape-2",
    attrs: {
      src: "/img/contact/contact-shape-2.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "contact-shape-3",
    attrs: {
      src: "/img/contact/contact-shape-3.png",
      alt: ""
    }
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "contact__info-text"
  }, [_c("h4", [_vm._v("Direkt e-mail gÃ¶nderin")]), _vm._v(" "), _c("p", [_c("a", {
    attrs: {
      href: "/cdn-cgi/l/email-protection#c7b4b2b7b7a8b5b387a2a3b2a4a6abe9a4a8aa"
    }
  }, [_c("span", {
    staticClass: "__cf_email__",
    attrs: {
      "data-cfemail": "45363035352a3731052021302624296b262a28"
    }
  }, [_vm._v("[emailÂ&nbsp;protected]")])])]), _vm._v(" "), _c("p", [_c("a", {
    attrs: {
      href: "/cdn-cgi/l/email-protection#5f363139301f3a3b2a3c3e33713c3032"
    }
  }, [_c("span", {
    staticClass: "__cf_email__",
    attrs: {
      "data-cfemail": "5a33343c351a3f3e2f393b3674393537"
    }
  }, [_vm._v("[emailÂ&nbsp;protected]")])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "contact__info-text"
  }, [_c("h4", [_vm._v("Telefon")]), _vm._v(" "), _c("p", [_c("a", {
    attrs: {
      href: "tel:+(426)-742-26-44"
    }
  }, [_vm._v("+(426) 742 26 44")])]), _vm._v(" "), _c("p", [_c("a", {
    attrs: {
      href: "tel:+(224)-762-442-32"
    }
  }, [_vm._v("+(224) 762 442 32")])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "contact__social pl-30"
  }, [_c("h4", [_vm._v("Bizi takip edin")]), _vm._v(" "), _c("ul", [_c("li", [_c("a", {
    staticClass: "fb",
    attrs: {
      href: "#"
    }
  }, [_c("i", {
    staticClass: "social_facebook"
  })])]), _vm._v(" "), _c("li", [_c("a", {
    staticClass: "tw",
    attrs: {
      href: "#"
    }
  }, [_c("i", {
    staticClass: "social_twitter"
  })])]), _vm._v(" "), _c("li", [_c("a", {
    staticClass: "pin",
    attrs: {
      href: "#"
    }
  }, [_c("i", {
    staticClass: "social_pinterest"
  })])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "contact__shape"
  }, [_c("img", {
    staticClass: "contact-shape-5",
    attrs: {
      src: "/img/contact/contact-shape-5.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "contact-shape-4",
    attrs: {
      src: "/img/contact/contact-shape-4.png",
      alt: ""
    }
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "contact__content"
  }, [_c("h3", {
    staticClass: "contact__title"
  }, [_vm._v("Bilgi TopluluÄŸu")]), _vm._v(" "), _c("p", [_vm._v("My good sir plastered cuppa barney cobblers mush argy bargy ruddy.")]), _vm._v(" "), _c("a", {
    staticClass: "e-btn e-btn-border",
    attrs: {
      href: "contact.html"
    }
  }, [_vm._v("Visit Documentation")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "contact__content"
  }, [_c("h3", {
    staticClass: "contact__title"
  }, [_vm._v("Online Destek")]), _vm._v(" "), _c("p", [_vm._v("My good sir plastered cuppa barney cobblers mush argy bargy ruddy.")]), _vm._v(" "), _c("a", {
    staticClass: "e-btn e-btn-border",
    attrs: {
      href: "contact.html"
    }
  }, [_vm._v("Send a Ticket")])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Courses.vue?vue&amp;type=template&amp;id=58d49dc6&amp;scoped=true&amp;":
/*!*************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Courses.vue?vue&amp;type=template&amp;id=58d49dc6&amp;scoped=true&amp; ***!
  \*************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
function _defineProperty(obj, key, value) { key = _toPropertyKey(key); if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
function _toPropertyKey(arg) { var key = _toPrimitive(arg, "string"); return _typeof(key) === "symbol" ? key : String(key); }
function _toPrimitive(input, hint) { if (_typeof(input) !== "object" || input === null) return input; var prim = input[Symbol.toPrimitive]; if (prim !== undefined) { var res = prim.call(input, hint || "default"); if (_typeof(res) !== "object") return res; throw new TypeError("@@toPrimitive must return a primitive value."); } return (hint === "string" ? String : Number)(input); }
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "page__title-area page__title-height page__title-overlay d-flex align-items-center",
    staticStyle: {
      "background-image": "url('/img/page-title/page-title.jpg')"
    }
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "page__title-wrapper mt-110"
  }, [_c("h3", {
    staticClass: "page__title"
  }, [_vm._v("Dersler")]), _vm._v(" "), _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("router-link", {
    attrs: {
      to: "/"
    }
  }, [_vm._v("Okulistan")])], 1), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active",
    attrs: {
      "aria-current": "page"
    }
  }, [_vm._v("Dersler")]), _vm._v(" "), _vm.$route.params.page_number ? _c("li", {
    staticClass: "breadcrumb-item active"
  }, [_vm._v("\n                                    " + _vm._s("Sayfa " + _vm.$route.params.page_number) + "\n                                ")]) : _vm._e()])])])])])])]), _vm._v(" "), _c("section", {
    staticClass: "course__area pt-60 pb-120"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "course__tab-inner grey-bg-2 mb-50"
  }, [_c("div", {
    staticClass: "row align-items-center"
  }, [_c("div", {
    staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-4 col-sm-4"
  }, [_c("div", {
    staticClass: "course__tab-wrapper d-flex align-items-center"
  }, [_c("div", {
    staticClass: "course__tab-btn"
  }, [_c("ul", {
    staticClass: "nav nav-tabs",
    attrs: {
      id: "courseTab",
      role: "tablist"
    }
  }, [_c("li", {
    staticClass: "nav-item",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link active",
    attrs: {
      id: "grid-tab",
      "data-bs-toggle": "tab",
      "data-bs-target": "#grid",
      type: "button",
      role: "tab",
      "aria-controls": "grid",
      "aria-selected": "true"
    }
  }, [_c("svg", {
    staticClass: "grid",
    attrs: {
      viewBox: "0 0 24 24"
    }
  }, [_c("rect", {
    staticClass: "st0",
    attrs: {
      x: "3",
      y: "3",
      width: "7",
      height: "7"
    }
  }), _vm._v(" "), _c("rect", {
    staticClass: "st0",
    attrs: {
      x: "14",
      y: "3",
      width: "7",
      height: "7"
    }
  }), _vm._v(" "), _c("rect", {
    staticClass: "st0",
    attrs: {
      x: "14",
      y: "14",
      width: "7",
      height: "7"
    }
  }), _vm._v(" "), _c("rect", {
    staticClass: "st0",
    attrs: {
      x: "3",
      y: "14",
      width: "7",
      height: "7"
    }
  })])])]), _vm._v(" "), _c("li", {
    staticClass: "nav-item",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link list",
    attrs: {
      id: "list-tab",
      "data-bs-toggle": "tab",
      "data-bs-target": "#list",
      type: "button",
      role: "tab",
      "aria-controls": "list",
      "aria-selected": "false"
    }
  }, [_c("svg", {
    staticClass: "list",
    attrs: {
      viewBox: "0 0 512 512"
    }
  }, [_c("g", {
    attrs: {
      id: "Layer_2_1_"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M448,69H192c-17.7,0-32,13.9-32,31s14.3,31,32,31h256c17.7,0,32-13.9,32-31S465.7,69,448,69z"
    }
  }), _vm._v(" "), _c("circle", {
    staticClass: "st0",
    attrs: {
      cx: "64",
      cy: "100",
      r: "31"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M448,225H192c-17.7,0-32,13.9-32,31s14.3,31,32,31h256c17.7,0,32-13.9,32-31S465.7,225,448,225z"
    }
  }), _vm._v(" "), _c("circle", {
    staticClass: "st0",
    attrs: {
      cx: "64",
      cy: "256",
      r: "31"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M448,381H192c-17.7,0-32,13.9-32,31s14.3,31,32,31h256c17.7,0,32-13.9,32-31S465.7,381,448,381z"
    }
  }), _vm._v(" "), _c("circle", {
    staticClass: "st0",
    attrs: {
      cx: "64",
      cy: "412",
      r: "31"
    }
  })])])])])])]), _vm._v(" "), _c("div", {
    staticClass: "course__view"
  }, [!_vm.isFetching ? _c("h4", [_vm.searchKey &amp;&amp; _vm.metaData.total &gt; 0 ? _c("span", [_c("b", [_vm._v('"' + _vm._s(_vm.searchKey) + '"')]), _vm._v(" aramasÄ±nda bulunan"), _c("br")]) : _vm._e(), _vm._v(" "), _vm.metaData.total &gt; 0 ? _c("span", [_vm._v(_vm._s(_vm.metaData.total) + " dersten " + _vm._s(_vm.metaData.from) + " ile " + _vm._s(_vm.metaData.to) + " arasÄ± gÃ¶steriliyor")]) : _c("span", [_vm._v("SonuÃ§ bulunamadÄ±.")])]) : _c("h4", [_vm._v("Dersler yÃ¼kleniyor...")])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-8 col-xl-8 col-lg-8 col-md-8 col-sm-8"
  }, [_c("div", {
    staticClass: "course__sort d-flex justify-content-sm-end"
  }, [!_vm.searchKey ? _c("div", {
    staticClass: "course__sort-inner"
  }, [_c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.filter.grade_id,
      expression: "filter.grade_id"
    }],
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.filter, "grade_id", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, [_c("option", {
    attrs: {
      value: ""
    }
  }, [_vm._v("TÃ¼m Seviyeler")]), _vm._v(" "), _vm._l(_vm.grades, function (grade, i) {
    return _c("option", {
      domProps: {
        value: grade.id
      }
    }, [_vm._v(_vm._s(grade.name) + "\n                                            ")]);
  })], 2), _vm._v(" "), _c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.filter.lesson_id,
      expression: "filter.lesson_id"
    }],
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.filter, "lesson_id", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, [_c("option", {
    attrs: {
      value: "",
      selected: ""
    }
  }, [_vm._v("TÃ¼m Dersler")]), _vm._v(" "), _vm._l(_vm.lessons, function (lesson, i) {
    return _c("option", {
      domProps: {
        value: lesson.id
      }
    }, [_vm._v(_vm._s(lesson.name) + "\n                                            ")]);
  })], 2), _vm._v(" "), _c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.filter.price,
      expression: "filter.price"
    }],
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.filter, "price", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, [_c("option", {
    attrs: {
      value: "",
      selected: ""
    }
  }, [_vm._v("Fiyat aralÄ±ÄŸÄ±")]), _vm._v(" "), _vm._l(_vm.priceList, function (price, i) {
    return _c("option", {
      domProps: {
        value: [price.min, price.max]
      }
    }, [_vm._v("\n                                                " + _vm._s(price.min === 0 &amp;&amp; price.max === 0 ? "Farketmez" : price.min + (price.max === 0 ? " â‚º ve Ã¼zeri" : " ile " + price.max + " â‚º arasÄ±")) + "\n                                            ")]);
  })], 2), _vm._v(" "), _c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.filter.order_by,
      expression: "filter.order_by"
    }],
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.filter, "order_by", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, _vm._l(_vm.order_by, function (name, i) {
    return _c("option", {
      domProps: {
        value: i
      }
    }, [_vm._v(_vm._s(name))]);
  }), 0)]) : _c("div", [_c("button", {
    staticClass: "btn btn-outline-danger",
    on: {
      click: function click($event) {
        _vm.searchKey = "";
        _vm.fetch();
      }
    }
  }, [_vm._v("\n                                            AramayÄ± Temizle "), _c("i", {
    staticClass: "fas fa-times"
  })])])])])])]), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "course__tab-conent"
  }, [_c("div", {
    staticClass: "tab-content",
    attrs: {
      id: "courseTabContent"
    }
  }, [_c("div", {
    staticClass: "tab-pane fade show active",
    attrs: {
      id: "grid",
      role: "tabpanel",
      "aria-labelledby": "grid-tab"
    }
  }, [_c("div", {
    staticClass: "row"
  }, [_vm._l(_vm.rows, function (row, i) {
    return !_vm.isFetching ? _c("div", {
      staticClass: "col-xxl-3 col-xl-3 col-lg-3 col-md-3"
    }, [_c("div", {
      staticClass: "course__item white-bg mb-30 fix"
    }, [_c("div", {
      staticClass: "row gx-0"
    }, [_c("div", {
      staticClass: "course__thumb w-img p-relative fix",
      staticStyle: {
        height: "245px"
      }
    }, [_c("a", {
      attrs: {
        href: "javascript:void(0)"
      },
      on: {
        click: function click($event) {
          return _vm.openTeacherSummary(row.user);
        }
      }
    }, [_c("img", {
      attrs: {
        src: row.user.photo_portrait,
        alt: "Img not found"
      }
    })]), _vm._v(" "),  false ? 0 : _vm._e()]), _vm._v(" "), _c("div", {
      staticClass: "course__content"
    }, [_c("div", {
      staticClass: "course__meta d-flex align-items-center justify-content-between"
    }, [ false ? 0 : _vm._e()]), _vm._v(" "), _c("h3", {
      staticClass: "course__title"
    }, [_c("a", [_vm._v(_vm._s(row.lesson.name))])]), _vm._v(" "), _c("div", {
      staticClass: "course__teacher"
    }, [ false ? 0 : _vm._e(), _vm._v(" "), _c("h6", [_c("a", {
      attrs: {
        href: "javascript:void(0)"
      },
      on: {
        click: function click($event) {
          return _vm.openTeacherSummary(row.user);
        }
      }
    }, [_vm._v("\n                                                                        " + _vm._s(row.user.name) + "\n                                                                    ")]), _vm._v(" "), _c("span", {
      staticStyle: {
        cursor: "pointer",
        "float": "right"
      }
    }, [_c("i", {
      staticClass: "fas fa-envelope",
      staticStyle: {
        color: "silver"
      },
      on: {
        click: function click($event) {
          return _vm.$emit("open-messages-modal", row.user);
        }
      }
    })])])])]), _vm._v(" "), _c("div", {
      staticClass: "course__more d-flex justify-content-between align-items-center"
    }, [_c("div", {
      staticClass: "course__status d-flex align-items-center"
    }, [_c("span", {
      staticClass: "blue-2"
    }, [_vm._v("â‚º" + _vm._s(row.total_price))]), _vm._v(" "), _c("span", {
      staticClass: "old-price"
    }, [_vm._v("â‚º" + _vm._s(row.price))])]), _vm._v(" "), _c("div", {
      staticClass: "course__btn"
    }, [_c("a", {
      staticClass: "link-btn",
      attrs: {
        href: "javscript:void(0)"
      },
      on: {
        click: function click($event) {
          return _vm.lessonRequest(row);
        }
      }
    }, [_vm._v("\n                                                                    Talep\n                                                                    "), _c("i", {
      staticClass: "far fa-arrow-right"
    }), _vm._v(" "), _c("i", {
      staticClass: "far fa-arrow-right"
    })])])])])])]) : _vm._e();
  }), _vm._v(" "), _vm._l(9, function (i) {
    return _vm.isFetching ? _c("div", {
      staticClass: "col-xxl-3 col-xl-3 col-lg-3 6"
    }, [_c("div", {
      staticClass: "blog__wrapper"
    }, [_c("div", {
      staticClass: "blog__item white-bg mb-30 transition-3 fix"
    }, [_c("div", {
      staticClass: "blog__thumb w-img fix"
    }, [_c("b-skeleton-img", {
      attrs: {
        aspect: "3:2"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__content"
    }, [_c("div", {
      staticClass: "blog__tag"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "55%"
      }
    })], 1), _vm._v(" "), _c("h3", {
      staticClass: "blog__title"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "85%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "55%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "40%"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__meta d-flex align-items-center justify-content-between"
    }, [_c("div", {
      staticClass: "blog__author d-flex align-items-center"
    }, [_c("div", {
      staticClass: "blog__author-thumb mr-10"
    }, [_c("b-skeleton", {
      attrs: {
        type: "avatar"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__author-info"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "120px"
      }
    })], 1)]), _vm._v(" "), _c("div", {
      staticClass: "blog__date d-flex align-items-center"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "100px"
      }
    })], 1)])])])])]) : _vm._e();
  }), _vm._v(" "), !_vm.isFetching &amp;&amp; _vm.rows.length == 0 ? _c("div", {
    staticClass: "col-12"
  }, [_c("div", {
    staticClass: "alert alert-danger text-center mt-10"
  }, [_vm._v("\n                                                    SonuÃ§ bulunamadÄ±.\n                                                ")])]) : _vm._e()], 2)]), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "list",
      role: "tabpanel",
      "aria-labelledby": "list-tab"
    }
  }, [_c("div", {
    staticClass: "row"
  }, _vm._l(_vm.rows, function (row, i) {
    return !_vm.isFetching ? _c("div", {
      staticClass: "col-xxl-12"
    }, [_c("div", {
      staticClass: "course__item white-bg mb-30 fix"
    }, [_c("div", {
      staticClass: "row gx-0"
    }, [_c("div", {
      staticClass: "col-xxl-4 col-xl-4 col-lg-4"
    }, [_c("div", {
      staticClass: "course__thumb course__thumb-list w-img p-relative fix"
    }, [_c("a", {
      attrs: {
        href: "course-details.html"
      }
    }, [_c("img", {
      attrs: _defineProperty({
        src: row.user.photo_portrait,
        alt: row.user.photo_portrait
      }, "alt", "")
    })]), _vm._v(" "), _c("div", {
      staticClass: "course__tag"
    }, [_c("a", {
      staticClass: "blue-2",
      attrs: {
        href: "#"
      }
    }, [_vm._v(_vm._s(row.lesson.name))])])])]), _vm._v(" "), _c("div", {
      staticClass: "col-xxl-8 col-xl-8 col-lg-8"
    }, [_c("div", {
      staticClass: "course__right"
    }, [_c("div", {
      staticClass: "course__content course__content-3"
    }, [_vm._m(1, true), _vm._v(" "), _c("h3", {
      staticClass: "course__title course__title-2"
    }, [_c("a", {
      attrs: {
        href: "course-details.html"
      }
    }, [_vm._v(_vm._s(row.lesson.name))])]), _vm._v(" "), _c("div", {
      staticClass: "course__teacher d-flex align-items-center"
    }, [_c("div", {
      staticClass: "course__teacher-thumb mr-15"
    }, [_c("img", {
      attrs: {
        src: row.user.photo_portrait,
        alt: "row.user.name"
      }
    })]), _vm._v(" "), _c("h6", [_c("a", {
      attrs: {
        href: "instructor-details.html"
      }
    }, [_vm._v(_vm._s(row.user.name))])])])]), _vm._v(" "), _c("div", {
      staticClass: "course__more course__more-2 d-flex justify-content-between align-items-center"
    }, [_c("div", {
      staticClass: "course__status d-flex align-items-center"
    }, [_c("span", {
      staticClass: "blue-2"
    }, [_vm._v("â‚º" + _vm._s(row.total_price))]), _vm._v(" "), _c("span", {
      staticClass: "old-price"
    }, [_vm._v("â‚º" + _vm._s(row.price))])]), _vm._v(" "), _c("div", {
      staticClass: "course__btn"
    }, [_c("a", {
      staticClass: "link-btn",
      attrs: {
        href: "javscript:void(0)"
      },
      on: {
        click: function click($event) {
          return _vm.lessonRequest(row);
        }
      }
    }, [_vm._v("\n                                                                            Ders Talebi\n                                                                            "), _c("i", {
      staticClass: "far fa-arrow-right"
    }), _vm._v(" "), _c("i", {
      staticClass: "far fa-arrow-right"
    })])])])])])])])]) : _vm._e();
  }), 0)])])])])]), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_vm.isFetching ? _c("div", [_c("b-skeleton", {
    staticStyle: {
      "float": "left"
    },
    attrs: {
      type: "button",
      width: "30px"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    staticStyle: {
      "float": "left"
    },
    attrs: {
      type: "button",
      width: "30px"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    staticStyle: {
      "float": "left"
    },
    attrs: {
      type: "button",
      width: "30px"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    staticStyle: {
      "float": "left"
    },
    attrs: {
      type: "button",
      width: "30px"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    staticStyle: {
      "float": "left"
    },
    attrs: {
      type: "button",
      width: "30px"
    }
  })], 1) : _c("div", {
    staticClass: "basic-pagination wow fadeInUp mt-30",
    attrs: {
      "data-wow-delay": ".2s"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("div", {
    staticClass: "overflow-auto"
  }, [_c("b-pagination-nav", {
    attrs: {
      "link-gen": _vm.linkGen,
      "number-of-pages": Math.ceil(_vm.metaData.total / _vm.metaData.perPage),
      "use-router": ""
    }
  })], 1) : _vm._e()])])])])])])]), _vm._v(" "), _vm._m(2), _vm._v(" "), _vm.requestModal ? _c("b-modal", {
    attrs: {
      title: "Ders Talebi YapÄ±n"
    },
    scopedSlots: _vm._u([{
      key: "modal-footer",
      fn: function fn() {
        return [_c("div", {
          staticClass: "w-100",
          staticStyle: {
            "text-align": "right"
          }
        }, [!_vm.requestPosting ? _c("b-button", {
          staticClass: "mr-2",
          attrs: {
            variant: "primary"
          },
          on: {
            click: _vm.requestLesson
          }
        }, [_vm._v("\n                    Talebi GÃ¶nder\n                ")]) : _c("b-button", {
          staticClass: "mr-2",
          attrs: {
            variant: "primary",
            disabled: ""
          }
        }, [_c("b-spinner", {
          attrs: {
            small: "",
            type: "grow",
            variant: "light"
          }
        }), _vm._v("\n                    GÃ¶nderiliyor..\n                ")], 1)], 1)];
      },
      proxy: true
    }], null, false, 122940554),
    model: {
      value: _vm.requestModal,
      callback: function callback($$v) {
        _vm.requestModal = $$v;
      },
      expression: "requestModal"
    }
  }, [_c("div", {
    staticClass: "rc__post d-flex align-items-center",
    staticStyle: {
      "margin-bottom": "0px"
    }
  }, [_c("div", {
    staticClass: "rc__thumb mr-20"
  }, [_c("a", {
    attrs: {
      href: "/blog-details"
    }
  }, [_c("img", {
    attrs: {
      src: _vm.currentRow.user.photo_portrait,
      alt: "img not found",
      st: "",
      yle: "width:125px; height: 125px"
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "rc__content"
  }, [_c("div", {
    staticClass: "rc__meta"
  }, [_c("span", [_vm._v(_vm._s(_vm.currentRow.user.name))])]), _vm._v(" "), _c("h5", [_vm._v(_vm._s(_vm.currentRow.lesson.name))]), _vm._v(" "), _c("h6", [_vm._v("-- Seviyesi")]), _vm._v(" "), _c("h6", [_vm._v("Saatlik Ãœcret: " + _vm._s(parseFloat(_vm.currentRow.total_price).toLocaleString("tr-TR")) + " â‚º")]), _vm._v(" "), _c("h6", {
    staticClass: "blue-2"
  }, [_vm._v("Ã–denecek Tutar:\n                    " + _vm._s((_vm.requestData.price * _vm.requestData.selected_hours.length).toLocaleString("tr-TR")) + " â‚º")])])]), _vm._v(" "), _c("b-form", [_c("b-overlay", {
    attrs: {
      show: _vm.requestPosting,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [_c("b-form-group", {
    attrs: {
      id: "input-group-1",
      label: "Ders gÃ¼nÃ¼:",
      "label-for": "input-1"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "input-1",
      type: "date",
      placeholder: "Ders gÃ¼nÃ¼",
      min: _vm.minDay,
      max: _vm.maxDay
    },
    model: {
      value: _vm.requestData.date,
      callback: function callback($$v) {
        _vm.$set(_vm.requestData, "date", $$v);
      },
      expression: "requestData.date"
    }
  })], 1), _vm._v(" "), _vm.fetchingHours ? _c("div", {
    staticStyle: {
      "text-align": "center"
    }
  }, [_c("b-spinner", {
    staticClass: "m-2",
    attrs: {
      type: "grow",
      variant: "primary"
    }
  }), _vm._v(" "), _c("br"), _vm._v("Saatler getiriliyor..\n                ")], 1) : _c("div", {
    staticClass: "mt-2"
  }, [_vm.requestData.date &amp;&amp; _vm.isObjectEmpty(_vm.availableHours) ? _c("div", {
    attrs: {
      id: "not_available_hours"
    }
  }, [_c("div", {
    staticClass: "alert alert-danger",
    attrs: {
      role: "alert"
    }
  }, [_vm._v("\n                            Bu tarihte mÃ¼sait saat bulunmamaktadÄ±r.\n                        ")])]) : _vm._e(), _vm._v(" "), _vm.requestData.date &amp;&amp; _vm.availableHours ? _c("b-form-group", {
    attrs: {
      id: "input-group-1",
      label: "MÃ¼sait saatler:",
      "label-for": "input-1"
    }
  }, [_c("div", {
    attrs: {
      id: "available_hours"
    }
  }, _vm._l(_vm.availableHours, function (hour, s) {
    return _c("div", {
      staticStyle: {
        "float": "left",
        "margin-right": "2px",
        "margin-bottom": "2px"
      }
    }, [_c("input", {
      directives: [{
        name: "model",
        rawName: "v-model",
        value: _vm.requestData.selected_hours,
        expression: "requestData.selected_hours"
      }],
      staticClass: "btn-check",
      attrs: {
        type: "checkbox",
        id: s,
        autocomplete: "off"
      },
      domProps: {
        value: parseInt(s),
        checked: Array.isArray(_vm.requestData.selected_hours) ? _vm._i(_vm.requestData.selected_hours, parseInt(s)) &gt; -1 : _vm.requestData.selected_hours
      },
      on: {
        change: function change($event) {
          var $$a = _vm.requestData.selected_hours,
            $$el = $event.target,
            $$c = $$el.checked ? true : false;
          if (Array.isArray($$a)) {
            var $$v = parseInt(s),
              $$i = _vm._i($$a, $$v);
            if ($$el.checked) {
              $$i &lt; 0 &amp;&amp; _vm.$set(_vm.requestData, "selected_hours", $$a.concat([$$v]));
            } else {
              $$i &gt; -1 &amp;&amp; _vm.$set(_vm.requestData, "selected_hours", $$a.slice(0, $$i).concat($$a.slice($$i + 1)));
            }
          } else {
            _vm.$set(_vm.requestData, "selected_hours", $$c);
          }
        }
      }
    }), _vm._v(" "), _c("label", {
      staticClass: "btn btn-outline-primary btn-sm p-0",
      staticStyle: {
        width: "49px",
        "font-size": "13px"
      },
      attrs: {
        "for": s
      }
    }, [_vm._v(_vm._s(hour))])]);
  }), 0)]) : _vm._e()], 1), _vm._v(" "), _c("div", {
    staticStyle: {
      clear: "both"
    }
  }), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "input-group-1",
      label: "AÃ§Ä±klama:",
      "label-for": "input-1"
    }
  }, [_c("b-form-textarea", {
    attrs: {
      id: "textarea",
      placeholder: "Talebinizle ilgili bir aÃ§Ä±klama giriniz...",
      rows: "3",
      "max-rows": "6",
      maxlength: "250"
    },
    model: {
      value: _vm.requestData.description,
      callback: function callback($$v) {
        _vm.$set(_vm.requestData, "description", $$v);
      },
      expression: "requestData.description"
    }
  })], 1), _vm._v(" "), _c("br"), _vm._v(" "), _vm.requestData.selected_hours.length ? _c("h3", {
    staticClass: "card-title pricing-card-title"
  }, [_vm._v("â‚º\n                    " + _vm._s((_vm.requestData.price * _vm.requestData.selected_hours.length).toLocaleString("tr-TR")) + " "), _c("small", {
    staticClass: "text-muted"
  }, [_vm._v("/ " + _vm._s(_vm.requestData.selected_hours.length) + " saat")])]) : _vm._e(), _vm._v(" "), _c("b-form-group", {
    attrs: {
      label: ""
    },
    scopedSlots: _vm._u([{
      key: "default",
      fn: function fn(_ref) {
        var ariaDescribedby = _ref.ariaDescribedby;
        return [_c("b-form-radio-group", {
          attrs: {
            id: "btn-radios-2",
            options: _vm.paymentOptions,
            "aria-describedby": ariaDescribedby,
            "button-variant": "outline-primary",
            name: "radio-btn-outline",
            buttons: ""
          },
          model: {
            value: _vm.requestData.payment_method,
            callback: function callback($$v) {
              _vm.$set(_vm.requestData, "payment_method", $$v);
            },
            expression: "requestData.payment_method"
          }
        })];
      }
    }], null, false, 2284823508)
  }), _vm._v(" "), _c("br"), _vm._v(" "), _vm.requestData.payment_method == 1 ? _c("b-alert", {
    attrs: {
      show: "",
      variant: "info"
    }
  }, [_vm._v("Talebi gÃ¶nderdikten sonra\n                    kredi\n                    kartÄ± ile Ã¶deme ekranÄ±na yÃ¶nlendirileceksiniz. "), _c("br")]) : _vm._e(), _vm._v(" "), _vm.requestData.payment_method == 0 ? _c("b-alert", {
    attrs: {
      show: "",
      variant: "warning"
    }
  }, [_vm._v("Talebiniz alÄ±ndÄ±ktan\n                    sonra\n                    eÄŸiticinin Iban bilgileri Havale/Eft yapabilmeniz iÃ§in sizinle paylaÅŸÄ±lacaktÄ±r.\n                ")]) : _vm._e()], 1)], 1)], 1) : _vm._e(), _vm._v(" "), _vm.teacherProfileSummary ? _c("b-modal", {
    attrs: {
      title: "EÄŸitmen Profili",
      size: "xl",
      "no-footer": ""
    },
    scopedSlots: _vm._u([{
      key: "modal-footer",
      fn: function fn() {
        return [_c("div", {
          staticClass: "w-100",
          staticStyle: {
            "text-align": "right"
          }
        }, [_c("b-button", {
          staticClass: "mr-2",
          attrs: {
            variant: "primary"
          },
          on: {
            click: function click($event) {
              _vm.teacherProfileSummary = false;
            }
          }
        }, [_vm._v("\n                    Kapat\n                ")])], 1)];
      },
      proxy: true
    }], null, false, 3334949839),
    model: {
      value: _vm.teacherProfileSummary,
      callback: function callback($$v) {
        _vm.teacherProfileSummary = $$v;
      },
      expression: "teacherProfileSummary"
    }
  }, [_c("teacher-profile-summary", {
    attrs: {
      user: _vm.teacherProfileSummaryUser
    }
  })], 1) : _vm._e(), _vm._v(" "), _vm.paymentModal ? _c("b-modal", {
    attrs: {
      title: "Kredi KartÄ± Ä°le Ã–deme EkranÄ±",
      "ok-only": ""
    },
    model: {
      value: _vm.paymentModal,
      callback: function callback($$v) {
        _vm.paymentModal = $$v;
      },
      expression: "paymentModal"
    }
  }, [_c("iframe", {
    attrs: {
      src: _vm.paymentUrl,
      width: "100%",
      height: "500px",
      frameborder: "0"
    }
  })]) : _vm._e()], 1);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("span", [_c("i", {
    staticClass: "icon_star"
  }), _vm._v("4.4 (40)")]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "course__meta d-flex align-items-center"
  }, [_c("div", {
    staticClass: "course__lesson mr-20"
  }, [_c("span", [_c("i", {
    staticClass: "far fa-book-alt"
  }), _vm._v("14 Lesson")])]), _vm._v(" "), _c("div", {
    staticClass: "course__rating"
  }, [_c("span", [_c("i", {
    staticClass: "icon_star"
  }), _vm._v("3.5 (32)")])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("section", {
    staticClass: "cta__area mb--120"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "cta__inner blue-bg fix"
  }, [_c("div", {
    staticClass: "cta__shape"
  }, [_c("img", {
    attrs: {
      src: "/img/cta/cta-shape.png",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "row align-items-center"
  }, [_c("div", {
    staticClass: "col-xxl-7 col-xl-7 col-lg-8 col-md-8"
  }, [_c("div", {
    staticClass: "cta__content"
  }, [_c("h3", {
    staticClass: "cta__title"
  }, [_vm._v("DoÄŸru platform, doÄŸru Ã¶ÄŸretmen ile eÄŸitiminizde Ã¶ne geÃ§in")])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-5 col-xl-5 col-lg-4f col-md-4"
  }, [_c("div", {
    staticClass: "cta__more d-md-flex justify-content-end p-relative z-index-1"
  }, [_c("a", {
    staticClass: "e-btn e-btn-white",
    attrs: {
      href: "#"
    }
  }, [_vm._v("Okulistan.com")])])])])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=template&amp;id=5546b00a&amp;scoped=true&amp;":
/*!*********************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=template&amp;id=5546b00a&amp;scoped=true&amp; ***!
  \*********************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "page__title-area page__title-height page__title-overlay d-flex align-items-center",
    staticStyle: {
      "background-image": "url('/img/page-title/page-title.jpg')"
    }
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "page__title-wrapper mt-110"
  }, [_c("h3", {
    staticClass: "page__title"
  }, [_vm._v("SÄ±kÃ§a Sorular Sorular")]), _vm._v(" "), _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("router-link", {
    attrs: {
      to: "/"
    }
  }, [_vm._v("Okulistan")])], 1), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active",
    attrs: {
      "aria-current": "page"
    }
  }, [_vm._v("SÄ±kÃ§a Sorulan Sorular")])])])])])])])]), _vm._v(" "), _c("section", {
    staticClass: "blog__area pt-120 pb-120"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-lg-12"
  }, [_c("div", {
    staticClass: "tab-content mb-60"
  }, [_c("div", {
    staticClass: "tab-pane fade show active",
    attrs: {
      id: "tab_privacy_policy",
      role: "tabpanel"
    }
  }, [_c("div", {
    staticClass: "terms_conditions_content"
  }, [_c("h3", {
    staticClass: "warpper_title"
  }, [_vm._v("SÄ±kÃ§a Sorulan Sorular")]), _vm._v(" "), _c("hr"), _vm._v(" "), _vm._l(_vm.rows, function (row, i) {
    return _c("div", {
      staticClass: "mb-20"
    }, [_c("h4", {
      staticClass: "info_title"
    }, [_vm._v(_vm._s(row.question))]), _vm._v(" "), _c("p", {
      staticClass: "mb-0"
    }, [_vm._v(_vm._s(row.answer))])]);
  })], 2)])])])])])])]);
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=template&amp;id=61a7c374&amp;":
/*!************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=template&amp;id=61a7c374&amp; ***!
  \************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("footer", [_c("div", {
    staticClass: "footer__area footer-bg"
  }, [_c("div", {
    staticClass: "footer__top pt-90 pb-40"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-4 col-sm-6"
  }, [_c("div", {
    staticClass: "footer__widget mb-50"
  }, [_c("div", {
    staticClass: "footer__widget-head mb-22"
  }, [_c("div", {
    staticClass: "footer__logo"
  }, [_c("a", {
    attrs: {
      href: "/"
    }
  }, [_c("img", {
    staticClass: "logo2",
    attrs: {
      src: "/img/logo/logo-w.svg",
      alt: ""
    }
  })])])]), _vm._v(" "), _vm._m(0)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-2 offset-xxl-1 col-xl-2 offset-xl-1 col-lg-3 offset-lg-0 col-md-2 offset-md-1 col-sm-5 offset-sm-1"
  }, [_c("div", {
    staticClass: "footer__widget mb-50"
  }, [_vm._m(1), _vm._v(" "), _c("div", {
    staticClass: "footer__widget-body"
  }, [_c("div", {
    staticClass: "footer__link"
  }, [_c("ul", [_c("li", [_c("router-link", {
    attrs: {
      to: "/sikca_sorulan_sorular"
    }
  }, [_vm._v("S.S.S.")])], 1), _vm._v(" "), _vm._m(2), _vm._v(" "), _c("li", [_c("router-link", {
    attrs: {
      to: "/egitmenlerimiz"
    }
  }, [_vm._v("EÄŸitmenlerimiz")])], 1), _vm._v(" "), _c("li", [_c("router-link", {
    attrs: {
      to: "/blog"
    }
  }, [_vm._v("Blog YazÄ±larÄ±mÄ±z")])], 1), _vm._v(" "), _c("li", [_c("router-link", {
    attrs: {
      to: "/kayit-ol"
    }
  }, [_vm._v("Siz de Ã–ÄŸretmen Olun")])], 1), _vm._v(" "), _c("li", [_c("router-link", {
    attrs: {
      to: "/iletisim"
    }
  }, [_vm._v("Ä°letiÅŸim")])], 1)])])])])]), _vm._v(" "),  false ? 0 : _vm._e(), _vm._v(" "), _vm._m(4)])])]), _vm._v(" "), _vm._m(5)])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "footer__widget-body"
  }, [_c("p", [_vm._v("Okulistan'a katÄ±larak siz de dilediÄŸiniz ders ve konuda dilediÄŸiniz Ã¶ÄŸretmenden dersinizi online alabilirsiniz.")]), _vm._v(" "), _c("div", {
    staticClass: "footer__social"
  }, [_c("ul", [_c("li", [_c("a", {
    staticClass: "pin",
    attrs: {
      href: "https://www.youtube.com/@okulistan",
      target: "_blank"
    }
  }, [_c("i", {
    staticClass: "social_youtube"
  })])]), _vm._v(" "), _c("li", [_c("a", {
    attrs: {
      href: "https://www.facebook.com/profile.php?id=61552604621812",
      target: "_blank"
    }
  }, [_c("i", {
    staticClass: "social_facebook"
  })])]), _vm._v(" "), _c("li", [_c("a", {
    staticClass: "tw",
    attrs: {
      href: "https://x.com/okulistan",
      target: "_blank"
    }
  }, [_c("i", {
    staticClass: "social_twitter"
  })])]), _vm._v(" "), _c("li", [_c("a", {
    staticClass: "linked",
    attrs: {
      href: "https://www.linkedin.com/in/okulistan-n-ba9033237/",
      target: "_blank"
    }
  }, [_c("i", {
    staticClass: "social_linkedin"
  })])]), _vm._v(" "), _c("li", [_c("a", {
    attrs: {
      href: "https://www.instagram.com/okulistantr/",
      target: "_blank"
    }
  }, [_c("i", {
    staticClass: "social_instagram"
  })])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "footer__widget-head mb-22"
  }, [_c("h3", {
    staticClass: "footer__widget-title"
  }, [_vm._v("Okulistan")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("li", [_c("a", {
    attrs: {
      href: "#homepage-dersler"
    }
  }, [_vm._v("Dersler")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "footer__widget mb-50"
  }, [_c("div", {
    staticClass: "footer__widget-head mb-22"
  }, [_c("h3", {
    staticClass: "footer__widget-title"
  }, [_vm._v("Platform")])]), _vm._v(" "), _c("div", {
    staticClass: "footer__widget-body"
  }, [_c("div", {
    staticClass: "footer__link"
  }, [_c("ul", [_c("li", [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Browse Library")])]), _vm._v(" "), _c("li", [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Library")])]), _vm._v(" "), _c("li", [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Partners")])]), _vm._v(" "), _c("li", [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("News &amp; Blogs")])]), _vm._v(" "), _c("li", [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("FAQs")])]), _vm._v(" "), _c("li", [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Tutorials")])])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-5 col-sm-6"
  }, [_c("div", {
    staticClass: "footer__widget footer__pl-70 mb-50"
  }, [_c("div", {
    staticClass: "footer__widget-head mb-22"
  }, [_c("h3", {
    staticClass: "footer__widget-title"
  }, [_vm._v("BÃ¼ltene KatÄ±lÄ±n")])]), _vm._v(" "), _c("div", {
    staticClass: "footer__widget-body"
  }, [_c("div", {
    staticClass: "footer__subscribe"
  }, [_c("form", {
    attrs: {
      action: "#"
    }
  }, [_c("div", {
    staticClass: "footer__subscribe-input mb-15"
  }, [_c("input", {
    attrs: {
      type: "email",
      placeholder: "E-posta adresiniz"
    }
  }), _vm._v(" "), _c("button", {
    attrs: {
      type: "submit"
    }
  }, [_c("i", {
    staticClass: "far fa-arrow-right"
  }), _vm._v(" "), _c("i", {
    staticClass: "far fa-arrow-right"
  })])])]), _vm._v(" "), _c("p", [_vm._v("Haber bÃ¼ltenimize katÄ±larak ilk siz haberdar olun.")])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "footer__bottom"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "footer__copyright text-center"
  }, [_c("p", [_vm._v("Â© 2022 Okulistan, TÃ¼m haklarÄ± saklÄ±dÄ±r.")])])])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ForgetPassword.vue?vue&amp;type=template&amp;id=681c1ad3&amp;scoped=true&amp;":
/*!********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ForgetPassword.vue?vue&amp;type=template&amp;id=681c1ad3&amp;scoped=true&amp; ***!
  \********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-100 pb-145"
  }, [_c("div", {
    staticClass: "sign__shape"
  }, [_c("img", {
    staticClass: "man-1",
    attrs: {
      src: "/img/icon/sign/man-1.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "man-2",
    attrs: {
      src: "/img/icon/sign/man-2.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "circle",
    attrs: {
      src: "/img/icon/sign/circle.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "zigzag",
    attrs: {
      src: "/img/icon/sign/zigzag.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "dot",
    attrs: {
      src: "/img/icon/sign/dot.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "bg",
    attrs: {
      src: "/img/icon/sign/sign-up.png",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-8 offset-xxl-2 col-xl-8 offset-xl-2"
  }, [_c("div", {
    staticClass: "section__title-wrapper text-center mb-55"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("ParolanÄ±zÄ± mÄ± unuttunuz?")]), _vm._v(" "), _c("div", {
    staticClass: "sign__new text-center mt-20"
  }, [_c("p", [_vm._v("Okulistan'da yeni misin? "), _c("router-link", {
    attrs: {
      to: "kayit-ol"
    }
  }, [_vm._v("KayÄ±t Ol")])], 1)])])])]), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 offset-xxl-3 col-xl-6 offset-xl-3 col-lg-8 offset-lg-2"
  }, [_c("div", {
    staticClass: "sign__wrapper white-bg"
  }, [_c("div", {
    staticClass: "sign__form"
  }, [_c("div", {
    staticClass: "sign__input-wrapper mb-25"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "sign__input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.email,
      expression: "email"
    }],
    attrs: {
      type: "text",
      id: "email",
      placeholder: "E-posta adresiniz"
    },
    domProps: {
      value: _vm.email
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.email = $event.target.value;
      }
    }
  }), _vm._v(" "), _c("i", {
    staticClass: "fal fa-envelope"
  })])]), _vm._v(" "), _vm._m(1), _vm._v(" "), !_vm.posting ? _c("button", {
    staticClass: "e-btn w-100 btn-primary",
    "class": {
      "btn-danger": _vm.button_text === "Tekrar Dene"
    },
    attrs: {
      disabled: _vm.email.length &lt; 3
    },
    on: {
      click: function click($event) {
        return _vm.resetPassword();
      }
    }
  }, [_vm._v(" " + _vm._s(_vm.button_text))]) : _vm._e(), _vm._v(" "), _vm.posting ? _c("button", {
    staticClass: "e-btn btn-secondary w-100",
    attrs: {
      disabled: ""
    }
  }, [_vm._v(" Kontrol ediliyor..")]) : _vm._e()])])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("h5", [_c("label", {
    attrs: {
      "for": "email"
    }
  }, [_vm._v("E-posta")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sign__action d-sm-flex justify-content-between mb-30 text-center"
  }, [_c("small", [_vm._v("E-posta adresinize parola yenileme linki gÃ¶nderilecektir.")])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequest.vue?vue&amp;type=template&amp;id=32d19260&amp;scoped=true&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequest.vue?vue&amp;type=template&amp;id=32d19260&amp;scoped=true&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c,
    _setup = _vm._self._setupProxy;
  return _c("div", [_c("b-form", [_c("b-overlay", {
    attrs: {
      show: _vm.requestPosting,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [this.editData ? _c("b-alert", {
    attrs: {
      show: "",
      variant: "warning"
    }
  }, [_vm.user.type === "admin" ? _c("span", [_c("b", [_vm._v(_vm._s(_vm.editData.user.name))]), _vm._v(" adlÄ± Ã¶ÄŸrenciye ait talebi gÃ¼ncellemek Ã¼zeresiniz\n\n                ")]) : _c("span", [_vm._v("\n                    Talebiniz Ã¼zerinde deÄŸiÅŸiklik yapÄ±yorsunuz\n                ")])]) : _c("b-alert", {
    attrs: {
      show: "",
      variant: "info"
    }
  }, [_vm._v("\n                Talebiniz alÄ±ndÄ±ktan sonra uygun Ã¶ÄŸretmenler sizinle irtibata geÃ§ecektir.\n            ")]), _vm._v(" "), _c("b-row", [_c("b-col", [_c("b-form-group", {
    attrs: {
      id: "lessons-label",
      label: "Ders:",
      "label-for": "lessons"
    }
  }, [_c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.requestData.lesson_id,
      expression: "requestData.lesson_id"
    }],
    staticClass: "form-control",
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.requestData, "lesson_id", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, [_c("option", {
    attrs: {
      value: "",
      selected: ""
    }
  }, [_vm._v("Ders SeÃ§iniz")]), _vm._v(" "), _vm._l(_vm.lessons, function (lesson) {
    return _c("option", {
      domProps: {
        value: lesson.id
      }
    }, [_vm._v(_vm._s(lesson.name))]);
  })], 2)])], 1), _vm._v(" "), _c("b-col", [_c("b-form-group", {
    attrs: {
      id: "grades-label",
      label: "Seviye:",
      "label-for": "grades"
    }
  }, [_c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.requestData.grade_id,
      expression: "requestData.grade_id"
    }],
    staticClass: "form-control",
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.requestData, "grade_id", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, [_c("option", {
    attrs: {
      value: "",
      selected: ""
    }
  }, [_vm._v("Seviye SeÃ§iniz")]), _vm._v(" "), _vm._l(_vm.grades, function (grade) {
    return _c("option", {
      domProps: {
        value: grade.id
      }
    }, [_vm._v(_vm._s(grade.name))]);
  })], 2)])], 1)], 1), _vm._v(" "), _c("b-row", [_c("b-col", [_c("b-form-group", {
    attrs: {
      id: "time-label",
      label: "Hafta iÃ§i/sonu:",
      "label-for": "week"
    }
  }, [_c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.requestData.week,
      expression: "requestData.week"
    }],
    staticClass: "form-control",
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.requestData, "week", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, _vm._l(_vm.weeks, function (week, i) {
    return _c("option", {
      domProps: {
        value: i
      }
    }, [_vm._v(_vm._s(week))]);
  }), 0)])], 1), _vm._v(" "), _c("b-col", [_c("b-form-group", {
    attrs: {
      id: "time-label",
      label: "GÃ¼ndÃ¼z/AkÅŸam:",
      "label-for": "time"
    }
  }, [_c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.requestData.time,
      expression: "requestData.time"
    }],
    staticClass: "form-control",
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.requestData, "time", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, _vm._l(_vm.times, function (time, i) {
    return _c("option", {
      domProps: {
        value: i
      }
    }, [_vm._v(_vm._s(time))]);
  }), 0)])], 1)], 1), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "prices-label",
      label: "Fiyat AralÄ±ÄŸÄ±:",
      "label-for": "prices"
    }
  }, [_c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.requestData.price,
      expression: "requestData.price"
    }],
    staticClass: "form-control",
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.requestData, "price", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, [_c("option", {
    attrs: {
      value: "",
      selected: ""
    }
  }, [_vm._v("Fiyat aralÄ±ÄŸÄ±")]), _vm._v(" "), _vm._l(_vm.priceList, function (price) {
    return _c("option", {
      domProps: {
        value: [price.min, price.max]
      }
    }, [_vm._v(_vm._s(price.min === 0 &amp;&amp; price.max === 0 ? "Farketmez" : price.min + (price.max === 0 ? " â‚º ve Ã¼zeri" : " ile " + price.max + " â‚º arasÄ±")) + "\n                    ")]);
  })], 2)]), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "input-group-1",
      label: "AÃ§Ä±klama:",
      "label-for": "input-1"
    }
  }, [_c("b-form-textarea", {
    attrs: {
      id: "textarea",
      placeholder: "Talebinizle ilgili bir aÃ§Ä±klama giriniz...",
      rows: "3",
      "max-rows": "6",
      maxlength: "250"
    },
    model: {
      value: _vm.requestData.description,
      callback: function callback($$v) {
        _vm.$set(_vm.requestData, "description", $$v);
      },
      expression: "requestData.description"
    }
  })], 1)], 1)], 1), _vm._v(" "), _c("footer", {
    staticClass: "modal-footer"
  }, [_c("div", {
    staticClass: "w-100",
    staticStyle: {
      "text-align": "right"
    }
  }, [!_vm.requestPosting ? _c("b-button", {
    staticClass: "mr-2",
    attrs: {
      variant: "primary",
      disabled: !_vm.canSubmitRequest
    },
    on: {
      click: _vm.requestLesson
    }
  }, [_vm._v("\n                " + _vm._s(this.editData ? "GÃ¼ncelle" : "Talebi GÃ¶nder") + "\n            ")]) : _c("b-button", {
    staticClass: "mr-2",
    attrs: {
      variant: "primary",
      disabled: ""
    }
  }, [_c("b-spinner", {
    attrs: {
      small: "",
      type: "grow",
      variant: "light"
    }
  }), _vm._v("\n                GÃ¶nderiliyor..\n            ")], 1)], 1)])], 1);
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=template&amp;id=2009775a&amp;scoped=true&amp;":
/*!************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=template&amp;id=2009775a&amp;scoped=true&amp; ***!
  \************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "80px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "8",
      md: "9"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-center"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.lessons,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Ders SeÃ§iniz"
    },
    model: {
      value: _vm.lessonId,
      callback: function callback($$v) {
        _vm.lessonId = $$v;
      },
      expression: "lessonId"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.grades,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Seviye SeÃ§iniz"
    },
    model: {
      value: _vm.gradeId,
      callback: function callback($$v) {
        _vm.gradeId = $$v;
      },
      expression: "gradeId"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "160px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.weekOptions,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Hafta Ä°Ã§i/Sonu"
    },
    model: {
      value: _vm.week,
      callback: function callback($$v) {
        _vm.week = $$v;
      },
      expression: "week"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "185px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.timeOptions,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "GÃ¼ndÃ¼z/AkÅŸam"
    },
    model: {
      value: _vm.time,
      callback: function callback($$v) {
        _vm.time = $$v;
      },
      expression: "time"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transprent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(name)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.user.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(lesson)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.lesson.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(grade)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.grade.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(price)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.min_price == 0 &amp;&amp; data.item.max_price == 0 ? "Belirtilmedi" : data.item.min_price * 1 + " - " + data.item.max_price * 1) + "\n                                        ")])];
      }
    }, {
      key: "cell(week)",
      fn: function fn(data) {
        return [_vm._v("\n                                        " + _vm._s(_vm.weeks[data.item.week]) + "\n                                    ")];
      }
    }, {
      key: "cell(time)",
      fn: function fn(data) {
        return [_vm._v("\n                                        " + _vm._s(_vm.times[data.item.time]) + "\n                                    ")];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [_vm.user.type === "admin" ? _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-success"
          },
          on: {
            click: function click($event) {
              return _vm.editRequest(data.item);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-edit"
        })]) : _vm._e(), _vm._v(" "), _vm.user.type === "admin" ? _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-danger text-danger"
          },
          on: {
            click: function click($event) {
              return _vm.deleteRequest(data.item.id);
            }
          }
        }, [_c("i", {
          staticClass: "far fa-trash-alt"
        })]) : _vm._e(), _vm._v(" "), data.item.lesson.id in _vm.teacherLessons || true ? _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-warning",
            disabled: _vm.user.type === "teacher" &amp;&amp; !_vm.teacherLessons.includes(data.item.lesson.id)
          },
          on: {
            click: function click($event) {
              return _vm.sendMessageToStudent(data.item);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-envelope"
        })]) : 0], 1)];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])]), _vm._v(" "), _vm.editModal ? _c("b-modal", {
    attrs: {
      title: "Ders Talebi DÃ¼zenleme",
      "hide-footer": ""
    },
    model: {
      value: _vm.editModal,
      callback: function callback($$v) {
        _vm.editModal = $$v;
      },
      expression: "editModal"
    }
  }, [_c("free-lesson-request", {
    attrs: {
      editData: _vm.editData
    },
    on: {
      "close-modal": function closeModal($event) {
        _vm.editModal = false;
      },
      "fetch-lesson-requests": function fetchLessonRequests($event) {
        return _vm.fetch();
      }
    }
  })], 1) : _vm._e()], 1);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Okulistan")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v(" Ders Talep Havuzu")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=template&amp;id=1f42fb90&amp;":
/*!************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=template&amp;id=1f42fb90&amp; ***!
  \************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", [_c("header", [_c("div", {
    "class": _vm.headerClass,
    attrs: {
      id: "header-sticky"
    }
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row align-items-center"
  }, [_c("div", {
    staticClass: "col-xxl-3 col-xl-3 col-lg-4 col-md-2 col-sm-4 col-6"
  }, [_c("div", {
    staticClass: "header__left d-flex"
  }, [_c("div", {
    staticClass: "logo"
  }, [_c("router-link", {
    attrs: {
      to: "/"
    }
  }, [_vm.homeHeader ? _c("img", {
    staticClass: "logo1",
    attrs: {
      src: "/img/logo/logo-slogan.svg",
      alt: "logo"
    }
  }) : _vm._e(), _vm._v(" "), !_vm.homeHeader &amp;&amp; this.currentType != "other" ? _c("img", {
    staticClass: "logo1",
    attrs: {
      src: "/img/logo/logo-slogan-w.svg",
      alt: "logo"
    }
  }) : _vm._e(), _vm._v(" "), !_vm.homeHeader &amp;&amp; this.currentType === "other" ? _c("img", {
    staticClass: "logo1",
    attrs: {
      src: "/img/logo/logo-slogan.svg",
      alt: "logo"
    }
  }) : _vm._e()])], 1)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-9 col-xl-9 col-lg-8 col-md-10 col-sm-8 col-6"
  }, [_c("div", {
    staticClass: "header__right d-flex justify-content-end align-items-center"
  }, [_c("div", {
    staticClass: "main-menu",
    "class": {
      "main-menu-2": _vm.homeHeader,
      "main-menu-1": !_vm.homeHeader
    }
  }, [_c("nav", {
    attrs: {
      id: "mobile-menu"
    }
  }, [_c("ul", [_c("li", [_c("router-link", {
    attrs: {
      to: "/ders_talep_havuzu"
    }
  }, [_vm._v("Ders Talepleri")])], 1), _vm._v(" "), _c("li", [_c("router-link", {
    attrs: {
      to: "/egitmenlerimiz"
    }
  }, [_vm._v("EÄŸitmenlerimiz")])], 1), _vm._v(" "), _vm.isLoggedIn &amp;&amp; _vm.user.type === "student" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/ders_taleplerim"
    }
  }, [_vm._v("Ders Taleplerim")])], 1) : _vm._e(), _vm._v(" "), _c("li", [_c("router-link", {
    attrs: {
      to: "/blog"
    }
  }, [_vm._v("Blog")])], 1), _vm._v(" "), !_vm.isLoggedIn ? _c("li", [_c("router-link", {
    attrs: {
      to: "/iletisim"
    }
  }, [_vm._v("Ä°letiÅŸim")])], 1) : _vm._e(), _vm._v(" "), _vm.isLoggedIn ? _c("li", {
    staticClass: "has-dropdown"
  }, [_c("router-link", {
    attrs: {
      to: "/hesabim/profili-duzenle"
    }
  }, [_c("i", {
    staticClass: "fad fa-user"
  }), _vm._v("\n                                                " + _vm._s(_vm.user.type === "admin" ? "YÃ¶netim" : "HesabÄ±m") + "\n                                            ")]), _vm._v(" "), _c("ul", {
    staticClass: "submenu"
  }, [_c("li", [_c("router-link", {
    attrs: {
      to: "/hesabim/profili-duzenle"
    }
  }, [_vm._v("Profili DÃ¼zenle\n                                                    ")])], 1), _vm._v(" "), _vm.user.type === "teacher" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/hesabim/haftalik-program"
    }
  }, [_vm._v("HaftalÄ±k Program\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "teacher" || _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/derslerim"
    }
  }, [_vm._v("Derslerim\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "teacher" || _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/ders_rezerve_et"
    }
  }, [_vm._v("Ders Rezerve Et\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "teacher" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/hesabim/serbest-odeme-linklerim"
    }
  }, [_vm._v("Serbest Ã–deme Linklerim\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "student" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/hesabim/aldigim-dersler"
    }
  }, [_vm._v("AldÄ±ÄŸÄ±m Dersler\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/yonetim/ders_talep_onaylari"
    }
  }, [_vm._v("Ders Talep OnaylarÄ±\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/yonetim/degerlendirmeler"
    }
  }, [_vm._v("DeÄŸerlendirmeler\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "teacher" || _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/hesabim/havaleler"
    }
  }, [_vm._v("Havaleler\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/yonetim/ogrenciler"
    }
  }, [_vm._v("Ã–ÄŸrenciler")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/yonetim/ogretmenler"
    }
  }, [_vm._v("Ã–ÄŸretmenler")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/yonetim/blog_yazilari"
    }
  }, [_vm._v("Blog YazÄ±larÄ±\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/yonetim/sikca_sorulan_sorular"
    }
  }, [_vm._v("S.S.Sorular\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/yonetim/ders_dokumanlari"
    }
  }, [_vm._v("DokÃ¼man OnaylarÄ±\n                                                    ")])], 1) : _vm._e(), _vm._v(" "), _vm.user.type === "admin" ? _c("li", [_c("router-link", {
    attrs: {
      to: "/yonetim/ayarlar"
    }
  }, [_vm._v("Ayarlar")])], 1) : _vm._e()])], 1) : _vm._e()])])]), _vm._v(" "),  false ? 0 : _vm._e(), _vm._v(" "), _vm.isLoggedIn ? _c("div", {
    staticClass: "ml-20 d-none d-md-block",
    "class": {
      "main-menu-2": _vm.homeHeader,
      "main-menu-1": !_vm.homeHeader
    }
  }, [_c("div", {
    staticClass: "header__cart main-menu",
    staticStyle: {
      position: "unset",
      "padding-left": "unset"
    }
  }, [_c("ul", [_c("li", [_c("a", {
    attrs: {
      href: "javascript:void(0);"
    },
    on: {
      click: function click($event) {
        return _vm.$emit("open-messages-modal", 0);
      }
    }
  }, [_c("div", {
    staticClass: "header__cart-icon"
  }, [_vm.unread_msg_count &gt; 0 ? _c("svg", {
    staticClass: "bi bi-chat-dots",
    attrs: {
      xmlns: "http://www.w3.org/2000/svg",
      width: "16",
      height: "16",
      fill: "currentColor",
      viewBox: "0 0 16 16"
    }
  }, [_c("path", {
    attrs: {
      d: "M5 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm4 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm3 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"
    }
  }), _vm._v(" "), _c("path", {
    attrs: {
      d: "m2.165 15.803.02-.004c1.83-.363 2.948-.842 3.468-1.105A9.06 9.06 0 0 0 8 15c4.418 0 8-3.134 8-7s-3.582-7-8-7-8 3.134-8 7c0 1.76.743 3.37 1.97 4.6a10.437 10.437 0 0 1-.524 2.318l-.003.011a10.722 10.722 0 0 1-.244.637c-.079.186.074.394.273.362a21.673 21.673 0 0 0 .693-.125zm.8-3.108a1 1 0 0 0-.287-.801C1.618 10.83 1 9.468 1 8c0-3.192 3.004-6 7-6s7 2.808 7 6c0 3.193-3.004 6-7 6a8.06 8.06 0 0 1-2.088-.272 1 1 0 0 0-.711.074c-.387.196-1.24.57-2.634.893a10.97 10.97 0 0 0 .398-2z"
    }
  })]) : _c("svg", {
    staticClass: "bi bi-envelope",
    attrs: {
      xmlns: "http://www.w3.org/2000/svg",
      width: "16",
      height: "16",
      fill: "currentColor",
      viewBox: "0 0 16 16"
    }
  }, [_c("path", {
    attrs: {
      d: "M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4Zm2-1a1 1 0 0 0-1 1v.217l7 4.2 7-4.2V4a1 1 0 0 0-1-1H2Zm13 2.383-4.708 2.825L15 11.105V5.383Zm-.034 6.876-5.64-3.471L8 9.583l-1.326-.795-5.64 3.47A1 1 0 0 0 2 13h12a1 1 0 0 0 .966-.741ZM1 11.105l4.708-2.897L1 5.383v5.722Z"
    }
  })])]), _vm._v(" "), _vm.unread_msg_count &gt; 0 ? _c("span", {
    staticClass: "cart-item",
    staticStyle: {
      top: "27px"
    }
  }, [_vm._v(_vm._s(_vm.unread_msg_count))]) : _vm._e()])]), _vm._v(" "), _c("li", {
    staticStyle: {
      "margin-left": "15px"
    }
  }, [_c("a", {
    staticClass: "cart-toggle-btn",
    attrs: {
      href: "javascript:void(0);"
    },
    on: {
      click: function click($event) {
        return _vm.fetchNotifications();
      }
    }
  }, [_c("icon", {
    staticClass: "far fa-bell"
  }), _vm._v(" "), _vm.unreadNotificationsCount ? _c("span", {
    staticClass: "cart-item",
    staticStyle: {
      top: "27px"
    }
  }, [_vm._v(_vm._s(_vm.unreadNotificationsCount))]) : _vm._e()], 1)])])])]) : _vm._e(), _vm._v(" "), _c("div", {
    staticClass: "header__btn header__btn-2 ml-50 d-none d-sm-block"
  }, [!_vm.isLoggedIn ? _c("div", {
    staticClass: "btn-group",
    attrs: {
      role: "group",
      "aria-label": "Button group with nested dropdown"
    }
  }, [_c("router-link", {
    staticClass: "btn btn-outline-primary",
    attrs: {
      to: "/kayit-ol"
    }
  }, [_c("i", {
    staticClass: "fas fa-user-plus"
  }), _vm._v("\n                                        KayÄ±t Ol\n                                    ")]), _vm._v(" "), _c("router-link", {
    staticClass: "btn btn-primary",
    attrs: {
      to: "/giris-yap"
    }
  }, [_c("i", {
    staticClass: "fas fa-sign-in-alt"
  }), _vm._v("\n                                        GiriÅŸ Yap")])], 1) : _c("button", {
    staticClass: "e-btn btn-danger",
    on: {
      click: function click($event) {
        return _vm.apiLogout();
      }
    }
  }, [_vm._v("Ã‡Ä±kÄ±ÅŸ")])]), _vm._v(" "), _vm._m(1)])])])])])]), _vm._v(" "), _c("div", {
    staticClass: "cartmini__area",
    attrs: {
      id: "notification-area"
    }
  }, [_c("div", {
    staticClass: "cartmini__wrapper"
  }, [_vm._m(2), _vm._v(" "), _c("div", {
    staticClass: "cartmini__close"
  }, [_c("button", {
    ref: "closeButton",
    staticClass: "cartmini__close-btn",
    attrs: {
      type: "button"
    }
  }, [_c("i", {
    staticClass: "fal fa-times"
  })])]), _vm._v(" "), _c("div", {
    staticClass: "cartmini__widget"
  }, [_c("div", {
    staticClass: "cartmini__inner"
  }, [_vm.isFetchingNotifications ? _c("div", {
    staticClass: "text-center"
  }, [_vm._m(3)]) : _c("ul", {
    attrs: {
      id: "notifications-list"
    }
  }, _vm._l(_vm.notifications, function (notification) {
    return _c("li", [_c("div", {
      staticClass: "cartmini__content"
    }, [_c("h5", [_c("router-link", {
      attrs: {
        to: "/" + notification.button_url
      },
      domProps: {
        innerHTML: _vm._s(notification.message)
      },
      on: {
        click: function click($event) {
          return _vm.closeNotificationArea();
        }
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "product__sm-price-wrapper"
    }, [_c("small", [_vm._v(_vm._s(notification.created_at))])])])]);
  }), 0), _vm._v(" "), _c("br"), _c("br")])])])]), _vm._v(" "), _c("div", {
    staticClass: "body-overlay"
  }), _vm._v(" "), _c("div", {
    staticClass: "sidebar__area"
  }, [_c("div", {
    staticClass: "sidebar__wrapper"
  }, [_vm._m(4), _vm._v(" "), _c("div", {
    staticClass: "sidebar__content"
  }, [_c("div", {
    staticClass: "logo mb-40"
  }, [_c("a", {
    attrs: {
      href: "/"
    }
  }, [_c("img", {
    staticStyle: {
      width: "160px"
    },
    attrs: {
      src: "/img/logo/logo-slogan.svg",
      alt: "Okulistan Logo"
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "mobile-menu fix"
  }), _vm._v(" "), _c("div", {
    staticClass: "p-relative mt-40"
  }, [!_vm.isLoggedIn ? _c("div", {
    staticClass: "btn-group",
    attrs: {
      role: "group",
      "aria-label": "Button group with nested dropdown"
    }
  }, [_vm._m(5), _vm._v(" "), _vm._m(6)]) : _c("div", [!_vm.exitProgress ? _c("button", {
    staticClass: "btn btn-outline-danger",
    on: {
      click: function click($event) {
        return _vm.apiLogout();
      }
    }
  }, [_c("i", {
    staticClass: "fas fa-sign-out-alt"
  }), _vm._v("\n                            GÃ¼venli Ã‡Ä±kÄ±ÅŸ\n                        ")]) : _c("button", {
    staticClass: "btn btn-outline-danger",
    attrs: {
      disabled: ""
    },
    on: {
      click: function click($event) {
        return _vm.apiLogout();
      }
    }
  }, [_c("i", {
    staticClass: "fas fa-spin fa-sync"
  }), _vm._v("\n                            Ã‡Ä±kÄ±ÅŸ YapÄ±lÄ±yor..\n                        ")])])]), _vm._v(" "),  false ? 0 : _vm._e()])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("button", {
    attrs: {
      type: "submit"
    }
  }, [_c("i", {
    staticClass: "fad fa-search"
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sidebar__menu d-xl-none"
  }, [_c("div", {
    staticClass: "sidebar-toggle-btn ml-30",
    attrs: {
      id: "sidebar-toggle"
    }
  }, [_c("span", {
    staticClass: "line"
  }), _vm._v(" "), _c("span", {
    staticClass: "line"
  }), _vm._v(" "), _c("span", {
    staticClass: "line"
  })])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "cartmini__title"
  }, [_c("h4", [_vm._v("Bildirimler")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "spinner-border text-primary",
    attrs: {
      role: "status"
    }
  }, [_c("span", {
    staticClass: "sr-only"
  }, [_vm._v("YÃ¼kleniyor...")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sidebar__close"
  }, [_c("button", {
    staticClass: "sidebar__close-btn",
    attrs: {
      id: "sidebar__close-btn"
    }
  }, [_c("span", [_c("i", {
    staticClass: "fal fa-times"
  })]), _vm._v(" "), _c("span", [_vm._v("kapat")])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("a", {
    staticClass: "btn btn-outline-primary",
    attrs: {
      href: "/kayit-ol"
    }
  }, [_c("i", {
    staticClass: "fas fa-user-plus"
  }), _vm._v("\n                            KayÄ±t Ol\n                        ")]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("a", {
    staticClass: "btn btn-primary",
    attrs: {
      href: "/giris-yap"
    }
  }, [_c("i", {
    staticClass: "fas fa-sign-in-alt"
  }), _vm._v("\n                            GiriÅŸ Yap")]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("form", {
    attrs: {
      action: "#"
    }
  }, [_c("input", {
    attrs: {
      type: "text",
      placeholder: "Arama Yap..."
    }
  }), _vm._v(" "), _c("button", {
    attrs: {
      type: "submit"
    }
  }, [_c("i", {
    staticClass: "fad fa-search"
  })])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePage.vue?vue&amp;type=template&amp;id=fa44bb0e&amp;":
/*!**************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePage.vue?vue&amp;type=template&amp;id=fa44bb0e&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "hero__area hero__height hero__height-2 d-flex align-items-center blue-bg-3 p-relative fix"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "hero__content-wrapper mt-90"
  }, [_c("div", {
    staticClass: "row align-items-center"
  }, [_c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6 col-md-6",
    staticStyle: {
      "margin-top": "-140px"
    }
  }, [_c("div", {
    staticClass: "hero__content hero__content-2 p-relative z-index-1"
  }, [_c("h3", {
    staticClass: "hero__title hero__title-2"
  }, [_vm._v("\n                                HoÅŸ geldiniz\n                            ")]), _vm._v(" "), _c("h4", [_vm._v("EÄŸitimin geleceÄŸi online eÄŸitim ile;")]), _vm._v(" "), _c("p", {
    staticClass: "mb-1 mt-1"
  }, [_vm._v("AlanÄ±nda uzman, binlerce profesyonel eÄŸitmen arasÄ±ndan Ã§ok uygun ÅŸartlarda ders almak ya da uzman olduÄŸun branÅŸtan ders vermek iÃ§in doÄŸru adrestesin. Hemen hangi branÅŸtan ders almak istediÄŸini yaz, eÄŸitmenini seÃ§ ve derse baÅŸla.")]), _vm._v(" "), _c("div", {
    staticClass: "hero__search"
  }, [_c("form", {
    attrs: {
      action: "#"
    }
  }, [_c("div", {
    staticClass: "hero__search-input mt-20 mb-20"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.quickSearch,
      expression: "quickSearch"
    }],
    attrs: {
      type: "text",
      placeholder: "Hangi derse ihtiyacÄ±n var?"
    },
    domProps: {
      value: _vm.quickSearch
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.quickSearch = $event.target.value;
      }
    }
  }), _vm._v(" "), _vm._m(1)])]), _vm._v(" "), _c("p", {
    staticClass: "mb-1"
  }, [_vm._v("Ya da ders talebini oluÅŸtur, eÄŸitmenin seni bulsun")]), _vm._v(" "), _c("button", {
    staticClass: "btn btn-warning",
    on: {
      click: _vm.openLessonRequestModal
    }
  }, [_vm._v("Ders Talep Et\n                                ")])]), _vm._v(" "), _c("br"), _c("br"), _vm._v(" "), _c("router-link", {
    staticClass: "hero__btn hero__btn-2 mt-20",
    attrs: {
      to: "/sikca_sorulan_sorular"
    }
  }, [_c("i", {
    staticClass: "far fa-question-circle"
  }), _vm._v(" "), _c("span", [_vm._v("SÄ±kÃ§a Sorulan Sorular")])])], 1)]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6 col-md-6"
  }, [_c("div", {
    staticClass: "hero__thumb-wrapper mb--120"
  }, [_c("div", {
    staticClass: "hero__thumb-2 scene"
  }, [_c("img", {
    staticClass: "hero-big",
    attrs: {
      src: "/img/hero/student.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "hero-shape-purple",
    attrs: {
      src: "/img/hero/hero-2/hero-shape-purple.png",
      alt: ""
    }
  }), _vm._v(" "),  false ? 0 : _vm._e(), _vm._v(" "),  false ? 0 : _vm._e()])])])])])])]), _vm._v(" "), _c("section", {
    staticClass: "services__area pt-115 pb-40"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(3), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-3 col-xl-3 col-lg-3 col-md-6 col-sm-6"
  }, [_c("div", {
    staticClass: "services__item blue-bg-4 mb-30"
  }, [_c("div", {
    staticClass: "services__icon"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 24 24"
    }
  }, [_c("path", {
    attrs: {
      d: "m16 10c-1.431 0-2.861-.424-4.283-1.271-.442-.264-.717-.756-.717-1.286v-2.943c0-.276.224-.5.5-.5s.5.224.5.5v2.943c0 .176.09.343.229.426 2.538 1.514 5.004 1.514 7.541 0 .14-.083.23-.25.23-.426v-2.943c0-.276.224-.5.5-.5s.5.224.5.5v2.943c0 .529-.275 1.021-.718 1.285-1.421.848-2.851 1.272-4.282 1.272z"
    }
  }), _vm._v(" "), _c("path", {
    attrs: {
      d: "m16 7c-.071 0-.143-.016-.209-.046l-6.5-3c-.178-.082-.291-.259-.291-.454s.113-.372.291-.454l6.5-3c.133-.061.286-.061.419 0l6.5 3c.177.082.29.259.29.454s-.113.372-.291.454l-6.5 3c-.066.03-.138.046-.209.046zm-5.307-3.5 5.307 2.449 5.307-2.449-5.307-2.449z"
    }
  }), _vm._v(" "), _c("path", {
    attrs: {
      d: "m1.5 18c-.276 0-.5-.224-.5-.5v-15c0-1.379 1.122-2.5 2.5-2.5h6c.276 0 .5.224.5.5s-.224.5-.5.5h-6c-.827 0-1.5.673-1.5 1.5v15c0 .276-.224.5-.5.5z"
    }
  }), _vm._v(" "), _c("path", {
    attrs: {
      d: "m7.5 20h-4c-1.378 0-2.5-1.121-2.5-2.5s1.122-2.5 2.5-2.5h14.5v-2.5c0-.276.224-.5.5-.5s.5.224.5.5v3c0 .276-.224.5-.5.5h-15c-.827 0-1.5.673-1.5 1.5s.673 1.5 1.5 1.5h4c.276 0 .5.224.5.5s-.224.5-.5.5z"
    }
  }), _vm._v(" "), _c("path", {
    attrs: {
      d: "m18.5 20h-6c-.276 0-.5-.224-.5-.5s.224-.5.5-.5h5.5v-3.5c0-.276.224-.5.5-.5s.5.224.5.5v4c0 .276-.224.5-.5.5z"
    }
  }), _vm._v(" "), _c("path", {
    attrs: {
      d: "m12.5 24c-.111 0-.222-.037-.313-.109l-2.187-1.75-2.188 1.75c-.15.12-.355.143-.529.06-.173-.084-.283-.259-.283-.451v-6c0-.276.224-.5.5-.5s.5.224.5.5v4.96l1.688-1.351c.183-.146.442-.146.625 0l1.687 1.351v-4.96c0-.276.224-.5.5-.5s.5.224.5.5v6c0 .192-.11.367-.283.45-.069.033-.143.05-.217.05z"
    }
  }), _vm._v(" "), _c("path", {
    attrs: {
      d: "m14.5 18h-9c-.276 0-.5-.224-.5-.5s.224-.5.5-.5h9c.276 0 .5.224.5.5s-.224.5-.5.5z"
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "services__content"
  }, [_c("h3", {
    staticClass: "services__title"
  }, [_c("router-link", {
    attrs: {
      to: "egitmenlerimiz"
    }
  }, [_vm._v("4.000+ "), _c("br"), _vm._v("Birebir ders")])], 1), _vm._v(" "), _c("p", [_vm._v("BugÃ¼ne kadar 4.000'in Ã¼zerinde ders verdik")]), _vm._v(" "), _c("router-link", {
    staticClass: "link-btn-2",
    attrs: {
      to: "egitmenlerimiz"
    }
  }, [_c("i", {
    staticClass: "far fa-arrow-right"
  }), _vm._v(" "), _c("i", {
    staticClass: "far fa-arrow-right"
  })])], 1)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-3 col-xl-3 col-lg-3 col-md-6 col-sm-6"
  }, [_c("div", {
    staticClass: "services__item pink-bg mb-30"
  }, [_c("div", {
    staticClass: "services__icon"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 512 512"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M288,512c-76.5,0-138.7-62.2-138.7-138.7v-64c0-5.9,4.8-10.7,10.7-10.7h256c5.9,0,10.7,4.8,10.7,10.7v64  C426.7,449.8,364.5,512,288,512z M170.7,320v53.3c0,64.7,52.7,117.3,117.3,117.3S405.3,438,405.3,373.3V320H170.7z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M458.7,426.7h-44.8c-5.9,0-10.7-4.8-10.7-10.7c0-5.9,4.8-10.7,10.7-10.7h44.8c8.6,0,16.6-3.3,22.4-9.4  c6.2-6.1,9.6-14,9.6-22.6c0-17.6-14.4-32-32-32h-37.3c-5.9,0-10.7-4.8-10.7-10.7s4.8-10.7,10.7-10.7h37.3  c29.4,0,53.3,23.9,53.3,53.3c0,14.4-5.6,27.8-15.8,37.7C486.5,421.1,473.1,426.7,458.7,426.7L458.7,426.7z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M236.6,256c-3.3,0-6.6-1.5-8.6-4.4c-3.5-4.8-2.4-11.4,2.4-14.9c6.7-4.9,10.1-10.9,9.6-17.1  c-0.6-7-6.2-13.6-15.2-18c-16-7.7-25.9-20.6-27.2-35.3c-1.2-13.8,5.5-27,18.3-36.3c4.8-3.5,11.4-2.4,14.9,2.4  c3.5,4.8,2.4,11.4-2.4,14.9c-6.7,4.9-10.1,10.9-9.6,17.1c0.6,7,6.2,13.6,15.2,18c16,7.7,25.9,20.6,27.2,35.3  c1.2,13.8-5.5,27-18.3,36.3C241,255.3,238.8,256,236.6,256L236.6,256z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M338,256c-3.3,0-6.6-1.5-8.6-4.4c-3.5-4.8-2.4-11.4,2.4-14.9c6.7-4.9,10.1-10.9,9.6-17.1  c-0.6-7-6.2-13.6-15.2-18c-16-7.7-25.9-20.6-27.2-35.3c-1.2-13.8,5.5-27,18.3-36.3c4.8-3.5,11.4-2.4,14.9,2.4  c3.5,4.8,2.4,11.4-2.4,14.9c-6.7,4.9-10.1,10.9-9.6,17.1c0.6,7,6.2,13.6,15.2,18c16,7.7,25.9,20.6,27.2,35.3  c1.2,13.8-5.5,27-18.3,36.3C342.3,255.3,340.1,256,338,256z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M426.7,512H149.3c-5.9,0-10.7-4.8-10.7-10.7s4.8-10.7,10.7-10.7h277.3c5.9,0,10.7,4.8,10.7,10.7  S432.6,512,426.7,512z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M32,442.1c-7.2,0-14.2-2.4-20-7c-7.6-6.1-12-15.3-12-25V66.3c0-12,6.9-23.2,17.6-28.5  c101.9-51.3,178-51.1,238.4,1.1c60.4-52.2,136.5-52.4,238.4-1.1c10.7,5.3,17.6,16.5,17.6,28.5v200.3c0,5.9-4.8,10.7-10.7,10.7  s-10.7-4.8-10.7-10.7V66.3c0-4-2.3-7.7-5.8-9.4c-97-48.9-167.3-47.6-221.5,4.1c-4.1,3.9-10.6,3.9-14.7,0  c-54.2-51.7-124.5-53-221.5-4.2c-3.6,1.8-5.8,5.5-5.8,9.5V410c0,3.3,1.5,6.4,4,8.4c1.5,1.2,4.7,3,9,2.1c25.7-6,46.7-9.8,65.9-12.1  c5.5-0.7,11.1,3.5,11.9,9.3c0.7,5.8-3.5,11.2-9.3,11.9c-18.4,2.2-38.6,6-63.7,11.8C36.7,441.9,34.3,442.1,32,442.1L32,442.1z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M256,106.7c-5.9,0-10.7-4.8-10.7-10.7V53.3c0-5.9,4.8-10.7,10.7-10.7s10.7,4.8,10.7,10.7V96  C266.7,101.9,261.9,106.7,256,106.7z"
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "services__content"
  }, [_vm._m(4), _vm._v(" "), _c("p", [_vm._v("Ä°letiÅŸim sayfamÄ±zdan bizimle iletiÅŸim kurabilirsiniz")]), _vm._v(" "), _c("router-link", {
    staticClass: "link-btn-2",
    attrs: {
      to: "iletisim"
    }
  }, [_c("i", {
    staticClass: "far fa-arrow-right"
  }), _vm._v(" "), _c("i", {
    staticClass: "far fa-arrow-right"
  })])], 1)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-3 col-xl-3 col-lg-3 col-md-6 col-sm-6"
  }, [_c("div", {
    staticClass: "services__item purple-bg mb-30"
  }, [_c("div", {
    staticClass: "services__icon"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 24 24"
    }
  }, [_c("g", [_c("path", {
    attrs: {
      d: "m23.5 10c-.1 0-.2 0-.3-.1l-2.5-1.7c-.2-.1-.5-.2-.8-.2h-6.4c-.8 0-1.5-.7-1.5-1.5v-5c0-.8.7-1.5 1.5-1.5h9c.8 0 1.5.7 1.5 1.5v8c0 .2-.1.4-.3.4 0 .1-.1.1-.2.1zm-10-9c-.3 0-.5.2-.5.5v5c0 .3.2.5.5.5h6.4c.5 0 1 .1 1.4.4l1.7 1.2v-7.1c0-.3-.2-.5-.5-.5z"
    }
  })]), _vm._v(" "), _c("g", [_c("path", {
    attrs: {
      d: "m.5 12c-.1 0-.2 0-.2-.1-.2 0-.3-.2-.3-.4v-8c0-.8.7-1.5 1.5-1.5h8c.3 0 .5.2.5.5s-.2.5-.5.5h-8c-.3 0-.5.2-.5.5v7.1l1.7-1.1c.4-.3.9-.5 1.4-.5h8.4c.3 0 .5.2.5.5s-.2.5-.5.5h-8.4c-.3 0-.6.1-.8.3l-2.5 1.7c-.1 0-.2 0-.3 0z"
    }
  })]), _vm._v(" "), _c("g", [_c("path", {
    attrs: {
      d: "m5.5 18c-1.7 0-3-1.3-3-3s1.3-3 3-3 3 1.3 3 3-1.3 3-3 3zm0-5c-1.1 0-2 .9-2 2s.9 2 2 2 2-.9 2-2-.9-2-2-2z"
    }
  })]), _vm._v(" "), _c("g", [_c("path", {
    attrs: {
      d: "m10.5 24c-.3 0-.5-.2-.5-.5v-2c0-.8-.7-1.5-1.5-1.5h-6c-.8 0-1.5.7-1.5 1.5v2c0 .3-.2.5-.5.5s-.5-.2-.5-.5v-2c0-1.4 1.1-2.5 2.5-2.5h6c1.4 0 2.5 1.1 2.5 2.5v2c0 .3-.2.5-.5.5z"
    }
  })]), _vm._v(" "), _c("g", [_c("path", {
    attrs: {
      d: "m18.5 18c-1.7 0-3-1.3-3-3s1.3-3 3-3 3 1.3 3 3-1.3 3-3 3zm0-5c-1.1 0-2 .9-2 2s.9 2 2 2 2-.9 2-2-.9-2-2-2z"
    }
  })]), _vm._v(" "), _c("g", [_c("path", {
    attrs: {
      d: "m23.5 24c-.3 0-.5-.2-.5-.5v-2c0-.8-.7-1.5-1.5-1.5h-6c-.8 0-1.5.7-1.5 1.5v2c0 .3-.2.5-.5.5s-.5-.2-.5-.5v-2c0-1.4 1.1-2.5 2.5-2.5h6c1.4 0 2.5 1.1 2.5 2.5v2c0 .3-.2.5-.5.5z"
    }
  })])])]), _vm._v(" "), _c("div", {
    staticClass: "services__content"
  }, [_c("h3", {
    staticClass: "services__title"
  }, [_c("a", {
    attrs: {
      href: "javascript:void(0)"
    },
    on: {
      click: _vm.openLessonRequestModal
    }
  }, [_vm._v("Ders"), _c("br"), _vm._v("Talebi")])]), _vm._v(" "), _c("p", [_vm._v("Bir ders talebi oluÅŸturun ve doÄŸru eÄŸitmeni bekleyin")]), _vm._v(" "), _c("a", {
    staticClass: "link-btn-2",
    attrs: {
      href: "javascript:void(0)"
    },
    on: {
      click: _vm.openLessonRequestModal
    }
  }, [_c("i", {
    staticClass: "far fa-arrow-right"
  }), _vm._v(" "), _c("i", {
    staticClass: "far fa-arrow-right"
  })])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-3 col-xl-3 col-lg-3 col-md-6 col-sm-6"
  }, [_c("div", {
    staticClass: "services__item green-bg mb-30"
  }, [_c("div", {
    staticClass: "services__icon"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 512 512"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M256,512c-1.6,0-3.1-0.3-4.6-1c-53.3-25.3-120.8-27.2-212.3-5.7c-9.6,2.1-19.5-0.1-27.1-6.3  c-7.6-6.1-12-15.3-12-25V130.3c0-12,6.9-23.2,17.6-28.5c45.1-22.8,84.5-35.1,120.5-37.6c5.7-0.3,11,4,11.4,9.9  c0.4,5.9-4,11-9.9,11.4c-33.1,2.3-69.9,13.9-112.4,35.4c-3.6,1.8-5.9,5.5-5.9,9.5V474c0,3.3,1.5,6.4,4,8.4c1.5,1.2,4.7,3.1,9,2.1  c93.8-22.1,164.5-20.5,221.6,5.1c57.1-25.5,127.8-27.1,221.8-5c4.4,0.9,7.4-0.9,8.9-2.1c2.6-2,4-5.1,4-8.4V130.3  c0-4-2.3-7.7-5.8-9.4c-47-23.7-87-35.4-122.5-35.8c-5.9-0.1-10.6-4.9-10.6-10.8c0.1-5.8,4.8-10.6,10.7-10.6h0.1  c38.8,0.4,81.9,12.9,131.9,38.1c10.6,5.3,17.6,16.5,17.6,28.5V474c0,9.8-4.4,18.9-12,25c-7.6,6.1-17.5,8.3-27,6.3  c-91.6-21.5-159.1-19.8-212.4,5.6C259.1,511.7,257.6,512,256,512L256,512z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M256,506.7c-5.9,0-10.7-4.8-10.7-10.7V266.7c0-5.9,4.8-10.7,10.7-10.7s10.7,4.8,10.7,10.7V496  C266.7,501.9,261.9,506.7,256,506.7z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M96,341.3c-1,0-2.1-0.1-3.2-0.5c-5.6-1.8-8.8-7.7-7-13.4C134.1,172.8,193.5,67.4,267.5,5.3  c6.1-5.1,14.4-6.6,21.6-4.1c7,2.5,12.1,8.4,13.6,15.9c9.9,50.6,8.2,93.7-5.2,128.2c-1.1,2.9-3.4,5.2-6.4,6.2c-2.9,1-6.2,0.8-8.9-0.8  l-26.3-15v61.4c0,3.3-1.6,6.5-4.3,8.5c-28.2,21.1-66.3,33.5-113.3,36.6c-11.2,28.3-22,58.8-32.2,91.6  C104.7,338.4,100.5,341.3,96,341.3L96,341.3z M281.8,21.3c-51.7,43.3-96,108.8-134.3,198.8c35.6-3.6,64.9-13.2,87.2-28.5v-74.3  c0-3.8,2-7.3,5.3-9.2c3.2-1.9,7.3-1.9,10.6,0l31,17.7C289.7,97,289.8,62,281.8,21.3L281.8,21.3z"
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "services__content"
  }, [_c("h3", {
    staticClass: "services__title"
  }, [_c("router-link", {
    attrs: {
      to: "blog"
    }
  }, [_vm._v("EÄŸitici"), _c("br"), _vm._v(" Blog YazÄ±larÄ±")])], 1), _vm._v(" "), _c("p", [_vm._v("Uzman kadromuzun bloglarÄ±nÄ± okuyabilirsiniz.")]), _vm._v(" "), _c("router-link", {
    staticClass: "link-btn-2",
    attrs: {
      to: "blog"
    }
  }, [_c("i", {
    staticClass: "far fa-arrow-right"
  }), _vm._v(" "), _c("i", {
    staticClass: "far fa-arrow-right"
  })])], 1)])])])])]), _vm._v(" "),  false ? 0 : _vm._e(), _vm._v(" "), _c("home-page-lessons"), _vm._v(" "), _vm._m(6), _vm._v(" "),  false ? 0 : _vm._e(), _vm._v(" "), _c("section", {
    staticClass: "counter__area pt-145 pb-100"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(8), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-2 offset-xxl-1 col-xl-2 offset-xl-1 col-lg-3 col-md-3 offset-md-0 col-sm-5 offset-sm-2"
  }, [_c("div", {
    staticClass: "counter__item mb-30"
  }, [_c("div", {
    staticClass: "counter__icon user mb-15"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 490.7 490.7"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "m245.3 98c-39.7 0-72 32.3-72 72s32.3 72 72 72 72-32.3 72-72-32.3-72-72-72zm0 123.3c-28.3 0-51.4-23-51.4-51.4s23-51.4 51.4-51.4 51.4 23 51.4 51.4-23 51.4-51.4 51.4z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "m389.3 180.3c-28.3 0-51.4 23-51.4 51.4s23 51.4 51.4 51.4c28.3 0 51.4-23 51.4-51.4s-23.1-51.4-51.4-51.4zm0 82.2c-17 0-30.8-13.9-30.8-30.8s13.9-30.8 30.8-30.8 30.8 13.9 30.8 30.8-13.9 30.8-30.8 30.8z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "m102.9 180.3c-28.3 0-51.4 23-51.4 51.4s23 51.4 51.4 51.4 51.4-23 51.4-51.4-23-51.4-51.4-51.4zm0 82.2c-17 0-30.8-13.9-30.8-30.8s13.9-30.8 30.8-30.8 30.8 13.9 30.8 30.8-13.7 30.8-30.8 30.8z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "m245.3 262.5c-73.7 0-133.6 59.9-133.6 133.6 0 5.7 4.6 10.3 10.3 10.3s10.3-4.6 10.3-10.3c0-62.3 50.7-113 113-113s113.1 50.7 113.1 113c0 5.7 4.6 10.3 10.3 10.3s10.3-4.6 10.3-10.3c0-73.7-60-133.6-133.7-133.6z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "m389.3 303.6c-17 0-33.5 4.6-47.9 13.4-4.8 3-6.4 9.2-3.5 14.2 3 4.8 9.2 6.4 14.2 3.5 11.2-6.8 24.1-10.4 37.3-10.4 39.7 0 72 32.3 72 72 0 5.7 4.6 10.3 10.3 10.3s10.3-4.6 10.3-10.3c-0.2-51.3-41.8-92.7-92.7-92.7z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "m149.4 316.9c-14.5-8.7-30.9-13.3-47.9-13.3-51 0-92.5 41.5-92.5 92.5 0 5.7 4.6 10.3 10.3 10.3s10.3-4.6 10.3-10.3c0-39.7 32.3-72 72-72 13.2 0 26 3.6 37.2 10.4 4.8 3 11.2 1.4 14.2-3.5 2.9-4.9 1.2-11.1-3.6-14.1z"
    }
  })])]), _vm._v(" "), _vm._m(9)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-3 col-xl-3 col-lg-3 col-md-3 col-sm-5"
  }, [_c("div", {
    staticClass: "counter__item counter__pl-80 mb-30"
  }, [_c("div", {
    staticClass: "counter__icon book mb-15"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 512 512"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M458.7,512h-384c-29.4,0-53.3-23.9-53.3-53.3V53.3C21.3,23.9,45.3,0,74.7,0H416c5.9,0,10.7,4.8,10.7,10.7v74.7  h32c5.9,0,10.7,4.8,10.7,10.7v405.3C469.3,507.2,464.6,512,458.7,512z M42.7,96v362.7c0,17.6,14.4,32,32,32H448v-384H74.7  C62.7,106.7,51.6,102.7,42.7,96L42.7,96z M74.7,21.3c-17.6,0-32,14.4-32,32s14.4,32,32,32h330.7v-64H74.7z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M309.3,298.7c-2.8,0-5.5-1.1-7.6-3.1l-56.4-56.5l-56.4,56.4c-3.1,3.1-7.6,4-11.6,2.3c-4-1.6-6.6-5.5-6.6-9.8V96  c0-5.9,4.8-10.7,10.7-10.7S192,90.1,192,96v166.3l45.8-45.8c4.2-4.2,10.9-4.2,15.1,0l45.8,45.8V96c0-5.9,4.8-10.7,10.7-10.7  S320,90.1,320,96v192c0,4.3-2.6,8.2-6.6,9.9C312.1,298.4,310.7,298.7,309.3,298.7L309.3,298.7z"
    }
  })])]), _vm._v(" "), _vm._m(10)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-2 offset-xxl-0 col-xl-3 offset-xl-0 col-lg-3 offset-lg-0 col-md-3 offset-md-0 col-sm-5 offset-sm-2"
  }, [_c("div", {
    staticClass: "counter__item counter__pl-34 mb-30"
  }, [_c("div", {
    staticClass: "counter__icon graduate mb-15"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 512 512"
    }
  }, [_c("g", {
    attrs: {
      id: "Page-1"
    }
  }, [_c("g", {
    attrs: {
      id: "_x30_01---Degree"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      id: "Shape",
      d: "M500.6,86.3L261.8,1c-3.8-1.3-7.9-1.3-11.7,0L11.3,86.3C4.5,88.7,0,95.2,0,102.4    s4.5,13.6,11.3,16.1L128,160.1v53.2c0,33.2,114.9,34.1,128,34.1s128-1,128-34.1v-53.2l25.6-9.1v19.6c0,9.4,7.6,17.1,17.1,17.1    h17.1c9.4,0,17.1-7.6,17.1-17.1V145c0-4-1-7.8-2.8-11.4l42.7-15.3c6.8-2.4,11.3-8.9,11.3-16.1S507.5,88.8,500.6,86.3L500.6,86.3z     M366.9,194.6c-32.5-14.8-101-15.4-110.9-15.4s-78.4,0.6-110.9,15.4v-74.3c5.1-6.6,45.4-17.8,110.9-17.8s105.8,11.2,110.9,17.8    V194.6z M256,230.4c-63.1,0-102.8-10.4-110.2-17.1c7.4-6.6,47.1-17.1,110.2-17.1s102.8,10.4,110.2,17.1    C358.8,220,319.1,230.4,256,230.4z M413.6,131.5L384,142v-22.5c0-33.2-114.9-34.1-128-34.1s-128,1-128,34.1V142L17.1,102.4    l239.1-85.3L426.7,78v43C421.3,123,416.7,126.6,413.6,131.5z M443.7,170.7h-17.1v-25.6c0-4.7,3.8-8.5,8.5-8.5s8.5,3.8,8.5,8.5    v25.6H443.7z M443.7,120.7V84.1l51.2,18.3L443.7,120.7z"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      id: "Shape_1_",
      d: "M486.4,264.5c-0.5,0-1,0-1.5,0.1C409.2,276.4,332.6,282,256,281.5    c-76.6,0.5-153.2-5.2-228.9-16.9c-0.5-0.1-1-0.1-1.5-0.1c-6,0-25.6,6.8-25.6,93.9s19.6,93.9,25.6,93.9c0.5,0,1-0.1,1.5-0.2    c58.2-9.2,116.9-14.6,175.8-16l-16.7,40c-2.6,6.4-1,13.7,3.9,18.5s12.3,6.1,18.6,3.4l6.5-2.8l2.8,6.5c2.7,6.3,8.9,10.4,15.7,10.4    h0.2c6.9-0.1,13.1-4.3,15.6-10.6l14.8-35.5l14.8,35.3c2.6,6.5,8.8,10.7,15.7,10.8h0.3c6.8,0,12.9-4,15.6-10.2l2.9-6.5l6.4,2.8    c6.3,2.8,13.8,1.5,18.7-3.4c5-4.8,6.5-12.2,3.9-18.6L326.3,437c53.1,1.9,106,7,158.5,15.4c0.5,0.1,1,0.1,1.5,0.1    c6,0,25.6-6.8,25.6-93.9S492.4,264.5,486.4,264.5L486.4,264.5z M283.3,298.4c3.5,13,5.6,26.4,6.2,39.9c-19.3-9-42-6.9-59.4,5.5    c-0.4-15.3-2.4-30.6-5.9-45.5c10.3,0.2,20.9,0.3,31.8,0.3C265.3,298.7,274.4,298.6,283.3,298.4z M264.5,435.2    c-23.6,0-42.7-19.1-42.7-42.7s19.1-42.7,42.7-42.7s42.7,19.1,42.7,42.7S288.1,435.2,264.5,435.2z M25.6,285.9    c6.5,23.6,9.4,48.1,8.5,72.5c0.9,24.5-2,48.9-8.5,72.5c-6.5-23.6-9.4-48.1-8.5-72.5C16.2,333.9,19.1,309.5,25.6,285.9z     M42.8,432.4c4.7-13.5,8.4-36.2,8.4-74s-3.7-60.5-8.4-74c54.2,7.5,108.8,12,163.5,13.5c5.1,19.7,7.5,40.1,7,60.5    c0,1.2,0,2.4-0.1,3.6c-10.2,17-11.3,38-2.7,55.9l-0.4,0.9C154.2,420.2,98.3,424.7,42.8,432.4L42.8,432.4z M233.9,494.9l-6.2-14.3    c-1.9-4.3-6.9-6.3-11.2-4.4l-14.4,6.3l20-48c8.2,8.3,18.7,14.1,30.1,16.5L233.9,494.9z M312.6,476.2c-4.3-1.9-9.3,0.1-11.2,4.4    l-6.3,14.2L276.8,451c11.5-2.4,21.9-8.1,30.2-16.5l20,47.8L312.6,476.2z M484.7,434.8c-54.8-8.4-110.1-13.6-165.5-15.4l-0.6-1.5    c10.7-22.6,6.1-49.5-11.5-67.3c-0.1-17.7-2.1-35.3-6.1-52.6c61.5-1.4,122.9-6.7,183.7-16.1c4,6.7,10.2,33.3,10.2,76.4    S488.6,428,484.7,434.8L484.7,434.8z"
    }
  })])])])]), _vm._v(" "), _vm._m(11)])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-2 offset-xxl-1 col-xl-3 col-lg-3 col-md-3 col-sm-5"
  }, [_c("div", {
    staticClass: "counter__item mb-30"
  }, [_c("div", {
    staticClass: "counter__icon globe mb-15"
  }, [_c("svg", {
    attrs: {
      viewBox: "0 0 512 512"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M444.2,150.6c6.9-14.6,10.9-30.4,11.8-46.6c0.1-48.5-39.2-87.9-87.8-88c-28,0-54.4,13.3-71,35.9  C175.7,29.1,58.6,109.2,35.8,230.8s57.3,238.6,178.9,261.4c121.6,22.8,238.6-57.3,261.4-178.9c2.6-13.6,3.8-27.4,3.8-41.3  C480,228.9,467.6,186.7,444.2,150.6z M464,272c0,39.2-11.1,77.6-32.1,110.8c-7.1-34.3-20.4-42.5-36.7-48.8  c-5.3-1.6-10.3-4.4-14.4-8.1c-5.9-6.6-11-13.8-15.2-21.5c-11.4-18.8-25.5-42.1-57.7-58.2l-5.9-2.9c-40.4-20-54-26.8-34.8-84.2  c3.5-10.5,9.5-20.1,17.4-27.9c9.9,32.7,34,71.5,55,101.4c11,15.6,32.6,19.4,48.2,8.4c3.3-2.3,6.1-5.1,8.4-8.4  c14.7-20.6,28-42.3,39.7-64.7C454.4,199.5,464,235.4,464,272z M368,32c39.7,0,72,32.3,72,72c0,24.8-20.2,67.2-56.8,119.4  c-6,8.4-17.6,10.4-26,4.4c-1.7-1.2-3.2-2.7-4.4-4.4C316.2,171.2,296,128.8,296,104C296,64.3,328.3,32,368,32z M48,272  c0-45.4,14.9-89.6,42.4-125.7c12,7.9,65.3,45.5,53.6,86.2c-4.9,14.7-3.4,30.8,4.2,44.3c14.1,24.4,45,32.4,45.6,32.6  c0.3,0.1,26.5,9.1,31.4,27.2c2.7,9.9-1.5,21.5-12.6,34.5c-12.5,15.5-29.2,27.1-48,33.5c-14.5,5.6-27.3,10.6-33.5,33.7  C78.8,399,48,337.4,48,272z M256,480c-39.2,0-77.5-11.1-110.6-32c3.6-20.1,10.6-22.9,25.1-28.5c21.3-7.4,40.1-20.5,54.3-38  c14.8-17.3,20.1-33.8,15.9-49.2c-7.3-26.3-40.4-37.6-42.4-38.2c-0.2-0.1-25.5-6.6-36.3-25.2c-5.3-9.8-6.3-21.4-2.6-31.9  c14.3-50.1-42.1-92-58.8-103.1C140,89.4,196.6,64,256,64c10.9,0,21.7,0.9,32.5,2.6c-5.6,11.7-8.5,24.5-8.5,37.4  c0,3.2,0.3,6.4,0.7,9.5c-13.3,10.4-23.2,24.5-28.6,40.5c-23.6,70.6,1.4,83.1,42.9,103.6l5.8,2.9c28,14,40.3,34.3,51.1,52.2  c4.9,8.8,10.7,17.1,17.5,24.6c5.7,5.3,12.5,9.3,20,11.7c12.9,5,24.1,9.4,29.2,52.4C379.4,451,319.4,480,256,480z M368,152  c26.5,0,48-21.5,48-48s-21.5-48-48-48s-48,21.5-48,48C320,130.5,341.5,152,368,152z M368,72c17.7,0,32,14.3,32,32s-14.3,32-32,32  s-32-14.3-32-32S350.3,72,368,72z"
    }
  })])]), _vm._v(" "), _vm._m(12)])])])])]), _vm._v(" "), _c("home-page-blogs"), _vm._v(" "), _c("section", {
    staticClass: "cta__area mb-30"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "cta__inner cta__inner-2 blue-bg fix"
  }, [_vm._m(13), _vm._v(" "), _c("div", {
    staticClass: "row align-items-center"
  }, [_vm._m(14), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-5 col-xl-5 col-lg-5 col-md-6"
  }, [_c("div", {
    staticClass: "cta__apps d-lg-flex justify-content-end p-relative z-index-1"
  }, [_c("router-link", {
    staticClass: "mr-10",
    attrs: {
      to: "/giris-yap"
    }
  }, [_c("i", {
    staticClass: "fas fa-sign-in-alt"
  }), _vm._v(" GiriÅŸ Yap")]), _vm._v(" "), _c("router-link", {
    staticClass: "active",
    attrs: {
      to: "/kayit-ol"
    }
  }, [_c("i", {
    staticClass: "fas fa-user-plus"
  }), _vm._v(" KayÄ±t Olun")])], 1)])])])])]), _vm._v(" "), _vm.requestModal ? _c("b-modal", {
    attrs: {
      title: "Ders Talebi YapÄ±n",
      "hide-footer": ""
    },
    model: {
      value: _vm.requestModal,
      callback: function callback($$v) {
        _vm.requestModal = $$v;
      },
      expression: "requestModal"
    }
  }, [_c("free-lesson-request", {
    on: {
      "close-modal": _vm.closeRequestModal
    }
  })], 1) : _vm._e()], 1);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "hero__shape"
  }, [_c("img", {
    staticClass: "hero-1-circle",
    attrs: {
      src: "/img/shape/hero/hero-1-circle.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "hero-1-circle-2",
    attrs: {
      src: "/img/shape/hero/hero-1-circle-2.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "hero-1-dot-2",
    attrs: {
      src: "/img/shape/hero/hero-1-dot-2.png",
      alt: ""
    }
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("button", {
    attrs: {
      type: "submit"
    }
  }, [_c("i", {
    staticClass: "fad fa-search"
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "hero__promotion-text"
  }, [_c("h5", [_c("span", {
    staticClass: "counter"
  }, [_vm._v("5.000")]), _vm._v("+ Ã¶ÄŸrenciye")]), _vm._v(" "), _c("p", [_vm._v("Ders Verdik")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 offset-xxl-3 col-xl-6 offset-xl-3"
  }, [_c("div", {
    staticClass: "section__title-wrapper section-padding mb-60 text-center"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Neden "), _c("span", {
    staticClass: "yellow-bg"
  }, [_vm._v("Okulistan'a "), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg-2.png",
      alt: ""
    }
  })]), _vm._v(" katÄ±lmalÄ±yÄ±m?")]), _vm._v(" "), _c("h3", [_vm._v("Vizyonumuz;")]), _vm._v(" "), _c("p", [_vm._v("DÃ¼nyanÄ±n her yerindeki insanlarÄ±n eÄŸitime eriÅŸimini kolaylaÅŸtÄ±rmak ve herkes iÃ§in kaliteli eÄŸitim saÄŸlamaktÄ±r."), _c("br"), _vm._v("\n                        Bunun iÃ§in sen de bize katÄ±l.")])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("h3", {
    staticClass: "services__title"
  }, [_c("a", {
    attrs: {
      href: "iletisim"
    }
  }, [_vm._v("Ä°letiÅŸime"), _c("br"), _vm._v("GeÃ§")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-5 offset-xxl-1 col-xl-6 col-lg-6"
  }, [_c("div", {
    staticClass: "about__thumb-wrapper"
  }, [_c("div", {
    staticClass: "about__review"
  }, [_c("h5", [_c("span", [_vm._v("8.200+")]), _vm._v(" beÅŸ yÄ±ldÄ±zlÄ± yorum")])]), _vm._v(" "), _c("div", {
    staticClass: "about__thumb ml-100"
  }, [_c("img", {
    attrs: {
      src: "/img/about/about.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "about__banner mt--210"
  }, [_c("img", {
    attrs: {
      src: "/img/about/about-banner.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "about__student ml-270 mt--80"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_c("img", {
    attrs: {
      src: "/img/about/student-4.jpg",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    attrs: {
      src: "/img/about/student-3.jpg",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    attrs: {
      src: "/img/about/student-2.jpg",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    attrs: {
      src: "/img/about/student-1.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("p", [_vm._v("Siz de "), _c("span", [_vm._v("4.000+")]), _vm._v(" Ã¶ÄŸrenciye katÄ±lÄ±n")])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6"
  }, [_c("div", {
    staticClass: "about__content pl-70 pr-60 pt-25"
  }, [_c("div", {
    staticClass: "section__title-wrapper mb-25"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Hedeflerinize "), _c("br"), _c("span", {
    staticClass: "yellow-bg-big"
  }, [_vm._v("Okulistan "), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg-2.png",
      alt: ""
    }
  })]), _vm._v(" Ä°le ulaÅŸÄ±n ")]), _vm._v(" "), _c("p", [_vm._v("Eksik olduÄŸun ders ve konularda alanÄ±nda uzman Ã¶ÄŸretmenlerimizden birebir ders alarak\n                                hedefine daha Ã§abuk ulaÅŸabilirsin.")])]), _vm._v(" "), _c("div", {
    staticClass: "about__list mb-35"
  }, [_c("ul", [_c("li", {
    staticClass: "d-flex align-items-center"
  }, [_c("i", {
    staticClass: "icon_check"
  }), _vm._v(" Birebir ders\n                                    imkanÄ±.\n                                ")]), _vm._v(" "), _c("li", {
    staticClass: "d-flex align-items-center"
  }, [_c("i", {
    staticClass: "icon_check"
  }), _vm._v(" AlanÄ±nda uzman\n                                    1.500+ Ã¶ÄŸretmen\n                                ")]), _vm._v(" "), _c("li", {
    staticClass: "d-flex align-items-center"
  }, [_c("i", {
    staticClass: "icon_check"
  }), _vm._v(" En gÃ¼ncel konu\n                                    anlatÄ±mlarÄ±\n                                ")])])]), _vm._v(" "), _c("a", {
    staticClass: "e-btn e-btn-border",
    attrs: {
      href: "./katiy-ol"
    }
  }, [_vm._v("Hemen kayÄ±t olun")])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("section", {
    staticClass: "what__area pt-115"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 offset-xxl-3 col-xl-6 offset-xl-3 col-lg-8 offset-lg-2"
  }, [_c("div", {
    staticClass: "section__title-wrapper mb-60 text-center"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Okulistan "), _c("span", {
    staticClass: "yellow-bg-big"
  }, [_vm._v("nedir? "), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg-2.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("p", [_vm._v("okulistan.com her yaÅŸta ve seviyede Ã§evrimiÃ§i (online) eÄŸitim almak isteyen kiÅŸiler ile her tÃ¼rlÃ¼ branÅŸta Ã§evrimiÃ§i eÄŸitim veren eÄŸitmenleri buluÅŸturan web tabanlÄ± bir eÄŸitim platformudur. ")])])])]), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-5 offset-xl-1 col-xl-5 offset-xl-1 col-lg-6"
  }, [_c("div", {
    staticClass: "what__item transition-3 mb-30 p-relative fix"
  }, [_c("div", {
    staticClass: "what__thumb w-img"
  }, [_c("img", {
    attrs: {
      src: "/img/what/what-1.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "what__content p-absolute text-center"
  }, [_c("h3", {
    staticClass: "what__title white-color"
  }, [_vm._v("NasÄ±l Ders "), _c("br"), _vm._v("AlÄ±rÄ±m?")]), _vm._v(" "), _c("a", {
    staticClass: "e-btn e-btn-border-2",
    attrs: {
      href: "blog/"
    }
  }, [_vm._v("Daha fazla bilgi")])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-5 col-xl-5 col-lg-6"
  }, [_c("div", {
    staticClass: "what__item transition-3 mb-30 p-relative fix"
  }, [_c("div", {
    staticClass: "what__thumb w-img"
  }, [_c("img", {
    attrs: {
      src: "/img/what/what-2.jpg",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "what__content p-absolute text-center"
  }, [_c("h3", {
    staticClass: "what__title white-color"
  }, [_vm._v("NasÄ±l Ders "), _c("br"), _vm._v(" Veririm?")]), _vm._v(" "), _c("a", {
    staticClass: "e-btn e-btn-border-2",
    attrs: {
      href: "blog/"
    }
  }, [_vm._v("Daha fazla bilgi")])])])])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row align-items-center"
  }, [_c("div", {
    staticClass: "col-xxl-5 offset-xxl-1 col-xl-5 offset-xl-1 col-lg-6 col-md-8"
  }, [_c("div", {
    staticClass: "why__content pr-50 mt-40"
  }, [_c("div", {
    staticClass: "section__title-wrapper mb-30"
  }, [_c("span", {
    staticClass: "section__sub-title"
  }, [_vm._v("Why Choses Me")]), _vm._v(" "), _c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Tools for "), _c("span", {
    staticClass: "yellow-bg yellow-bg-big"
  }, [_vm._v("Teachers"), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg.png",
      alt: ""
    }
  })]), _vm._v(" and Learners")]), _vm._v(" "), _c("p", [_vm._v("Oxford chimney pot Eaton faff about blower blatant brilliant, bubble and squeak he\n                                legged it Charles bonnet arse at public school bamboozled.")])]), _vm._v(" "), _c("div", {
    staticClass: "why__btn"
  }, [_c("a", {
    staticClass: "e-btn e-btn-3 mr-30",
    attrs: {
      href: "contact.html"
    }
  }, [_vm._v("Join for Free")]), _vm._v(" "), _c("a", {
    staticClass: "link-btn",
    attrs: {
      href: "about.html"
    }
  }, [_vm._v("\n                                Learn More\n                                "), _c("i", {
    staticClass: "far fa-arrow-right"
  }), _vm._v(" "), _c("i", {
    staticClass: "far fa-arrow-right"
  })])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-5 col-xl-5 col-lg-6 col-md-8"
  }, [_c("div", {
    staticClass: "why__thumb"
  }, [_c("img", {
    attrs: {
      src: "/img/why/why.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "why-green",
    attrs: {
      src: "/img/why/why-shape-green.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "why-pink",
    attrs: {
      src: "/img/why/why-shape-pink.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "why-dot",
    attrs: {
      src: "/img/why/why-shape-dot.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "why-line",
    attrs: {
      src: "/img/why/why-shape-line.png",
      alt: ""
    }
  })])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 offset-xl-3 col-xl-6 offset-xl-3"
  }, [_c("div", {
    staticClass: "section__title-wrapper text-center mb-60"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Gurur "), _c("span", {
    staticClass: "yellow-bg yellow-bg-big"
  }, [_vm._v("Duyuyoruz"), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("p", [_vm._v("Birlikte daha iyisi iÃ§in.")])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "counter__content"
  }, [_c("h4", [_c("span", {
    staticClass: "counter"
  }, [_vm._v("20.457")])]), _vm._v(" "), _c("p", [_vm._v("KayÄ±tlÄ± Ã–ÄŸrenci")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "counter__content"
  }, [_c("h4", [_c("span", {
    staticClass: "counter"
  }, [_vm._v("2.485")])]), _vm._v(" "), _c("p", [_vm._v("Birebir Ders")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "counter__content"
  }, [_c("h4", [_c("span", {
    staticClass: "counter"
  }, [_vm._v("1.457")])]), _vm._v(" "), _c("p", [_vm._v("Online Ã–ÄŸrenci")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "counter__content"
  }, [_c("h4", [_c("span", {
    staticClass: "counter"
  }, [_vm._v("1.500")])]), _vm._v(" "), _c("p", [_vm._v("Aktif Ã–ÄŸretmen")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "cta__shape"
  }, [_c("img", {
    attrs: {
      src: "/img/cta/cta-shape.png",
      alt: ""
    }
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "col-xxl-7 col-xl-7 col-lg-7 col-md-6"
  }, [_c("div", {
    staticClass: "cta__content"
  }, [_c("h3", {
    staticClass: "cta__title"
  }, [_vm._v("Ã–ÄŸrenmeye baÅŸlamak iÃ§in")])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageBlogs.vue?vue&amp;type=template&amp;id=51ce7bc8&amp;scoped=true&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageBlogs.vue?vue&amp;type=template&amp;id=51ce7bc8&amp;scoped=true&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", {
    attrs: {
      id: "homepage-blogs"
    }
  }, [_c("section", {
    staticClass: "course__area pt-60 pb-120"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "course__tab-conent"
  }, [_c("div", {
    staticClass: "tab-content",
    attrs: {
      id: "courseTabContent"
    }
  }, [_c("div", {
    staticClass: "tab-pane fade show active",
    attrs: {
      id: "grid",
      role: "tabpanel",
      "aria-labelledby": "grid-tab"
    }
  }, [_c("div", {
    staticClass: "row"
  }, [_vm._l(_vm.blogs, function (row, i) {
    return !_vm.isFetching ? _c("div", {
      staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-4"
    }, [_c("div", {
      staticClass: "blog__wrapper"
    }, [_c("div", {
      staticClass: "blog__item white-bg mb-30 transition-3 fix"
    }, [_c("div", {
      staticClass: "blog__thumb w-img fix"
    }, [_c("router-link", {
      attrs: {
        to: "/blog/" + row.slug
      }
    }, [_c("img", {
      attrs: {
        src: "/images/posts/profile_photos/" + row.photo_profile,
        alt: ""
      }
    })])], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__content"
    }, [_c("div", {
      staticClass: "blog__tag"
    }, _vm._l(row.tagged, function (tag, i) {
      return _c("a", {
        staticClass: "m-1",
        attrs: {
          href: "#"
        }
      }, [_vm._v(_vm._s(tag.tag_name))]);
    }), 0), _vm._v(" "), _c("h3", {
      staticClass: "blog__title"
    }, [_c("router-link", {
      attrs: {
        to: "/blog/" + row.slug
      }
    }, [_vm._v(_vm._s(row.title))])], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__meta d-flex align-items-center justify-content-between"
    }, [_c("div", {
      staticClass: "blog__author d-flex align-items-center"
    }, [_c("div", {
      staticClass: "blog__author-thumb mr-10"
    }, [_c("img", {
      attrs: {
        src: row.user.photo_portrait,
        alt: ""
      }
    })]), _vm._v(" "), _c("div", {
      staticClass: "blog__author-info"
    }, [_c("h5", {
      staticClass: "capitalize"
    }, [_vm._v(_vm._s(row.user.name))])])]), _vm._v(" "), _c("div", {
      staticClass: "blog__date d-flex align-items-center"
    }, [_c("i", {
      staticClass: "fal fa-clock"
    }), _vm._v(" "), _c("span", [_vm._v(_vm._s(row.approved_at))])])])])])])]) : _vm._e();
  }), _vm._v(" "), _vm._l(_vm.blogCount, function (i) {
    return _vm.isFetching ? _c("div", {
      staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-4"
    }, [_c("div", {
      staticClass: "blog__wrapper"
    }, [_c("div", {
      staticClass: "blog__item white-bg mb-30 transition-3 fix"
    }, [_c("div", {
      staticClass: "blog__thumb w-img fix"
    }, [_c("b-skeleton-img", {
      attrs: {
        aspect: "3:2"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__content"
    }, [_c("div", {
      staticClass: "blog__tag"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "55%"
      }
    })], 1), _vm._v(" "), _c("h3", {
      staticClass: "blog__title"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "85%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "55%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "70%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "40%"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__meta d-flex align-items-center justify-content-between"
    }, [_c("div", {
      staticClass: "blog__author d-flex align-items-center"
    }, [_c("div", {
      staticClass: "blog__author-thumb mr-10"
    }, [_c("b-skeleton", {
      attrs: {
        type: "avatar"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__author-info"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "120px"
      }
    })], 1)]), _vm._v(" "), _c("div", {
      staticClass: "blog__date d-flex align-items-center"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "100px"
      }
    })], 1)])])])])]) : _vm._e();
  }), _vm._v(" "), !_vm.isFetching &amp;&amp; _vm.blogs.length === 0 ? _c("div", {
    staticClass: "col-12"
  }, [_c("div", {
    staticClass: "alert alert-danger text-center mt-10"
  }, [_vm._v("\n                                                    SonuÃ§ bulunamadÄ±.\n                                                ")])]) : _vm._e()], 2)])])])])])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 offset-xxl-3"
  }, [_c("div", {
    staticClass: "section__title-wrapper text-center mb-60"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Bloglardan "), _c("br"), _vm._v("\n                            SeÃ§tiÄŸimiz "), _c("span", {
    staticClass: "yellow-bg yellow-bg-big"
  }, [_vm._v("Ã–rnekler "), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("p", [_vm._v("Sizin iÃ§in Ã¶zel olarak seÃ§tiÄŸimiz iÃ§erikleri keÅŸfedin!")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=template&amp;id=03fe6032&amp;scoped=true&amp;":
/*!*********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=template&amp;id=03fe6032&amp;scoped=true&amp; ***!
  \*********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", {
    attrs: {
      id: "homepage-lessons"
    }
  }, [_c("section", {
    staticClass: "course__area pt-60 pb-120"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row align-items-end"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    directives: [{
      name: "show",
      rawName: "v-show",
      value: false,
      expression: "false"
    }],
    staticClass: "col-xxl-7 col-xl-6 col-lg-6"
  }, [_vm._m(1)])]), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12"
  }, [_c("div", {
    staticClass: "course__tab-conent"
  }, [_c("div", {
    staticClass: "tab-content",
    attrs: {
      id: "courseTabContent"
    }
  }, [_c("div", {
    staticClass: "tab-pane fade show active",
    attrs: {
      id: "grid",
      role: "tabpanel",
      "aria-labelledby": "grid-tab"
    }
  }, [_c("div", {
    staticClass: "row"
  }, [_vm._l(_vm.rows, function (row, i) {
    return !_vm.isFetching ? _c("div", {
      staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-6"
    }, [_c("div", {
      staticClass: "course__item white-bg mb-30 fix"
    }, [_c("div", {
      staticClass: "course__thumb-content"
    }, [_c("div", {
      staticClass: "course__thumb w-img p-relative fix"
    }, [_c("router-link", {
      attrs: {
        to: "/dersler/" + row.name.toLowerCase()
      }
    }, [_c("img", {
      staticClass: "fixed-width",
      attrs: {
        src: row.photo,
        alt: row.photo
      }
    })])], 1), _vm._v(" "), _c("div", {
      staticClass: "course__content"
    }, [_c("h3", {
      staticClass: "course__title"
    }, [_c("router-link", {
      attrs: {
        to: "/dersler/" + row.name.toLowerCase()
      }
    }, [_vm._v("\n                                                                    " + _vm._s(row.name) + "\n                                                                ")])], 1), _vm._v(" "), _c("p", [_vm._v(_vm._s(row.teacher_count) + " Ã¶ÄŸretmen")])])])])]) : _vm._e();
  }), _vm._v(" "), _vm._l(9, function (i) {
    return _vm.isFetching ? _c("div", {
      staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-6"
    }, [_c("div", {
      staticClass: "blog__wrapper"
    }, [_c("div", {
      staticClass: "blog__item white-bg mb-30 transition-3 fix"
    }, [_c("div", {
      staticClass: "blog__thumb w-img fix"
    }, [_c("b-skeleton-img", {
      attrs: {
        aspect: "3:2"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__content"
    }, [_c("div", {
      staticClass: "blog__tag"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "55%"
      }
    })], 1), _vm._v(" "), _c("h3", {
      staticClass: "blog__title"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "85%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "55%"
      }
    }), _vm._v(" "), _c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "40%"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__meta d-flex align-items-center justify-content-between"
    }, [_c("div", {
      staticClass: "blog__author d-flex align-items-center"
    }, [_c("div", {
      staticClass: "blog__author-thumb mr-10"
    }, [_c("b-skeleton", {
      attrs: {
        type: "avatar"
      }
    })], 1), _vm._v(" "), _c("div", {
      staticClass: "blog__author-info"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "120px"
      }
    })], 1)]), _vm._v(" "), _c("div", {
      staticClass: "blog__date d-flex align-items-center"
    }, [_c("b-skeleton", {
      attrs: {
        animation: "wave",
        width: "100px"
      }
    })], 1)])])])])]) : _vm._e();
  }), _vm._v(" "), !_vm.isFetching &amp;&amp; _vm.rows.length === 0 ? _c("div", {
    staticClass: "col-12"
  }, [_c("div", {
    staticClass: "alert alert-danger text-center mt-10"
  }, [_vm._v("\n                                                    SonuÃ§ bulunamadÄ±.\n                                                ")])]) : _vm._e()], 2)])])])])])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "col-xxl-5 col-xl-6 col-lg-6"
  }, [_c("div", {
    staticClass: "section__title-wrapper mb-60"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Sizin Ä°Ã§in "), _c("br"), _vm._v("doÄŸru "), _c("span", {
    staticClass: "yellow-bg yellow-bg-big"
  }, [_vm._v("dersi"), _c("img", {
    attrs: {
      src: "/img/shape/yellow-bg.png",
      alt: ""
    }
  })]), _vm._v(" bulun")]), _vm._v(" "), _c("p", [_vm._v("Daha iyi bir eÄŸitim iÃ§in Okulistan")])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "course__menu d-flex justify-content-lg-end mb-60"
  }, [_c("div", {
    staticClass: "masonary-menu filter-button-group"
  }, [_c("button", {
    staticClass: "active",
    attrs: {
      "data-filter": "*"
    }
  }, [_vm._v("\n                                TÃ¼mÃ¼\n                                "), _c("span", {
    staticClass: "tag"
  }, [_vm._v("yeni")])]), _vm._v(" "), _c("button", {
    attrs: {
      "data-filter": ".cat1"
    }
  }, [_vm._v("Trend")]), _vm._v(" "), _c("button", {
    attrs: {
      "data-filter": ".cat2"
    }
  }, [_vm._v("En PoplÃ¼ler")]), _vm._v(" "), _c("button", {
    attrs: {
      "data-filter": ".cat3"
    }
  }, [_vm._v("DoÄŸrulanmÄ±ÅŸ")]), _vm._v(" "), _c("button", {
    attrs: {
      "data-filter": ".cat4"
    }
  }, [_vm._v("Art &amp; Design")])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=template&amp;id=006b0a42&amp;scoped=true&amp;":
/*!************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=template&amp;id=006b0a42&amp;scoped=true&amp; ***!
  \************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "80px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1)], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transprent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(name)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.user.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(payment_amount)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.payment_amount) + "\n                                        ")])];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [data.item.status === "pending" ? _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-primary"
          },
          on: {
            click: function click($event) {
              return _vm.showApproveModal(data.item);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-edit"
        }), _vm._v("\n                                                Onayla/Reddet\n                                            ")]) : _vm._e(), _vm._v(" "), data.item.status === "approved" ? _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-success"
          }
        }, [_c("b-icon-check"), _vm._v("\n                                                OnaylandÄ±\n                                            ")], 1) : _vm._e(), _vm._v(" "), data.item.status === "rejected" ? _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-danger"
          }
        }, [_c("b-icon-x"), _vm._v("\n                                                Reddedildi\n                                            ")], 1) : _vm._e(), _vm._v(" "), _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-warning"
          },
          on: {
            click: function click($event) {
              return _vm.$emit("open-messages-modal", data.item.user);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-envelope"
        })])], 1)];
      }
    }, {
      key: "cell(status)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(_vm.status[data.item.status]) + "\n                                        ")])];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])]), _vm._v(" "), _c("approve-incoming-money-order", {
    attrs: {
      "approve-modal": _vm.approveModal,
      "current-row": _vm.currentRow
    },
    on: {
      "close-approve-modal": function closeApproveModal($event) {
        _vm.approveModal = false;
        _vm.fetch();
      }
    }
  })], 1);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Okulistan")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v(" Havaleler")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=template&amp;id=3d2ec509&amp;scoped=true&amp;":
/*!******************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=template&amp;id=3d2ec509&amp;scoped=true&amp; ***!
  \******************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "error__area pt-200 pb-200"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-8 offset-xxl-2 col-xl-8 offset-xl-2 col-lg-10 offset-lg-1"
  }, [_c("div", {
    staticClass: "error__item text-center"
  }, [_c("div", {
    staticClass: "error__thumb mb-45"
  }, [_c("img", {
    attrs: {
      src: "/img/error/error.png",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "error__content"
  }, [_c("h3", {
    staticClass: "error__title"
  }, [_vm._v("Sayfa bulunamadÄ±!")]), _vm._v(" "), _c("p", [_vm._v("LÃ¼tfen kontrol edip tekrar deneyin.")]), _vm._v(" "), _c("a", {
    staticClass: "e-btn e-btn-3 e-btn-4 cursor-pointer",
    on: {
      click: function click($event) {
        return _vm.$router.go(-1);
      }
    }
  }, [_vm._v("Geri DÃ¶n")])])])])])])])]);
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Rating.vue?vue&amp;type=template&amp;id=11bd6d70&amp;scoped=true&amp;":
/*!************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Rating.vue?vue&amp;type=template&amp;id=11bd6d70&amp;scoped=true&amp; ***!
  \************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", [_c("b-form", [_c("b-overlay", {
    attrs: {
      show: _vm.submitting,
      rounded: "sm",
      variant: "transparent",
      blur: "1px"
    }
  }, [!_vm.approval ? _c("b-alert", {
    attrs: {
      show: "",
      variant: "warning"
    }
  }, [_vm._v("\n                DeÄŸerlendirmeniz, onaylandÄ±ktan sonra yayÄ±nlanacaktÄ±r. LÃ¼tfen uygun bir Ã¼slup kullanarak argo ve hakaret iÃ§ermeyen ifadeler tercih ediniz.\n            ")]) : _c("b-alert", {
    attrs: {
      show: "",
      variant: "warning"
    }
  }, [_vm._v("\n                DeÄŸerlendirmeyi (yorumu) dÃ¼zenleyebilir ve bu ÅŸekli ile onaylayabilir ya da reddedebilirsiniz.\n            ")]), _vm._v(" "), _vm.approval ? _c("b-form-group", {
    attrs: {
      id: "rating-label",
      label: "Ã–ÄŸrenci AdÄ±:",
      "label-for": "rating"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "rating",
      readonly: ""
    },
    model: {
      value: _vm.lesson_request.student.name,
      callback: function callback($$v) {
        _vm.$set(_vm.lesson_request.student, "name", $$v);
      },
      expression: "lesson_request.student.name"
    }
  })], 1) : _vm._e(), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "rating-label",
      label: "EÄŸitmen AdÄ±:",
      "label-for": "rating"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "rating",
      readonly: ""
    },
    model: {
      value: _vm.lesson_request.teacher.name,
      callback: function callback($$v) {
        _vm.$set(_vm.lesson_request.teacher, "name", $$v);
      },
      expression: "lesson_request.teacher.name"
    }
  })], 1), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "rating-label",
      label: "Ders:",
      "label-for": "rating"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "rating",
      readonly: ""
    },
    model: {
      value: _vm.lesson_request.lesson.name,
      callback: function callback($$v) {
        _vm.$set(_vm.lesson_request.lesson, "name", $$v);
      },
      expression: "lesson_request.lesson.name"
    }
  })], 1), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "rating-label",
      label: "Seviye:",
      "label-for": "rating"
    }
  }, [_c("b-form-input", {
    attrs: {
      id: "rating",
      readonly: ""
    },
    model: {
      value: _vm.lesson_request.grade.name,
      callback: function callback($$v) {
        _vm.$set(_vm.lesson_request.grade, "name", $$v);
      },
      expression: "lesson_request.grade.name"
    }
  })], 1), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "rating-label",
      label: "Puan:",
      "label-for": "rating"
    }
  }, [_c("select", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.requestData.rating,
      expression: "requestData.rating"
    }],
    staticClass: "form-control",
    attrs: {
      disabled: _vm.approval
    },
    on: {
      change: function change($event) {
        var $$selectedVal = Array.prototype.filter.call($event.target.options, function (o) {
          return o.selected;
        }).map(function (o) {
          var val = "_value" in o ? o._value : o.value;
          return val;
        });
        _vm.$set(_vm.requestData, "rating", $event.target.multiple ? $$selectedVal : $$selectedVal[0]);
      }
    }
  }, [_c("option", {
    attrs: {
      value: "",
      selected: ""
    }
  }, [_vm._v("KaÃ§ puan vermek istersiniz")]), _vm._v(" "), _vm._l(_vm.starList, function (star, i) {
    return _c("option", {
      key: i,
      domProps: {
        value: star.value
      }
    }, [_vm._v("\n                        " + _vm._s(star.text) + "\n                    ")]);
  })], 2)]), _vm._v(" "), _c("b-form-group", {
    attrs: {
      id: "input-group-1",
      label: "Yorum:",
      "label-for": "input-1"
    }
  }, [_c("b-form-textarea", {
    attrs: {
      id: "textarea",
      placeholder: "EÄŸiticinizi DeÄŸerlendiriniz...",
      rows: "3",
      "max-rows": "6",
      maxlength: "250"
    },
    model: {
      value: _vm.requestData.comment,
      callback: function callback($$v) {
        _vm.$set(_vm.requestData, "comment", $$v);
      },
      expression: "requestData.comment"
    }
  })], 1), _vm._v(" "), _c("b-checkbox", {
    attrs: {
      disabled: _vm.approval,
      value: "1",
      "unchecked-value": "0",
      inline: ""
    },
    model: {
      value: _vm.requestData.is_anonymous,
      callback: function callback($$v) {
        _vm.$set(_vm.requestData, "is_anonymous", $$v);
      },
      expression: "requestData.is_anonymous"
    }
  }, [_vm._v(" Ä°smim GÃ¶sterilmesin")])], 1)], 1), _vm._v(" "), _c("footer", {
    staticClass: "modal-footer"
  }, [_c("div", {
    staticClass: "w-100",
    staticStyle: {
      "text-align": "right"
    }
  }, [!_vm.submitting ? _c("b-button", {
    staticClass: "mr-2",
    attrs: {
      variant: "primary",
      disabled: !_vm.canSubmit
    },
    on: {
      click: _vm.submitRating
    }
  }, [_vm._v("\n                " + _vm._s(_vm.approval ? "Onayla" : "GÃ¶nder") + "\n            ")]) : _c("b-button", {
    staticClass: "mr-2",
    attrs: {
      variant: "primary",
      disabled: ""
    }
  }, [_c("b-spinner", {
    attrs: {
      small: "",
      type: "grow",
      variant: "light"
    }
  }), _vm._v("\n                " + _vm._s(_vm.approval ? "OnaylanÄ±yor..." : "GÃ¶nderiliyor...") + "\n            ")], 1)], 1)])], 1);
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ResetPassword.vue?vue&amp;type=template&amp;id=d837f8a2&amp;scoped=true&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ResetPassword.vue?vue&amp;type=template&amp;id=d837f8a2&amp;scoped=true&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-100 pb-145"
  }, [_c("div", {
    staticClass: "sign__shape"
  }, [_c("img", {
    staticClass: "man-1",
    attrs: {
      src: "/img/icon/sign/man-3.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "man-2 man-22",
    attrs: {
      src: "/img/icon/sign/man-2.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "circle",
    attrs: {
      src: "/img/icon/sign/circle.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "zigzag",
    attrs: {
      src: "/img/icon/sign/zigzag.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "dot",
    attrs: {
      src: "/img/icon/sign/dot.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "bg",
    attrs: {
      src: "/img/icon/sign/sign-up.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "flower",
    attrs: {
      src: "/img/icon/sign/flower.png",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "container"
  }, [!_vm.checkingToken &amp;&amp; _vm.canSubmit ? _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 offset-xxl-3 col-xl-6 offset-xl-3 col-lg-8 offset-lg-2"
  }, [_c("div", {
    staticClass: "sign__wrapper white-bg"
  }, [_c("div", {
    staticClass: "sign__form"
  }, [_c("div", {
    staticClass: "course__teacher-thumb text-center"
  }, [_vm.user.photo_portrait ? _c("img", {
    staticStyle: {
      height: "100px",
      width: "100px"
    },
    attrs: {
      src: _vm.user.photo_portrait
    }
  }) : _vm._e(), _c("br"), _c("br"), _vm._v(" "), _c("h3", [_vm._v("ParolanÄ±zÄ± SÄ±fÄ±rlayÄ±n")])]), _vm._v(" "), _c("hr"), _vm._v(" "), _c("div", {
    staticClass: "sign__input-wrapper mb-25"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "sign__input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.input.password,
      expression: "input.password"
    }],
    staticClass: "form-control",
    "class": {
      "is-valid": _vm.input.password.length &gt; 5,
      "is-invalid": _vm.input.password.length &gt; 0 &amp;&amp; _vm.input.password.length &lt; 6
    },
    attrs: {
      type: "password",
      id: "password",
      disabled: _vm.posting || _vm.saved,
      placeholder: "ParolanÄ±z"
    },
    domProps: {
      value: _vm.input.password
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.input, "password", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("i", {
    staticClass: "fal fa-lock"
  })]), _vm._v(" "), _vm.errors.password ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                    " + _vm._s(_vm.errors.password[0]) + "\n                                ")]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "sign__input-wrapper mb-10"
  }, [_vm._m(1), _vm._v(" "), _c("div", {
    staticClass: "sign__input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.input.password_confirmation,
      expression: "input.password_confirmation"
    }],
    staticClass: "form-control",
    "class": {
      "is-valid": _vm.input.password_confirmation.length &gt; 5 &amp;&amp; !_vm.errors.password_confirmation,
      "is-invalid": _vm.input.password_confirmation.length &gt; 5 &amp;&amp; _vm.errors.password_confirmation
    },
    attrs: {
      type: "password",
      id: "password_confirmation",
      disabled: _vm.posting || _vm.saved,
      placeholder: "ParolanÄ±zÄ± tekrar yazÄ±n"
    },
    domProps: {
      value: _vm.input.password_confirmation
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.input, "password_confirmation", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("i", {
    staticClass: "fal fa-lock"
  })]), _vm._v(" "), _vm.errors.password_confirmation ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                    " + _vm._s(_vm.errors.password_confirmation[0]) + "\n                                ")]) : _vm._e(), _vm._v(" "), _vm.input.password_confirmation.length &gt; 5 &amp;&amp; _vm.errors.password_confirmation ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                    Parolalar eÅŸleÅŸmiyor.\n                                ")]) : _vm._e()]), _vm._v(" "), !_vm.posting &amp;&amp; !_vm.saved ? _c("button", {
    staticClass: "e-btn w-100 text-capitalize mt-30",
    "class": {
      "btn-secondary": !_vm.canSubmit,
      "btn-primary": _vm.canSubmit
    },
    on: {
      click: function click($event) {
        _vm.canSubmit ? _vm.passwordReset() : null;
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-check"
  }), _vm._v(" Kaydet\n                            ")]) : _vm._e(), _vm._v(" "), _vm.posting ? _c("button", {
    staticClass: "e-btn w-100 text-capitalize mt-30 btn-secondary",
    attrs: {
      type: "button",
      disabled: ""
    }
  }, [_c("span", {
    staticClass: "spinner-border spinner-border-sm",
    attrs: {
      role: "status",
      "aria-hidden": "true"
    }
  }), _vm._v("\n                                Bekleyiniz..\n                            ")]) : _vm._e(), _vm._v(" "), _vm.saved ? _c("button", {
    staticClass: "e-btn w-100 text-capitalize mt-30 btn-success",
    attrs: {
      type: "button"
    }
  }, [_c("i", {
    staticClass: "fa fa-check"
  }), _vm._v(" Kaydedildi\n                            ")]) : _vm._e()])])])]) : _vm._e(), _vm._v(" "), _vm.checkingToken ? _c("div", {
    staticClass: "row"
  }, [_vm._m(2)]) : _vm._e()])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("h5", [_c("label", {
    attrs: {
      "for": "password"
    }
  }, [_vm._v("Yeni ParolanÄ±z")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("h5", [_c("label", {
    attrs: {
      "for": "password_confirmation"
    }
  }, [_vm._v("Yeni Parola tekrarÄ±")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "col-xxl-8 offset-xxl-2 col-xl-8 offset-xl-2"
  }, [_c("div", {
    staticClass: "section__title-wrapper text-center mb-55"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("\n                            LÃ¼tfen bekleyiniz...\n                        ")])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignIn.vue?vue&amp;type=template&amp;id=10dd68ed&amp;scoped=true&amp;":
/*!************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignIn.vue?vue&amp;type=template&amp;id=10dd68ed&amp;scoped=true&amp; ***!
  \************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-100 pb-145"
  }, [_c("div", {
    staticClass: "sign__shape"
  }, [_c("img", {
    staticClass: "man-1",
    attrs: {
      src: "/img/icon/sign/man-1.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "man-2",
    attrs: {
      src: "/img/icon/sign/man-2.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "circle",
    attrs: {
      src: "/img/icon/sign/circle.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "zigzag",
    attrs: {
      src: "/img/icon/sign/zigzag.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "dot",
    attrs: {
      src: "/img/icon/sign/dot.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "bg",
    attrs: {
      src: "/img/icon/sign/sign-up.png",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-8 offset-xxl-2 col-xl-8 offset-xl-2"
  }, [_c("div", {
    staticClass: "section__title-wrapper text-center mb-55"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("GiriÅŸ YapÄ±n")]), _vm._v(" "), _c("div", {
    staticClass: "sign__new text-center mt-20"
  }, [_c("p", [_vm._v("Okulistan'da yeni misin?\n                                "), _c("router-link", {
    attrs: {
      to: "kayit-ol"
    }
  }, [_vm._v("KayÄ±t Ol")])], 1)])])])]), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 offset-xxl-3 col-xl-6 offset-xl-3 col-lg-8 offset-lg-2"
  }, [_c("div", {
    staticClass: "sign__wrapper white-bg"
  }, [_c("div", {
    directives: [{
      name: "show",
      rawName: "v-show",
      value: false,
      expression: "false"
    }],
    staticClass: "sign__header mb-35"
  }, [_vm._m(0)]), _vm._v(" "), _c("div", {
    staticClass: "sign__form"
  }, [_c("form", [_c("div", {
    staticClass: "sign__input-wrapper mb-25"
  }, [_vm._m(1), _vm._v(" "), _c("div", {
    staticClass: "sign__input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.loginData.email,
      expression: "loginData.email"
    }],
    attrs: {
      type: "text",
      id: "email",
      placeholder: "E-posta adresiniz"
    },
    domProps: {
      value: _vm.loginData.email
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.loginData, "email", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("i", {
    staticClass: "fal fa-envelope"
  })])]), _vm._v(" "), _c("div", {
    staticClass: "sign__input-wrapper mb-10"
  }, [_vm._m(2), _vm._v(" "), _c("div", {
    staticClass: "sign__input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.loginData.password,
      expression: "loginData.password"
    }],
    attrs: {
      type: "password",
      id: "parola",
      placeholder: "ParolanÄ±z"
    },
    domProps: {
      value: _vm.loginData.password
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.loginData, "password", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("i", {
    staticClass: "fal fa-lock"
  })])]), _vm._v(" "), _c("div", {
    staticClass: "sign__action d-sm-flex justify-content-between mb-30"
  }, [_vm._m(3), _vm._v(" "), _c("div", {
    staticClass: "sign__forgot"
  }, [_c("router-link", {
    attrs: {
      to: "parolami-unuttum"
    }
  }, [_vm._v("ParolamÄ± Unuttum")])], 1)]), _vm._v(" "), !_vm.posting ? _c("button", {
    staticClass: "e-btn w-100 btn-primary",
    "class": {
      "btn-danger": _vm.button_text === "Tekrar Dene"
    },
    attrs: {
      disabled: _vm.loginData.email.length &lt; 3 || _vm.loginData.password.length &lt; 6
    },
    on: {
      click: function click($event) {
        return _vm.SignIn();
      }
    }
  }, [_vm._v("\n                                    " + _vm._s(_vm.button_text) + "\n                                ")]) : _vm._e(), _vm._v(" "), _vm.posting ? _c("button", {
    staticClass: "e-btn btn-secondary w-100",
    attrs: {
      disabled: ""
    }
  }, [_c("i", {
    staticClass: "fas fa-spin fa-sync"
  }), _vm._v("\n                                    GiriÅŸ YapÄ±lÄ±yor..\n                                ")]) : _vm._e()])])])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sign__in text-center"
  }, [_c("a", {
    staticClass: "sign__social text-start mb-15",
    attrs: {
      href: "#"
    }
  }, [_c("i", {
    staticClass: "fab fa-facebook-f"
  }), _vm._v("Facebook\n                                    ile giriÅŸ")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("h5", [_c("label", {
    attrs: {
      "for": "email"
    }
  }, [_vm._v("E-posta")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("h5", [_c("label", {
    attrs: {
      "for": "parola"
    }
  }, [_vm._v("Parola")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "sign__agree d-flex align-items-center"
  }, [_c("input", {
    staticClass: "m-check-input",
    attrs: {
      type: "checkbox",
      id: "m-agree"
    }
  }), _vm._v(" "), _c("label", {
    staticClass: "m-check-label",
    attrs: {
      "for": "m-agree"
    }
  }, [_vm._v("Beni hatÄ±rla\n                                        ")])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignUp.vue?vue&amp;type=template&amp;id=2573bf63&amp;scoped=true&amp;":
/*!************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignUp.vue?vue&amp;type=template&amp;id=2573bf63&amp;scoped=true&amp; ***!
  \************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-100 pb-145"
  }, [_c("div", {
    staticClass: "sign__shape"
  }, [_c("img", {
    staticClass: "man-1",
    attrs: {
      src: "/img/icon/sign/man-3.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "man-2 man-22",
    attrs: {
      src: "/img/icon/sign/man-2.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "circle",
    attrs: {
      src: "/img/icon/sign/circle.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "zigzag",
    attrs: {
      src: "/img/icon/sign/zigzag.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "dot",
    attrs: {
      src: "/img/icon/sign/dot.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "bg",
    attrs: {
      src: "/img/icon/sign/sign-up.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "flower",
    attrs: {
      src: "/img/icon/sign/flower.png",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-6 offset-xxl-3 col-xl-6 offset-xl-3 col-lg-8 offset-lg-2"
  }, [_c("div", {
    staticClass: "sign__wrapper white-bg"
  }, [_c("div", {
    staticClass: "sign__form"
  }, [_c("div", {
    staticClass: "mb-25"
  }, [_c("div", {
    staticClass: "btn-group w-100",
    attrs: {
      role: "group",
      "aria-label": "Basic radio toggle button group"
    }
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.input.type,
      expression: "input.type"
    }],
    staticClass: "btn-check",
    attrs: {
      type: "radio",
      name: "btnradio",
      id: "btnradio1",
      autocomplete: "off",
      value: "student",
      checked: "",
      disabled: _vm.posting || _vm.saved
    },
    domProps: {
      checked: _vm._q(_vm.input.type, "student")
    },
    on: {
      change: function change($event) {
        return _vm.$set(_vm.input, "type", "student");
      }
    }
  }), _vm._v(" "), _vm._m(1), _vm._v(" "), _c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.input.type,
      expression: "input.type"
    }],
    staticClass: "btn-check",
    attrs: {
      type: "radio",
      name: "btnradio",
      id: "btnradio2",
      autocomplete: "off",
      value: "teacher",
      disabled: _vm.posting || _vm.saved
    },
    domProps: {
      checked: _vm._q(_vm.input.type, "teacher")
    },
    on: {
      change: function change($event) {
        return _vm.$set(_vm.input, "type", "teacher");
      }
    }
  }), _vm._v(" "), _vm._m(2)]), _vm._v(" "), _vm.errors.type ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                " + _vm._s(_vm.errors.type[0]) + "\n                            ")]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "sign__input-wrapper mb-25"
  }, [_vm._m(3), _vm._v(" "), _c("div", {
    staticClass: "sign__input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.input.name,
      expression: "input.name"
    }],
    staticClass: "form-control text-capitalize",
    "class": {
      "is-valid": _vm.input.name.length &gt; 1 &amp;&amp; !_vm.errors.name,
      "is-invalid": _vm.errors.name
    },
    attrs: {
      type: "text",
      id: "adi",
      disabled: _vm.posting || _vm.saved,
      placeholder: "AdÄ±nÄ±z ve soyadÄ±nÄ±z",
      required: ""
    },
    domProps: {
      value: _vm.input.name
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.input, "name", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("i", {
    staticClass: "fal fa-user"
  })]), _vm._v(" "), _vm.errors.name ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                    " + _vm._s(_vm.errors.name[0]) + "\n                                ")]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "sign__input-wrapper mb-25"
  }, [_vm._m(4), _vm._v(" "), _c("div", {
    staticClass: "sign__input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.input.email,
      expression: "input.email"
    }],
    staticClass: "form-control",
    "class": {
      "is-valid": _vm.input.email.length &gt; 5 &amp;&amp; !_vm.errors.email,
      "is-invalid": _vm.errors.email
    },
    attrs: {
      type: "text",
      id: "email",
      disabled: _vm.posting || _vm.saved,
      placeholder: "E-mail adresiniz"
    },
    domProps: {
      value: _vm.input.email
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.input, "email", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("i", {
    staticClass: "fal fa-envelope"
  })]), _vm._v(" "), _vm.errors.email ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                    " + _vm._s(_vm.errors.email[0]) + "\n                                ")]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "sign__input-wrapper mb-25"
  }, [_vm._m(5), _vm._v(" "), _c("div", {
    staticClass: "sign__input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.input.password,
      expression: "input.password"
    }],
    staticClass: "form-control",
    "class": {
      "is-valid": _vm.input.password.length &gt; 5,
      "is-invalid": _vm.input.password.length &gt; 0 &amp;&amp; _vm.input.password.length &lt; 6
    },
    attrs: {
      type: "password",
      id: "password",
      disabled: _vm.posting || _vm.saved,
      placeholder: "ParolanÄ±z"
    },
    domProps: {
      value: _vm.input.password
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.input, "password", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("i", {
    staticClass: "fal fa-lock"
  })]), _vm._v(" "), _vm.errors.password ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                    " + _vm._s(_vm.errors.password[0]) + "\n                                ")]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "sign__input-wrapper mb-10"
  }, [_vm._m(6), _vm._v(" "), _c("div", {
    staticClass: "sign__input"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.input.password_confirmation,
      expression: "input.password_confirmation"
    }],
    staticClass: "form-control",
    "class": {
      "is-valid": _vm.input.password_confirmation.length &gt; 5 &amp;&amp; !_vm.errors.password_confirmation,
      "is-invalid": _vm.input.password_confirmation.length &gt; 5 &amp;&amp; _vm.errors.password_confirmation
    },
    attrs: {
      type: "password",
      id: "password_confirmation",
      disabled: _vm.posting || _vm.saved,
      placeholder: "ParolanÄ±zÄ± tekrar yazÄ±n"
    },
    domProps: {
      value: _vm.input.password_confirmation
    },
    on: {
      input: function input($event) {
        if ($event.target.composing) return;
        _vm.$set(_vm.input, "password_confirmation", $event.target.value);
      }
    }
  }), _vm._v(" "), _c("i", {
    staticClass: "fal fa-lock"
  })]), _vm._v(" "), _vm.errors.password_confirmation ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                    " + _vm._s(_vm.errors.password_confirmation[0]) + "\n                                ")]) : _vm._e(), _vm._v(" "), _vm.input.password_confirmation.length &gt; 5 &amp;&amp; _vm.errors.password_confirmation ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                    Parolalar eÅŸleÅŸmiyor.\n                                ")]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "sign__action d-flex justify-content-between"
  }, [_c("div", {
    staticClass: "sign__agree d-flex align-items-center"
  }, [_c("input", {
    directives: [{
      name: "model",
      rawName: "v-model",
      value: _vm.input.terms,
      expression: "input.terms"
    }],
    staticClass: "m-check-input",
    attrs: {
      type: "checkbox",
      id: "m-agree"
    },
    domProps: {
      checked: Array.isArray(_vm.input.terms) ? _vm._i(_vm.input.terms, null) &gt; -1 : _vm.input.terms
    },
    on: {
      change: function change($event) {
        var $$a = _vm.input.terms,
          $$el = $event.target,
          $$c = $$el.checked ? true : false;
        if (Array.isArray($$a)) {
          var $$v = null,
            $$i = _vm._i($$a, $$v);
          if ($$el.checked) {
            $$i &lt; 0 &amp;&amp; _vm.$set(_vm.input, "terms", $$a.concat([$$v]));
          } else {
            $$i &gt; -1 &amp;&amp; _vm.$set(_vm.input, "terms", $$a.slice(0, $$i).concat($$a.slice($$i + 1)));
          }
        } else {
          _vm.$set(_vm.input, "terms", $$c);
        }
      }
    }
  }), _vm._v(" "), _vm._m(7)])]), _vm._v(" "), !this.input.terms &amp;&amp; this.input.name.length &gt; 2 &amp;&amp; !this.errors.name &amp;&amp; !this.errors.email &amp;&amp; !this.errors.password &amp;&amp; !this.errors.password_confirmation ? _c("div", {
    staticClass: "invalid-feedback"
  }, [_vm._v("\n                                KoÅŸullarÄ± kabul etmelisiniz.\n                            ")]) : _vm._e(), _vm._v(" "), !_vm.posting &amp;&amp; !_vm.saved ? _c("button", {
    staticClass: "e-btn w-100 text-capitalize mt-30",
    "class": {
      "btn-secondary": !_vm.canSubmit,
      "btn-primary": _vm.canSubmit
    },
    on: {
      click: function click($event) {
        _vm.canSubmit ? _vm.register() : null;
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-check"
  }), _vm._v(" KaydÄ± Tamamla\n                            ")]) : _vm._e(), _vm._v(" "), _vm.posting ? _c("button", {
    staticClass: "e-btn w-100 text-capitalize mt-30 btn-secondary",
    attrs: {
      type: "button",
      disabled: ""
    }
  }, [_c("span", {
    staticClass: "spinner-border spinner-border-sm",
    attrs: {
      role: "status",
      "aria-hidden": "true"
    }
  }), _vm._v("\n                                Bekleyiniz..\n                            ")]) : _vm._e(), _vm._v(" "), _vm.saved ? _c("button", {
    staticClass: "e-btn w-100 text-capitalize mt-30 btn-success",
    attrs: {
      type: "button"
    }
  }, [_c("i", {
    staticClass: "fa fa-check"
  }), _vm._v(" KayÄ±t BaÅŸarÄ±lÄ±\n                            ")]) : _vm._e(), _vm._v(" "), _c("div", {
    staticClass: "sign__new text-center mt-20"
  }, [_c("p", [_vm._v("Zaten Ã¼ye misiniz ?\n                                    "), _c("router-link", {
    attrs: {
      to: "giris-yap"
    }
  }, [_vm._v("GiriÅŸ YapÄ±n")])], 1)])])])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-8 offset-xxl-2 col-xl-8 offset-xl-2"
  }, [_c("div", {
    staticClass: "section__title-wrapper text-center mb-55"
  }, [_c("h2", {
    staticClass: "section__title"
  }, [_vm._v("Ãœcretsiz"), _c("br"), _vm._v("KayÄ±t Olun")]), _vm._v(" "), _c("p", [_vm._v("KÄ±sa bir sÃ¼re iÃ§in..")])])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("label", {
    staticClass: "btn btn-outline-primary",
    attrs: {
      "for": "btnradio1"
    }
  }, [_c("i", {
    staticClass: "fal fa-graduation-cap"
  }), _vm._v(" Ã–ÄŸrenciyim")]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("label", {
    staticClass: "btn btn-outline-primary",
    attrs: {
      "for": "btnradio2"
    }
  }, [_c("i", {
    staticClass: "fal fa-person-chalkboard"
  }), _vm._v(" Ã–ÄŸretmenim")]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("h5", [_c("label", {
    attrs: {
      "for": "adi"
    }
  }, [_vm._v("AdÄ±nÄ±z ve SoyadÄ±nÄ±z")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("h5", [_c("label", {
    attrs: {
      "for": "email"
    }
  }, [_vm._v("E-mail adresiniz")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("h5", [_c("label", {
    attrs: {
      "for": "password"
    }
  }, [_vm._v("ParolanÄ±z")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("h5", [_c("label", {
    attrs: {
      "for": "password_confirmation"
    }
  }, [_vm._v("Parola tekrarÄ±")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("label", {
    staticClass: "m-check-label",
    attrs: {
      "for": "m-agree"
    }
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("KullanÄ±m\n                                        koÅŸullarÄ±nÄ±")]), _vm._v(" kabul ediyorum.")]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=template&amp;id=7d396a30&amp;scoped=true&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=template&amp;id=7d396a30&amp;scoped=true&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6"
  }, [_c("button", {
    staticClass: "btn btn-outline-primary float-end",
    on: {
      click: function click($event) {
        _vm.requestModal = true;
      }
    }
  }, [_c("i", {
    staticClass: "fa fa-plus-circle"
  }), _vm._v("\n                        Ders Talebi OluÅŸtur")])])]), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "80px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "8",
      md: "9"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-center"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.lessons,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Ders SeÃ§iniz"
    },
    model: {
      value: _vm.lessonId,
      callback: function callback($$v) {
        _vm.lessonId = $$v;
      },
      expression: "lessonId"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.grades,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Seviye SeÃ§iniz"
    },
    model: {
      value: _vm.gradeId,
      callback: function callback($$v) {
        _vm.gradeId = $$v;
      },
      expression: "gradeId"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "160px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.weekOptions,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Hafta Ä°Ã§i/Sonu"
    },
    model: {
      value: _vm.week,
      callback: function callback($$v) {
        _vm.week = $$v;
      },
      expression: "week"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "185px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.timeOptions,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "GÃ¼ndÃ¼z/AkÅŸam"
    },
    model: {
      value: _vm.time,
      callback: function callback($$v) {
        _vm.time = $$v;
      },
      expression: "time"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transprent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(name)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.user.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(lesson)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.lesson.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(grade)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.grade.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(price)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.min_price * 1) + " - " + _vm._s(data.item.max_price * 1) + "\n                                        ")])];
      }
    }, {
      key: "cell(status)",
      fn: function fn(data) {
        return [data.item.status === 0 ? _c("i", {
          staticClass: "fa fa-spin fa-spinner"
        }) : _vm._e(), _vm._v(" "), data.item.status === 1 ? _c("i", {
          staticClass: "fa fa-check text-success"
        }) : _vm._e(), _vm._v(" "), data.item.status === -1 ? _c("i", {
          staticClass: "fa fa-times text-danger"
        }) : _vm._e(), _vm._v(" "), data.item.status === -2 ? _c("i", {
          staticClass: "fa fa-trash-restore text-danger"
        }) : _vm._e(), _vm._v("\n                                        " + _vm._s(_vm.status[data.item.status]) + "\n                                        "), data.item.status === -1 ? _c("small", [_c("br"), _vm._v(" "), _c("i", {
          staticClass: "fa fa-info-circle text-danger"
        }), _vm._v(" "), _c("i", [_vm._v(_vm._s(data.item.rejection_reason))])]) : _vm._e(), _vm._v(" "), data.item.status === -2 ? _c("small", [_c("br"), _vm._v(" "), _c("i", {
          staticClass: "fa fa-info-circle text-danger"
        }), _vm._v(" "), _c("i", [_vm._v(_vm._s(data.item.delete_reason))])]) : _vm._e()];
      }
    }, {
      key: "cell(week)",
      fn: function fn(data) {
        return [_vm._v("\n                                        " + _vm._s(_vm.weeks[data.item.week]) + "\n                                    ")];
      }
    }, {
      key: "cell(time)",
      fn: function fn(data) {
        return [_vm._v("\n                                        " + _vm._s(_vm.times[data.item.time]) + "\n                                    ")];
      }
    }, _vm.isLoggedIn ? {
      key: "cell(actions)",
      fn: function fn(data) {
        return [data.item.status !== -1 ? _c("div", {
          staticClass: "text-nowrap"
        }, [data.item.status === 0 ? _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-success"
          },
          on: {
            click: function click($event) {
              return _vm.editRequest(data.item);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-edit"
        })]) : _vm._e(), _vm._v(" "), _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-danger"
          },
          on: {
            click: function click($event) {
              return _vm.deleteRequest(data.item.id);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-trash"
        })])], 1) : _vm._e()];
      }
    } : null], null, true)
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])]), _vm._v(" "), _vm.requestModal ? _c("b-modal", {
    attrs: {
      title: "Yeni Ders Talebi",
      "hide-footer": ""
    },
    model: {
      value: _vm.requestModal,
      callback: function callback($$v) {
        _vm.requestModal = $$v;
      },
      expression: "requestModal"
    }
  }, [_c("free-lesson-request", {
    attrs: {
      fromLessons: true
    },
    on: {
      "close-modal": function closeModal($event) {
        _vm.requestModal = false;
      },
      "fetch-lesson-requests": function fetchLessonRequests($event) {
        return _vm.fetch();
      }
    }
  })], 1) : _vm._e(), _vm._v(" "), _vm.editModal ? _c("b-modal", {
    attrs: {
      title: "Ders Talebi DÃ¼zenleme",
      "hide-footer": ""
    },
    on: {
      "close-modal": function closeModal($event) {
        _vm.editModal = false;
      }
    },
    model: {
      value: _vm.editModal,
      callback: function callback($$v) {
        _vm.editModal = $$v;
      },
      expression: "editModal"
    }
  }, [_c("free-lesson-request", {
    attrs: {
      editData: _vm.editData
    }
  })], 1) : _vm._e()], 1);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "col-xxl-6 col-xl-6 col-lg-6"
  }, [_c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Okulistan")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v(" Ders Taleplerim")])])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=template&amp;id=0302d157&amp;scoped=true&amp;":
/*!*********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=template&amp;id=0302d157&amp;scoped=true&amp; ***!
  \*********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "80px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "8",
      md: "9"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-center"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.teachers,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Ã–ÄŸretmen SeÃ§iniz"
    },
    model: {
      value: _vm.teacherId,
      callback: function callback($$v) {
        _vm.teacherId = $$v;
      },
      expression: "teacherId"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.lessons,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Ders SeÃ§iniz"
    },
    model: {
      value: _vm.lessonId,
      callback: function callback($$v) {
        _vm.lessonId = $$v;
      },
      expression: "lessonId"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.grades,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Seviye SeÃ§iniz"
    },
    model: {
      value: _vm.gradeId,
      callback: function callback($$v) {
        _vm.gradeId = $$v;
      },
      expression: "gradeId"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transprent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(teacher)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.teacher.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(lesson)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.lesson.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(grade)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.grade.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(hour)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, _vm._l(data.item.hour, function (hour, i) {
          return _c("span", {
            staticClass: "badge badge-info",
            staticStyle: {
              "margin-right": "3px"
            }
          }, [_vm._v(" " + _vm._s(hour + ":00â†’" + hour + ":59"))]);
        }), 0)];
      }
    }, {
      key: "cell(total_price)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.total_price * 1) + " TL\n                                        ")])];
      }
    }, {
      key: "cell(status)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_c("b-badge", {
          staticClass: "text-capitalize",
          attrs: {
            variant: data.item.status === 0 ? "warning" : data.item.status === 1 ? "success" : "danger"
          }
        }, [_vm._v("\n                                                " + _vm._s(data.item.status === 0 ? "Onay Bekliyor" : data.item.status === 1 ? "OnaylandÄ±" : "Reddedildi") + "\n                                            ")])], 1)];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [ false ? 0 : _vm._e(), _vm._v(" "), _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-warning"
          },
          on: {
            click: function click($event) {
              return _vm.$emit("open-messages-modal", data.item.teacher);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-envelope"
        })]), _vm._v(" "), data.item.can_be_rated ? _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-danger"
          },
          on: {
            click: function click($event) {
              return _vm.editRating(data.item);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-comment"
        }), _vm._v(" DeÄŸerlendir\n                                            ")]) : _vm._e()], 1)];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])]), _vm._v(" "), _vm.ratingModal ? _c("b-modal", {
    attrs: {
      title: "Ders DeÄŸerlendirme Formu",
      "hide-footer": ""
    },
    on: {
      "close-modal": function closeModal($event) {
        _vm.ratingModal = false;
      }
    },
    model: {
      value: _vm.ratingModal,
      callback: function callback($$v) {
        _vm.ratingModal = $$v;
      },
      expression: "ratingModal"
    }
  }, [_c("Rating", {
    attrs: {
      lesson_request: _vm.lesson_request
    },
    on: {
      "rating-submitted": function ratingSubmitted($event) {
        _vm.ratingModal = false;
        _vm.fetch();
      }
    }
  })], 1) : _vm._e()], 1);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Okulistan")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v(" AldÄ±ÄŸÄ±m Dersler")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=template&amp;id=7709672b&amp;":
/*!********************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=template&amp;id=7709672b&amp; ***!
  \********************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "page__title-area pt-100 pb-110"
  }, [_c("div", {
    staticClass: "page__title-shape"
  }, [_c("img", {
    staticClass: "page-title-shape-5 d-none d-sm-block",
    attrs: {
      src: "../assets/img/page-title/page-title-shape-1.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "page-title-shape-6",
    attrs: {
      src: "../img/page-title/page-title-shape-6.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "page-title-shape-7",
    attrs: {
      src: "../img/page-title/page-title-shape-4.png",
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-8 col-xl-8 col-lg-8"
  }, [_c("div", {
    staticClass: "course__wrapper"
  }, [_c("div", {
    staticClass: "page__title-content mb-25"
  }, [_c("div", {
    staticClass: "page__title-breadcrumb"
  }, [_c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_vm._m(0), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item active",
    attrs: {
      "aria-current": "page"
    }
  }, [_vm._v("\n                                            " + _vm._s(_vm.teacherData.name) + "\n                                        ")])])])]), _vm._v(" "), _c("span", {
    staticClass: "page__title-pre"
  }, [_vm._v("OnaylÄ± EÄŸitici")]), _vm._v(" "), _c("h5", {
    staticClass: "page__title-3"
  }, [_vm._v(_vm._s(_vm.teacherData.name))])]), _vm._v(" "), _c("div", {
    staticClass: "course__meta-2 d-sm-flex mb-30"
  }, [_c("div", {
    staticClass: "course__teacher-3 d-flex align-items-center mr-70 mb-30"
  }, [_c("div", {
    staticClass: "course__teacher-thumb-3 mr-15"
  }, [_c("img", {
    attrs: {
      src: _vm.teacherData.photo_portrait,
      alt: ""
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "course__teacher-info-3"
  }, [_c("h5", [_vm._v("EÄŸitici")]), _vm._v(" "), _c("p", [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v(_vm._s(_vm.teacherData.name))])])])]), _vm._v(" "), _c("div", {
    staticClass: "course__update mr-80 mb-30"
  }, [_c("h5", [_vm._v("Son gÃ¼ncelleme:")]), _vm._v(" "), _c("p", [_vm._v(_vm._s(_vm.teacherData.updated_at))])]), _vm._v(" "), _c("div", {
    staticClass: "course__rating-2 mb-30"
  }, [_c("h5", [_vm._v("Puan:")]), _vm._v(" "), _vm.teacherData.rating_count &gt; 0 ? _c("div", {
    staticClass: "course__rating-inner d-flex align-items-center"
  }, [_c("StarRating", {
    key: _vm.teacherData.id,
    attrs: {
      rating: _vm.teacherData.rating,
      ratingCount: _vm.teacherData.rating_count
    }
  })], 1) : _c("div", [_vm._v("\n                                    HiÃ§ deÄŸerlendirme yok\n                                ")])])]), _vm._v(" "), _vm._m(1), _vm._v(" "), _c("div", {
    staticClass: "course__tab-2 mb-45"
  }, [_c("ul", {
    staticClass: "nav nav-tabs",
    attrs: {
      id: "courseTab",
      role: "tablist"
    }
  }, [_vm._m(2), _vm._v(" "), _c("li", {
    staticClass: "nav-item",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link",
    attrs: {
      id: "review-tab",
      "data-bs-toggle": "tab",
      "data-bs-target": "#review",
      type: "button",
      role: "tab",
      "aria-controls": "review",
      "aria-selected": "false"
    }
  }, [_c("i", {
    staticClass: "icon_star_alt"
  }), _vm._v(" "), _c("span", [_vm._v("DeÄŸerlendirmeler" + _vm._s(_vm.teacherData.rating_count &gt; 0 ? " (".concat(_vm.teacherData.rating_count, ")") : ""))])])])])]), _vm._v(" "), _c("div", {
    staticClass: "course__tab-content mb-95"
  }, [_c("div", {
    staticClass: "tab-content",
    attrs: {
      id: "courseTabContent"
    }
  }, [_c("div", {
    staticClass: "tab-pane fade show active",
    attrs: {
      id: "description",
      role: "tabpanel",
      "aria-labelledby": "description-tab"
    }
  }, [_c("div", {
    staticClass: "course__description"
  }, [_c("div", {
    domProps: {
      innerHTML: _vm._s(_vm.teacherBio)
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "tab-pane fade",
    attrs: {
      id: "review",
      role: "tabpanel",
      "aria-labelledby": "review-tab"
    }
  }, [_c("div", {
    staticClass: "course__review"
  }, [_c("h3", [_vm._v("DeÄŸerlendirmeler")]), _vm._v(" "), _c("p", [_vm._v("\n                                            " + _vm._s(_vm.teacherData.name) + " ile ders yapan Ã¶ÄŸrencilerin yaptÄ±ÄŸÄ± deÄŸerlendirmeler..\n                                        ")]), _vm._v(" "), _c("div", {
    staticClass: "course__review-rating mb-50"
  }, [_c("div", {
    staticClass: "row g-0"
  }, [_c("div", {
    staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-4 col-sm-4"
  }, [_c("div", {
    staticClass: "course__review-rating-info grey-bg text-center"
  }, [_vm.teacherData.rating ? _c("h5", [_vm._v(_vm._s(_vm.teacherData.rating.toFixed(1)))]) : _vm._e(), _vm._v(" "), _c("StarRating", {
    attrs: {
      rating: _vm.teacherData.rating,
      ratingCount: _vm.teacherData.ratingCount,
      alignment: "center"
    }
  }), _vm._v(" "), _c("p", [_vm._v(_vm._s(_vm.teacherData.rating_count &gt; 0 ? _vm.teacherData.rating_count + " DeÄŸerlendirme" : "--"))])], 1)]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-8 col-xl-8 col-lg-8 col-md-8 col-sm-8"
  }, [_c("div", {
    staticClass: "course__review-details grey-bg"
  }, [_c("h5", [_vm._v("DeÄŸerlendirme DetaylarÄ±")]), _vm._v(" "), _vm.teacherData.rating_count &gt; 0 ? _c("div", {
    staticClass: "course__review-content mb-20"
  }, _vm._l([5, 4, 3, 2, 1], function (star) {
    return _c("div", {
      key: star,
      staticClass: "course__review-item d-flex align-items-center justify-content-between"
    }, [_c("div", {
      staticClass: "course__review-text"
    }, [_c("span", [_vm._v(_vm._s(star) + " yÄ±ldÄ±z")])]), _vm._v(" "), _c("div", {
      staticClass: "course__review-progress"
    }, [_c("div", {
      staticClass: "single-progress",
      style: "width:" + _vm.teacherData.rating_stars[star] * 100 / _vm.teacherData.rating_count + "%"
    })]), _vm._v(" "), _c("div", {
      staticClass: "course__review-percent"
    }, [_c("h5", [_vm._v(_vm._s((_vm.teacherData.rating_stars[star] * 100 / _vm.teacherData.rating_count).toFixed(2) * 1) + "%")])])]);
  }), 0) : _c("div", [_vm._v("\n                                                            HiÃ§ deÄŸerlendirme yok\n                                                        ")])])])])]), _vm._v(" "), _c("div", {
    staticClass: "course__comment mb-75"
  }, [_c("h3", [_vm._v(_vm._s(_vm.comments.length) + " Yorum")]), _vm._v(" "), _vm.comments.length &gt; 0 ? _c("ul", _vm._l(_vm.comments, function (comment, i) {
    return _c("li", {
      key: i
    }, [_c("div", {
      staticClass: "course__comment-box"
    }, [_c("div", {
      staticClass: "course__comment-thumb float-start"
    }, [_c("img", {
      attrs: {
        src: comment.student.photo_portrait,
        alt: comment.student.name
      }
    })]), _vm._v(" "), _c("div", {
      staticClass: "course__comment-content"
    }, [_c("div", {
      staticClass: "course__comment-wrapper ml-70 fix"
    }, [_c("div", {
      staticClass: "course__comment-info float-start"
    }, [_c("h4", [_vm._v(_vm._s(comment.student.name))]), _vm._v(" "), _c("span", [_vm._v(_vm._s(comment.comment_date))])]), _vm._v(" "), _c("div", {
      staticClass: "course__comment-rating float-start float-sm-end"
    }, [_c("StarRating", {
      key: comment.id,
      attrs: {
        rating: comment.rating
      }
    })], 1)]), _vm._v(" "), _c("div", {
      staticClass: "course__comment-text ml-70"
    }, [_c("p", [_vm._v(_vm._s(comment.comment))])])])])]);
  }), 0) : _c("div", [_vm._v("\n                                                HiÃ§ yorum yok\n                                            ")])])])])])])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-4 col-xl-4 col-lg-4"
  }, [_c("div", {
    staticClass: "course__sidebar pl-70 p-relative"
  }, [_vm._m(3), _vm._v(" "), _c("div", {
    staticClass: "course__sidebar-widget-2 white-bg mb-20"
  }, [_c("div", {
    staticClass: "course__video"
  }, [_c("div", {
    staticClass: "teacher__details-thumb p-relative w-img mb-20"
  }, [_c("img", {
    attrs: {
      src: _vm.teacherData.photo_portrait,
      alt: ""
    }
  }), _vm._v(" "), _c("div", {
    staticClass: "teacher__details-shape"
  }, [_c("img", {
    staticClass: "teacher-details-shape-1",
    attrs: {
      src: "../img/teacher/details/shape/shape-1.png",
      alt: ""
    }
  }), _vm._v(" "), _c("img", {
    staticClass: "teacher-details-shape-2",
    attrs: {
      src: "../img/teacher/details/shape/shape-2.png",
      alt: ""
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "course__video-meta mb-25 d-flex align-items-center justify-content-between"
  }, [_c("div", {
    staticClass: "course__video-price"
  }, [_c("h5", [_vm._v("\n                                            â‚º" + _vm._s(Number(_vm.teacherCheapestLesson.total_price))), _c("span", [_vm._v("." + _vm._s(_vm.justDecimal(_vm.teacherCheapestLesson.total_price)))])]), _vm._v(" "), _vm.teacherCheapestLesson.total_price !== _vm.teacherCheapestLesson.price ? _c("h5", {
    staticClass: "old-price"
  }, [_vm._v("â‚º" + _vm._s(_vm.teacherCheapestLesson.price))]) : _vm._e()]), _vm._v(" "), _vm.teacherCheapestLesson.total_price !== _vm.teacherCheapestLesson.price ? _c("div", {
    staticClass: "course__video-discount"
  }, [_c("span", [_vm._v(_vm._s(100 - _vm.percentage(_vm.teacherCheapestLesson.total_price, _vm.teacherCheapestLesson.price)) + "% Ä°NDÄ°RÄ°M")])]) : _vm._e()]), _vm._v(" "), _c("div", {
    staticClass: "course__video-content mb-35"
  }, [_c("ul", [_c("li", {
    staticClass: "d-flex align-items-center"
  }, [_c("div", {
    staticClass: "course__video-icon"
  }, [_c("svg", {
    staticStyle: {
      "enable-background": "new 0 0 16 16"
    },
    attrs: {
      version: "1.1",
      xmlns: "http://www.w3.org/2000/svg",
      "xmlns:xlink": "http://www.w3.org/1999/xlink",
      x: "0px",
      y: "0px",
      viewBox: "0 0 16 16",
      "xml:space": "preserve"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M2,6l6-4.7L14,6v7.3c0,0.7-0.6,1.3-1.3,1.3H3.3c-0.7,0-1.3-0.6-1.3-1.3V6z"
    }
  }), _vm._v(" "), _c("polyline", {
    staticClass: "st0",
    attrs: {
      points: "6,14.7 6,8 10,8 10,14.7 "
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "course__video-info"
  }, [_c("h5", {
    staticClass: "capitalize"
  }, [_c("span", [_vm._v("EÄŸitici :")]), _vm._v(" " + _vm._s(_vm.teacherData.name) + "\n                                                ")])])]), _vm._v(" "), _c("li", {
    staticClass: "d-flex align-items-center"
  }, [_c("div", {
    staticClass: "course__video-icon"
  }, [_c("svg", {
    staticStyle: {
      "enable-background": "new 0 0 24 24"
    },
    attrs: {
      version: "1.1",
      xmlns: "http://www.w3.org/2000/svg",
      "xmlns:xlink": "http://www.w3.org/1999/xlink",
      x: "0px",
      y: "0px",
      viewBox: "0 0 24 24",
      "xml:space": "preserve"
    }
  }, [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M4,19.5C4,18.1,5.1,17,6.5,17H20"
    }
  }), _vm._v(" "), _c("path", {
    staticClass: "st0",
    attrs: {
      d: "M6.5,2H20v20H6.5C5.1,22,4,20.9,4,19.5v-15C4,3.1,5.1,2,6.5,2z"
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "course__video-info"
  }, [_c("h5", [_c("span", [_vm._v("BranÅŸ:")]), _vm._v(" " + _vm._s(_vm.teacherLessons.length))])])]), _vm._v(" "), _c("li", {
    staticClass: "d-flex align-items-center"
  }, [_c("div", {
    staticClass: "course__video-icon"
  }, [_c("svg", [_c("path", {
    staticClass: "st0",
    attrs: {
      d: "M13.3,14v-1.3c0-1.5-1.2-2.7-2.7-2.7H5.3c-1.5,0-2.7,1.2-2.7,2.7V14"
    }
  }), _vm._v(" "), _c("circle", {
    staticClass: "st0",
    attrs: {
      cx: "8",
      cy: "4.7",
      r: "2.7"
    }
  })])]), _vm._v(" "), _vm._m(4)]), _vm._v(" "), _c("li", {
    staticClass: "d-flex align-items-center"
  }, [_c("div", {
    staticClass: "course__video-icon"
  }, [_c("svg", {
    staticStyle: {
      "enable-background": "new 0 0 16 16"
    },
    attrs: {
      version: "1.1",
      xmlns: "http://www.w3.org/2000/svg",
      "xmlns:xlink": "http://www.w3.org/1999/xlink",
      x: "0px",
      y: "0px",
      viewBox: "0 0 16 16",
      "xml:space": "preserve"
    }
  }, [_c("circle", {
    staticClass: "st0",
    attrs: {
      cx: "8",
      cy: "8",
      r: "6.7"
    }
  }), _vm._v(" "), _c("polyline", {
    staticClass: "st0",
    attrs: {
      points: "8,4 8,8 10.7,9.3 "
    }
  })])]), _vm._v(" "), _c("div", {
    staticClass: "course__video-info"
  }, [_c("h5", [_c("span", [_vm._v("KayÄ±t :")]), _vm._v(_vm._s(_vm.teacherData.created_at))])])])])]), _vm._v(" "), _c("div", [_c("button", {
    staticClass: "btn btn-primary",
    on: {
      click: function click($event) {
        return _vm.$emit("open-messages-modal", _vm.teacherData);
      }
    }
  }, [_vm._v("Mesaj GÃ¶nder")])])])]), _vm._v(" "), _c("div", {
    staticClass: "course__sidebar-widget-2 white-bg mb-20"
  }, [_c("div", {
    staticClass: "course__sidebar-course"
  }, [_c("h3", {
    staticClass: "course__sidebar-title"
  }, [_vm._v("VerdiÄŸi Dersler")]), _vm._v(" "), _c("ul", _vm._l(_vm.teacherLessons, function (lesson, i) {
    return _c("li", [_c("div", {
      staticClass: "course__sm d-flex align-items-center mb-30"
    }, [_c("div", {
      staticClass: "course__sm-thumb mr-20"
    }, [_c("a", {
      attrs: {
        href: "#"
      }
    }, [_c("img", {
      attrs: {
        src: _vm.teacherData.photo_portrait,
        alt: ""
      }
    })])]), _vm._v(" "), _c("div", {
      staticClass: "course__sm-content"
    }, [_c("div", {
      staticClass: "course__sm-rating"
    }, [_c("StarRating", {
      key: "lesson-" + i,
      attrs: {
        rating: lesson.lesson.ratings_avg_rating
      }
    })], 1), _vm._v(" "), _c("h5", [_c("a", {
      attrs: {
        href: "#"
      }
    }, [_vm._v(_vm._s(lesson.lesson.name))])])])])]);
  }), 0)])])])])])])]), _vm._v(" "), _c("section", {
    staticClass: "cta__area mb--120"
  }, [_c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "cta__inner blue-bg fix"
  }, [_vm._m(5), _vm._v(" "), _c("div", {
    staticClass: "row align-items-center"
  }, [_vm._m(6), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-5 col-xl-5 col-lg-4 col-md-4"
  }, [_c("div", {
    staticClass: "cta__more d-md-flex justify-content-end p-relative z-index-1"
  }, [_c("router-link", {
    staticClass: "e-btn e-btn-white",
    attrs: {
      to: "/kayit-ol"
    }
  }, [_vm._v("Hemen BaÅŸla")])], 1)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "javascript:void(0)"
    }
  }, [_vm._v("EÄŸiticiler")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", [_c("iframe", {
    staticStyle: {
      width: "100%",
      height: "450px"
    },
    attrs: {
      src: "https://www.youtube.com/embed/2Yh7R3I3Lbg?autoplay=0&amp;mute=0&amp;controls=0&amp;origin=https%3A%2F%2Feducal-react.vercel.app&amp;playsinline=1&amp;showinfo=0&amp;rel=0&amp;iv_load_policy=3&amp;modestbranding=1&amp;enablejsapi=1&amp;widgetid=7",
      title: "YouTube video player",
      frameborder: "0",
      allow: "accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture; web-share",
      allowfullscreen: ""
    }
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("li", {
    staticClass: "nav-item",
    attrs: {
      role: "presentation"
    }
  }, [_c("button", {
    staticClass: "nav-link active",
    attrs: {
      id: "description-tab",
      "data-bs-toggle": "tab",
      "data-bs-target": "#description",
      type: "button",
      role: "tab",
      "aria-controls": "description",
      "aria-selected": "true"
    }
  }, [_c("i", {
    staticClass: "icon_ribbon_alt"
  }), _vm._v(" "), _c("span", [_vm._v("Biyografi")])])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "course__shape"
  }, [_c("img", {
    staticClass: "course-dot",
    attrs: {
      src: "assets/img/course/course-dot.png",
      alt: ""
    }
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "course__video-info"
  }, [_c("h5", [_c("span", [_vm._v("Ã–ÄŸrenci SayÄ±sÄ± :")]), _vm._v("20")])]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "cta__shape"
  }, [_c("img", {
    attrs: {
      src: "assets/img/cta/cta-shape.png",
      alt: ""
    }
  })]);
}, function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("div", {
    staticClass: "col-xxl-7 col-xl-7 col-lg-8 col-md-8"
  }, [_c("div", {
    staticClass: "cta__content"
  }, [_c("h3", {
    staticClass: "cta__title"
  }, [_vm._v("Siz de Okulistan'da hemen ders vermeye baÅŸlayÄ±n.")])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=template&amp;id=efd43d38&amp;scoped=true&amp;":
/*!***************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=template&amp;id=efd43d38&amp;scoped=true&amp; ***!
  \***************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c,
    _setup = _vm._self._setupProxy;
  return _c("div", {
    staticClass: "container"
  }, [_c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-4 col-xl-4 col-lg-4 col-md-6"
  }, [_c("div", {
    staticClass: "teacher__details-thumb p-relative w-img pr-30"
  }, [_c("img", {
    staticStyle: {
      color: "transparent",
      width: "100%",
      height: "auto"
    },
    attrs: {
      alt: "image not found",
      loading: "lazy",
      width: "620",
      height: "600",
      decoding: "async",
      src: _vm.user.photo_portrait
    }
  })]), _vm._v(" "), _c("div", {
    staticClass: "mt-10"
  }, [_vm.user.qualified ? _c("button", {
    staticClass: "btn btn-outline-success"
  }, [_c("i", {
    staticClass: "icon_box-checked"
  }), _vm._v("\n                    OnaylÄ± EÄŸitici\n                ")]) : _c("button", {
    staticClass: "btn btn-outline-secondary"
  }, [_c("i", {
    staticClass: "fas fa-times"
  }), _vm._v("\n                    OnaylanmamÄ±ÅŸ EÄŸitici\n                ")])])]), _vm._v(" "), _c("div", {
    staticClass: "col-xxl-8 col-xl-8 col-lg-8"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top d-md-flex align-items-end justify-content-between"
  }, [_c("div", {
    staticClass: "teacher__info"
  }, [_c("h4", [_vm._v(_vm._s(_vm.user.name))]), _c("span", [_c("router-link", {
    staticClass: "btn btn-sm btn-primary",
    attrs: {
      to: "/ogretmen/" + _vm.user.slug
    }
  }, [_c("i", {
    staticClass: "icon_profile"
  }), _vm._v("\n                        Profili Ziyaret Et")])], 1)])]), _vm._v(" "), _c("div", {
    staticClass: "teacher__bio"
  }, [_c("h3", [_vm._v("HakkÄ±nda")]), _vm._v(" "), !_vm.isFetching ? _c("p", {
    domProps: {
      innerHTML: _vm._s(_vm.biography ? _vm.biography : "HenÃ¼z biyografi oluÅŸturulmadÄ±")
    }
  }) : _c("p", [_c("b-skeleton", {
    attrs: {
      animation: "wave",
      width: "100%"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    attrs: {
      animation: "wave",
      width: "90%"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    attrs: {
      animation: "wave",
      width: "80%"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    attrs: {
      animation: "wave",
      width: "100%"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    attrs: {
      animation: "wave",
      width: "90%"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    attrs: {
      animation: "wave",
      width: "80%"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    attrs: {
      animation: "wave",
      width: "100%"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    attrs: {
      animation: "wave",
      width: "90%"
    }
  }), _vm._v(" "), _c("b-skeleton", {
    attrs: {
      animation: "wave",
      width: "80%"
    }
  })], 1)])])])])]);
};
var staticRenderFns = [];
render._withStripped = true;


/***/ }),

/***/ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=template&amp;id=5d09d87e&amp;scoped=true&amp;":
/*!*********************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=template&amp;id=5d09d87e&amp;scoped=true&amp; ***!
  \*********************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c;
  return _c("main", [_c("section", {
    staticClass: "signup__area po-rel-z1 pt-20"
  }, [_c("div", {
    staticClass: "container"
  }, [_vm._m(0), _vm._v(" "), _c("div", {
    staticClass: "row"
  }, [_c("div", {
    staticClass: "col-xxl-12 col-xl-12 col-lg-12"
  }, [_c("div", {
    staticClass: "teacher__wrapper"
  }, [_c("div", {
    staticClass: "teacher__top"
  }, [_c("div", {
    staticClass: "m-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-start mb-1 mb-md-0",
    attrs: {
      cols: "4",
      md: "3"
    }
  }, [_c("label"), _vm._v(" "), _c("v-select", {
    staticClass: "per-page-selector d-inline-block ml-50 mr-1",
    staticStyle: {
      "margin-left": "-8px !important",
      width: "100%",
      "max-width": "80px"
    },
    attrs: {
      dir: "ltr",
      options: _vm.perPageOptions,
      clearable: false
    },
    model: {
      value: _vm.metaData.perPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "perPage", $$v);
      },
      expression: "metaData.perPage"
    }
  })], 1), _vm._v(" "), _c("b-col", {
    attrs: {
      cols: "8",
      md: "9"
    }
  }, [_c("div", {
    staticClass: "d-flex justify-content-center"
  }, [_c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.students,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Ã–ÄŸrenci SeÃ§iniz"
    },
    model: {
      value: _vm.studentId,
      callback: function callback($$v) {
        _vm.studentId = $$v;
      },
      expression: "studentId"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.lessons,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Ders SeÃ§iniz"
    },
    model: {
      value: _vm.lessonId,
      callback: function callback($$v) {
        _vm.lessonId = $$v;
      },
      expression: "lessonId"
    }
  }), _vm._v(" "), _c("v-select", {
    staticClass: "list-filter-select",
    staticStyle: {
      width: "30%",
      "min-width": "150px",
      "margin-left": "2%"
    },
    attrs: {
      dir: "ltr",
      options: _vm.grades,
      reduce: function reduce(name) {
        return name.id;
      },
      label: "name",
      placeholder: "Seviye SeÃ§iniz"
    },
    model: {
      value: _vm.gradeId,
      callback: function callback($$v) {
        _vm.gradeId = $$v;
      },
      expression: "gradeId"
    }
  })], 1)])], 1)], 1), _vm._v(" "), _c("b-overlay", {
    attrs: {
      show: _vm.isFetching || _vm.isTyping,
      rounded: "sm",
      variant: "transprent",
      blur: "2px"
    },
    scopedSlots: _vm._u([{
      key: "overlay",
      fn: function fn() {
        return [_c("div", {
          staticClass: "text-center"
        }, [_c("b-spinner", {
          attrs: {
            label: "Spinning"
          }
        }), _vm._v(" "), _c("p", {
          attrs: {
            id: "cancel-label"
          }
        }, [_vm._v("LÃ¼tfen Bekleyiniz")]), _vm._v(" "), _c("b-button", {
          ref: "cancel",
          attrs: {
            variant: "outline-danger",
            size: "sm",
            "aria-describedby": "cancel-label"
          },
          on: {
            click: function click($event) {
              _vm.isFetching = false;
            }
          }
        }, [_vm._v("\n                                            VazgeÃ§\n                                        ")])], 1)];
      },
      proxy: true
    }])
  }, [_c("b-table", {
    ref: "refCustomerListTable",
    staticClass: "customer-relative",
    attrs: {
      items: _vm.rows,
      fields: _vm.tableColumns,
      striped: "striped",
      bordered: "bordered",
      hover: "hover",
      responsive: "",
      "show-empty": ""
    },
    scopedSlots: _vm._u([{
      key: "cell(id)",
      fn: function fn(data) {
        return [_vm._v("\n                                        #" + _vm._s(_vm.metaData.perPage * (_vm.metaData.currentPage - 1) + (data.index + 1)) + "\n                                    ")];
      }
    }, {
      key: "cell(student)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.student.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(lesson)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.lesson.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(grade)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.grade.name) + "\n                                        ")])];
      }
    }, {
      key: "cell(hour)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, _vm._l(data.item.hour, function (hour, i) {
          return _c("span", {
            staticClass: "badge badge-info",
            staticStyle: {
              "margin-right": "3px"
            }
          }, [_vm._v(" " + _vm._s(hour + ":00â†’" + hour + ":59"))]);
        }), 0)];
      }
    }, {
      key: "cell(total_price)",
      fn: function fn(data) {
        return [_c("b-media", {
          attrs: {
            "vertical-align": "center"
          }
        }, [_vm._v("\n                                            " + _vm._s(data.item.total_price * 1) + " TL\n                                        ")])];
      }
    }, {
      key: "cell(actions)",
      fn: function fn(data) {
        return [_c("div", {
          staticClass: "text-nowrap"
        }, [_c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-success"
          }
        }, [_c("i", {
          staticClass: "fa fa-edit"
        })]), _vm._v(" "), _c("b-button", {
          staticClass: "btn-sm",
          attrs: {
            pill: "",
            variant: "outline-warning"
          },
          on: {
            click: function click($event) {
              return _vm.$emit("open-messages-modal", data.item.student);
            }
          }
        }, [_c("i", {
          staticClass: "fa fa-envelope"
        })])], 1)];
      }
    }])
  })], 1), _vm._v(" "), _c("div", {
    staticClass: "mx-2 mb-2"
  }, [_c("b-row", [_c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-start",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_vm.metaData.total &gt; 0 ? _c("span", {
    staticClass: "text-muted"
  }, [_vm._v("\n                                          " + _vm._s(_vm.metaData.total + " kayÄ±ttan " + _vm.metaData.from + " ile " + _vm.metaData.to + " arasÄ± gÃ¶steriliyor") + "\n                                      ")]) : _vm._e()]), _vm._v(" "), _c("b-col", {
    staticClass: "d-flex align-items-center justify-content-center justify-content-sm-end",
    attrs: {
      cols: "12",
      sm: "6"
    }
  }, [_c("b-pagination", {
    staticClass: "mb-0 mt-1 mt-sm-0",
    attrs: {
      "total-rows": _vm.metaData.total,
      "per-page": _vm.metaData.perPage,
      "first-number": "",
      "last-number": "",
      "prev-class": "prev-item",
      "next-class": "next-item"
    },
    model: {
      value: _vm.metaData.currentPage,
      callback: function callback($$v) {
        _vm.$set(_vm.metaData, "currentPage", $$v);
      },
      expression: "metaData.currentPage"
    }
  })], 1)], 1)], 1)], 1)])])])])])]);
};
var staticRenderFns = [function () {
  var _vm = this,
    _c = _vm._self._c;
  return _c("nav", {
    attrs: {
      "aria-label": "breadcrumb"
    }
  }, [_c("ol", {
    staticClass: "breadcrumb"
  }, [_c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v("Okulistan")])]), _vm._v(" "), _c("li", {
    staticClass: "breadcrumb-item"
  }, [_c("a", {
    attrs: {
      href: "#"
    }
  }, [_vm._v(" Derslerim")])])])]);
}];
render._withStripped = true;


/***/ }),

/***/ "./resources/_Theme/assets/js/ajax-form.js":
/*!*************************************************!*\
  !*** ./resources/_Theme/assets/js/ajax-form.js ***!
  \*************************************************/
/***/ (() =&gt; {

$(function () {
  // Get the form.
  var form = $('#contact-form');

  // Get the messages div.
  var formMessages = $('.ajax-response');

  // Set up an event listener for the contact form.
  $(form).submit(function (e) {
    // Stop the browser from submitting the form.
    e.preventDefault();

    // Serialize the form data.
    var formData = $(form).serialize();

    // Submit the form using AJAX.
    $.ajax({
      type: 'POST',
      url: $(form).attr('action'),
      data: formData
    }).done(function (response) {
      // Make sure that the formMessages div has the 'success' class.
      $(formMessages).removeClass('error');
      $(formMessages).addClass('success');

      // Set the message text.
      $(formMessages).text(response);

      // Clear the form.
      $('#contact-form input,#contact-form textarea').val('');
    }).fail(function (data) {
      // Make sure that the formMessages div has the 'error' class.
      $(formMessages).removeClass('success');
      $(formMessages).addClass('error');

      // Set the message text.
      if (data.responseText !== '') {
        $(formMessages).text(data.responseText);
      } else {
        $(formMessages).text('Oops! An error occured and your message could not be sent.');
      }
    });
  });
});

/***/ }),

/***/ "./resources/_Theme/assets/js/backToTop.js":
/*!*************************************************!*\
  !*** ./resources/_Theme/assets/js/backToTop.js ***!
  \*************************************************/
/***/ (() =&gt; {

!function (s) {
  "use strict";

  s(".switch").on("click", function () {
    s("body").hasClass("light") ? (s("body").removeClass("light"), s(".switch").removeClass("switched")) : (s("body").addClass("light"), s(".switch").addClass("switched"));
  }), s(document).ready(function () {
    var e = document.querySelector(".progress-wrap path"),
      t = e.getTotalLength();
    e.style.transition = e.style.WebkitTransition = "none", e.style.strokeDasharray = t + " " + t, e.style.strokeDashoffset = t, e.getBoundingClientRect(), e.style.transition = e.style.WebkitTransition = "stroke-dashoffset 10ms linear";
    var o = function o() {
      var o = s(window).scrollTop(),
        r = s(document).height() - s(window).height(),
        i = t - o * t / r;
      e.style.strokeDashoffset = i;
    };
    o(), s(window).scroll(o);
    jQuery(window).on("scroll", function () {
      jQuery(this).scrollTop() &gt; 50 ? jQuery(".progress-wrap").addClass("active-progress") : jQuery(".progress-wrap").removeClass("active-progress");
    }), jQuery(".progress-wrap").on("click", function (s) {
      return s.preventDefault(), jQuery("html, body").animate({
        scrollTop: 0
      }, 550), !1;
    });
  });
}(jQuery);

/***/ }),

/***/ "./resources/_Theme/assets/js/bootstrap.bundle.min.js":
/*!************************************************************!*\
  !*** ./resources/_Theme/assets/js/bootstrap.bundle.min.js ***!
  \************************************************************/
/***/ (function(module, exports, __webpack_require__) {

var __WEBPACK_AMD_DEFINE_FACTORY__, __WEBPACK_AMD_DEFINE_RESULT__;function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
/*!
  * Bootstrap v5.0.0-beta1 (https://getbootstrap.com/)
  * Copyright 2011-2020 The Bootstrap Authors (https://github.com/twbs/bootstrap/graphs/contributors)
  * Licensed under MIT (https://github.com/twbs/bootstrap/blob/main/LICENSE)
  */
!function (t, e) {
  "object" == ( false ? 0 : _typeof(exports)) &amp;&amp; "undefined" != "object" ? module.exports = e() :  true ? !(__WEBPACK_AMD_DEFINE_FACTORY__ = (e),
		__WEBPACK_AMD_DEFINE_RESULT__ = (typeof __WEBPACK_AMD_DEFINE_FACTORY__ === 'function' ?
		(__WEBPACK_AMD_DEFINE_FACTORY__.call(exports, __webpack_require__, exports, module)) :
		__WEBPACK_AMD_DEFINE_FACTORY__),
		__WEBPACK_AMD_DEFINE_RESULT__ !== undefined &amp;&amp; (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)) : 0;
}(this, function () {
  "use strict";

  function t(t, e) {
    for (var n = 0; n &lt; e.length; n++) {
      var i = e[n];
      i.enumerable = i.enumerable || !1, i.configurable = !0, "value" in i &amp;&amp; (i.writable = !0), Object.defineProperty(t, i.key, i);
    }
  }
  function e(e, n, i) {
    return n &amp;&amp; t(e.prototype, n), i &amp;&amp; t(e, i), e;
  }
  function n() {
    return (n = Object.assign || function (t) {
      for (var e = 1; e &lt; arguments.length; e++) {
        var n = arguments[e];
        for (var i in n) Object.prototype.hasOwnProperty.call(n, i) &amp;&amp; (t[i] = n[i]);
      }
      return t;
    }).apply(this, arguments);
  }
  function i(t, e) {
    t.prototype = Object.create(e.prototype), t.prototype.constructor = t, t.__proto__ = e;
  }
  var o,
    r,
    s = function s(t) {
      do {
        t += Math.floor(1e6 * Math.random());
      } while (document.getElementById(t));
      return t;
    },
    a = function a(t) {
      var e = t.getAttribute("data-bs-target");
      if (!e || "#" === e) {
        var n = t.getAttribute("href");
        e = n &amp;&amp; "#" !== n ? n.trim() : null;
      }
      return e;
    },
    l = function l(t) {
      var e = a(t);
      return e &amp;&amp; document.querySelector(e) ? e : null;
    },
    c = function c(t) {
      var e = a(t);
      return e ? document.querySelector(e) : null;
    },
    u = function u(t) {
      if (!t) return 0;
      var e = window.getComputedStyle(t),
        n = e.transitionDuration,
        i = e.transitionDelay,
        o = Number.parseFloat(n),
        r = Number.parseFloat(i);
      return o || r ? (n = n.split(",")[0], i = i.split(",")[0], 1e3 * (Number.parseFloat(n) + Number.parseFloat(i))) : 0;
    },
    f = function f(t) {
      t.dispatchEvent(new Event("transitionend"));
    },
    d = function d(t) {
      return (t[0] || t).nodeType;
    },
    h = function h(t, e) {
      var n = !1,
        i = e + 5;
      t.addEventListener("transitionend", function e() {
        n = !0, t.removeEventListener("transitionend", e);
      }), setTimeout(function () {
        n || f(t);
      }, i);
    },
    p = function p(t, e, n) {
      Object.keys(n).forEach(function (i) {
        var o,
          r = n[i],
          s = e[i],
          a = s &amp;&amp; d(s) ? "element" : null == (o = s) ? "" + o : {}.toString.call(o).match(/\s([a-z]+)/i)[1].toLowerCase();
        if (!new RegExp(r).test(a)) throw new Error(t.toUpperCase() + ': Option "' + i + '" provided type "' + a + '" but expected type "' + r + '".');
      });
    },
    g = function g(t) {
      if (!t) return !1;
      if (t.style &amp;&amp; t.parentNode &amp;&amp; t.parentNode.style) {
        var e = getComputedStyle(t),
          n = getComputedStyle(t.parentNode);
        return "none" !== e.display &amp;&amp; "none" !== n.display &amp;&amp; "hidden" !== e.visibility;
      }
      return !1;
    },
    m = function m() {
      return function () {};
    },
    v = function v(t) {
      return t.offsetHeight;
    },
    _ = function _() {
      var t = window.jQuery;
      return t &amp;&amp; !document.body.hasAttribute("data-bs-no-jquery") ? t : null;
    },
    b = function b(t) {
      "loading" === document.readyState ? document.addEventListener("DOMContentLoaded", t) : t();
    },
    y = "rtl" === document.documentElement.dir,
    w = (o = {}, r = 1, {
      set: function set(t, e, n) {
        void 0 === t.bsKey &amp;&amp; (t.bsKey = {
          key: e,
          id: r
        }, r++), o[t.bsKey.id] = n;
      },
      get: function get(t, e) {
        if (!t || void 0 === t.bsKey) return null;
        var n = t.bsKey;
        return n.key === e ? o[n.id] : null;
      },
      "delete": function _delete(t, e) {
        if (void 0 !== t.bsKey) {
          var n = t.bsKey;
          n.key === e &amp;&amp; (delete o[n.id], delete t.bsKey);
        }
      }
    }),
    E = function E(t, e, n) {
      w.set(t, e, n);
    },
    T = function T(t, e) {
      return w.get(t, e);
    },
    k = function k(t, e) {
      w["delete"](t, e);
    },
    O = /[^.]*(?=\..*)\.|.*/,
    L = /\..*/,
    A = /::\d+$/,
    C = {},
    D = 1,
    x = {
      mouseenter: "mouseover",
      mouseleave: "mouseout"
    },
    S = new Set(["click", "dblclick", "mouseup", "mousedown", "contextmenu", "mousewheel", "DOMMouseScroll", "mouseover", "mouseout", "mousemove", "selectstart", "selectend", "keydown", "keypress", "keyup", "orientationchange", "touchstart", "touchmove", "touchend", "touchcancel", "pointerdown", "pointermove", "pointerup", "pointerleave", "pointercancel", "gesturestart", "gesturechange", "gestureend", "focus", "blur", "change", "reset", "select", "submit", "focusin", "focusout", "load", "unload", "beforeunload", "resize", "move", "DOMContentLoaded", "readystatechange", "error", "abort", "scroll"]);
  function j(t, e) {
    return e &amp;&amp; e + "::" + D++ || t.uidEvent || D++;
  }
  function N(t) {
    var e = j(t);
    return t.uidEvent = e, C[e] = C[e] || {}, C[e];
  }
  function I(t, e, n) {
    void 0 === n &amp;&amp; (n = null);
    for (var i = Object.keys(t), o = 0, r = i.length; o &lt; r; o++) {
      var s = t[i[o]];
      if (s.originalHandler === e &amp;&amp; s.delegationSelector === n) return s;
    }
    return null;
  }
  function P(t, e, n) {
    var i = "string" == typeof e,
      o = i ? n : e,
      r = t.replace(L, ""),
      s = x[r];
    return s &amp;&amp; (r = s), S.has(r) || (r = t), [i, o, r];
  }
  function M(t, e, n, i, o) {
    if ("string" == typeof e &amp;&amp; t) {
      n || (n = i, i = null);
      var r = P(e, n, i),
        s = r[0],
        a = r[1],
        l = r[2],
        c = N(t),
        u = c[l] || (c[l] = {}),
        f = I(u, a, s ? n : null);
      if (f) f.oneOff = f.oneOff &amp;&amp; o;else {
        var d = j(a, e.replace(O, "")),
          h = s ? function (t, e, n) {
            return function i(o) {
              for (var r = t.querySelectorAll(e), s = o.target; s &amp;&amp; s !== this; s = s.parentNode) for (var a = r.length; a--;) if (r[a] === s) return o.delegateTarget = s, i.oneOff &amp;&amp; H.off(t, o.type, n), n.apply(s, [o]);
              return null;
            };
          }(t, n, i) : function (t, e) {
            return function n(i) {
              return i.delegateTarget = t, n.oneOff &amp;&amp; H.off(t, i.type, e), e.apply(t, [i]);
            };
          }(t, n);
        h.delegationSelector = s ? n : null, h.originalHandler = a, h.oneOff = o, h.uidEvent = d, u[d] = h, t.addEventListener(l, h, s);
      }
    }
  }
  function B(t, e, n, i, o) {
    var r = I(e[n], i, o);
    r &amp;&amp; (t.removeEventListener(n, r, Boolean(o)), delete e[n][r.uidEvent]);
  }
  var H = {
      on: function on(t, e, n, i) {
        M(t, e, n, i, !1);
      },
      one: function one(t, e, n, i) {
        M(t, e, n, i, !0);
      },
      off: function off(t, e, n, i) {
        if ("string" == typeof e &amp;&amp; t) {
          var o = P(e, n, i),
            r = o[0],
            s = o[1],
            a = o[2],
            l = a !== e,
            c = N(t),
            u = e.startsWith(".");
          if (void 0 === s) {
            u &amp;&amp; Object.keys(c).forEach(function (n) {
              !function (t, e, n, i) {
                var o = e[n] || {};
                Object.keys(o).forEach(function (r) {
                  if (r.includes(i)) {
                    var s = o[r];
                    B(t, e, n, s.originalHandler, s.delegationSelector);
                  }
                });
              }(t, c, n, e.slice(1));
            });
            var f = c[a] || {};
            Object.keys(f).forEach(function (n) {
              var i = n.replace(A, "");
              if (!l || e.includes(i)) {
                var o = f[n];
                B(t, c, a, o.originalHandler, o.delegationSelector);
              }
            });
          } else {
            if (!c || !c[a]) return;
            B(t, c, a, s, r ? n : null);
          }
        }
      },
      trigger: function trigger(t, e, n) {
        if ("string" != typeof e || !t) return null;
        var i,
          o = _(),
          r = e.replace(L, ""),
          s = e !== r,
          a = S.has(r),
          l = !0,
          c = !0,
          u = !1,
          f = null;
        return s &amp;&amp; o &amp;&amp; (i = o.Event(e, n), o(t).trigger(i), l = !i.isPropagationStopped(), c = !i.isImmediatePropagationStopped(), u = i.isDefaultPrevented()), a ? (f = document.createEvent("HTMLEvents")).initEvent(r, l, !0) : f = new CustomEvent(e, {
          bubbles: l,
          cancelable: !0
        }), void 0 !== n &amp;&amp; Object.keys(n).forEach(function (t) {
          Object.defineProperty(f, t, {
            get: function get() {
              return n[t];
            }
          });
        }), u &amp;&amp; f.preventDefault(), c &amp;&amp; t.dispatchEvent(f), f.defaultPrevented &amp;&amp; void 0 !== i &amp;&amp; i.preventDefault(), f;
      }
    },
    R = function () {
      function t(t) {
        t &amp;&amp; (this._element = t, E(t, this.constructor.DATA_KEY, this));
      }
      return t.prototype.dispose = function () {
        k(this._element, this.constructor.DATA_KEY), this._element = null;
      }, t.getInstance = function (t) {
        return T(t, this.DATA_KEY);
      }, e(t, null, [{
        key: "VERSION",
        get: function get() {
          return "5.0.0-beta1";
        }
      }]), t;
    }(),
    W = "alert",
    K = function (t) {
      function n() {
        return t.apply(this, arguments) || this;
      }
      i(n, t);
      var o = n.prototype;
      return o.close = function (t) {
        var e = t ? this._getRootElement(t) : this._element,
          n = this._triggerCloseEvent(e);
        null === n || n.defaultPrevented || this._removeElement(e);
      }, o._getRootElement = function (t) {
        return c(t) || t.closest(".alert");
      }, o._triggerCloseEvent = function (t) {
        return H.trigger(t, "close.bs.alert");
      }, o._removeElement = function (t) {
        var e = this;
        if (t.classList.remove("show"), t.classList.contains("fade")) {
          var n = u(t);
          H.one(t, "transitionend", function () {
            return e._destroyElement(t);
          }), h(t, n);
        } else this._destroyElement(t);
      }, o._destroyElement = function (t) {
        t.parentNode &amp;&amp; t.parentNode.removeChild(t), H.trigger(t, "closed.bs.alert");
      }, n.jQueryInterface = function (t) {
        return this.each(function () {
          var e = T(this, "bs.alert");
          e || (e = new n(this)), "close" === t &amp;&amp; e[t](this);
        });
      }, n.handleDismiss = function (t) {
        return function (e) {
          e &amp;&amp; e.preventDefault(), t.close(this);
        };
      }, e(n, null, [{
        key: "DATA_KEY",
        get: function get() {
          return "bs.alert";
        }
      }]), n;
    }(R);
  H.on(document, "click.bs.alert.data-api", '[data-bs-dismiss="alert"]', K.handleDismiss(new K())), b(function () {
    var t = _();
    if (t) {
      var e = t.fn[W];
      t.fn[W] = K.jQueryInterface, t.fn[W].Constructor = K, t.fn[W].noConflict = function () {
        return t.fn[W] = e, K.jQueryInterface;
      };
    }
  });
  var Q = function (t) {
    function n() {
      return t.apply(this, arguments) || this;
    }
    return i(n, t), n.prototype.toggle = function () {
      this._element.setAttribute("aria-pressed", this._element.classList.toggle("active"));
    }, n.jQueryInterface = function (t) {
      return this.each(function () {
        var e = T(this, "bs.button");
        e || (e = new n(this)), "toggle" === t &amp;&amp; e[t]();
      });
    }, e(n, null, [{
      key: "DATA_KEY",
      get: function get() {
        return "bs.button";
      }
    }]), n;
  }(R);
  function U(t) {
    return "true" === t || "false" !== t &amp;&amp; (t === Number(t).toString() ? Number(t) : "" === t || "null" === t ? null : t);
  }
  function F(t) {
    return t.replace(/[A-Z]/g, function (t) {
      return "-" + t.toLowerCase();
    });
  }
  H.on(document, "click.bs.button.data-api", '[data-bs-toggle="button"]', function (t) {
    t.preventDefault();
    var e = t.target.closest('[data-bs-toggle="button"]'),
      n = T(e, "bs.button");
    n || (n = new Q(e)), n.toggle();
  }), b(function () {
    var t = _();
    if (t) {
      var e = t.fn.button;
      t.fn.button = Q.jQueryInterface, t.fn.button.Constructor = Q, t.fn.button.noConflict = function () {
        return t.fn.button = e, Q.jQueryInterface;
      };
    }
  });
  var Y = {
      setDataAttribute: function setDataAttribute(t, e, n) {
        t.setAttribute("data-bs-" + F(e), n);
      },
      removeDataAttribute: function removeDataAttribute(t, e) {
        t.removeAttribute("data-bs-" + F(e));
      },
      getDataAttributes: function getDataAttributes(t) {
        if (!t) return {};
        var e = {};
        return Object.keys(t.dataset).filter(function (t) {
          return t.startsWith("bs");
        }).forEach(function (n) {
          var i = n.replace(/^bs/, "");
          i = i.charAt(0).toLowerCase() + i.slice(1, i.length), e[i] = U(t.dataset[n]);
        }), e;
      },
      getDataAttribute: function getDataAttribute(t, e) {
        return U(t.getAttribute("data-bs-" + F(e)));
      },
      offset: function offset(t) {
        var e = t.getBoundingClientRect();
        return {
          top: e.top + document.body.scrollTop,
          left: e.left + document.body.scrollLeft
        };
      },
      position: function position(t) {
        return {
          top: t.offsetTop,
          left: t.offsetLeft
        };
      }
    },
    q = {
      matches: function matches(t, e) {
        return t.matches(e);
      },
      find: function find(t, e) {
        var n;
        return void 0 === e &amp;&amp; (e = document.documentElement), (n = []).concat.apply(n, Element.prototype.querySelectorAll.call(e, t));
      },
      findOne: function findOne(t, e) {
        return void 0 === e &amp;&amp; (e = document.documentElement), Element.prototype.querySelector.call(e, t);
      },
      children: function children(t, e) {
        var n,
          i = (n = []).concat.apply(n, t.children);
        return i.filter(function (t) {
          return t.matches(e);
        });
      },
      parents: function parents(t, e) {
        for (var n = [], i = t.parentNode; i &amp;&amp; i.nodeType === Node.ELEMENT_NODE &amp;&amp; 3 !== i.nodeType;) this.matches(i, e) &amp;&amp; n.push(i), i = i.parentNode;
        return n;
      },
      prev: function prev(t, e) {
        for (var n = t.previousElementSibling; n;) {
          if (n.matches(e)) return [n];
          n = n.previousElementSibling;
        }
        return [];
      },
      next: function next(t, e) {
        for (var n = t.nextElementSibling; n;) {
          if (this.matches(n, e)) return [n];
          n = n.nextElementSibling;
        }
        return [];
      }
    },
    z = "carousel",
    V = ".bs.carousel",
    X = {
      interval: 5e3,
      keyboard: !0,
      slide: !1,
      pause: "hover",
      wrap: !0,
      touch: !0
    },
    $ = {
      interval: "(number|boolean)",
      keyboard: "boolean",
      slide: "(boolean|string)",
      pause: "(string|boolean)",
      wrap: "boolean",
      touch: "boolean"
    },
    G = {
      TOUCH: "touch",
      PEN: "pen"
    },
    Z = function (t) {
      function o(e, n) {
        var i;
        return (i = t.call(this, e) || this)._items = null, i._interval = null, i._activeElement = null, i._isPaused = !1, i._isSliding = !1, i.touchTimeout = null, i.touchStartX = 0, i.touchDeltaX = 0, i._config = i._getConfig(n), i._indicatorsElement = q.findOne(".carousel-indicators", i._element), i._touchSupported = "ontouchstart" in document.documentElement || navigator.maxTouchPoints &gt; 0, i._pointerEvent = Boolean(window.PointerEvent), i._addEventListeners(), i;
      }
      i(o, t);
      var r = o.prototype;
      return r.next = function () {
        this._isSliding || this._slide("next");
      }, r.nextWhenVisible = function () {
        !document.hidden &amp;&amp; g(this._element) &amp;&amp; this.next();
      }, r.prev = function () {
        this._isSliding || this._slide("prev");
      }, r.pause = function (t) {
        t || (this._isPaused = !0), q.findOne(".carousel-item-next, .carousel-item-prev", this._element) &amp;&amp; (f(this._element), this.cycle(!0)), clearInterval(this._interval), this._interval = null;
      }, r.cycle = function (t) {
        t || (this._isPaused = !1), this._interval &amp;&amp; (clearInterval(this._interval), this._interval = null), this._config &amp;&amp; this._config.interval &amp;&amp; !this._isPaused &amp;&amp; (this._updateInterval(), this._interval = setInterval((document.visibilityState ? this.nextWhenVisible : this.next).bind(this), this._config.interval));
      }, r.to = function (t) {
        var e = this;
        this._activeElement = q.findOne(".active.carousel-item", this._element);
        var n = this._getItemIndex(this._activeElement);
        if (!(t &gt; this._items.length - 1 || t &lt; 0)) if (this._isSliding) H.one(this._element, "slid.bs.carousel", function () {
          return e.to(t);
        });else {
          if (n === t) return this.pause(), void this.cycle();
          var i = t &gt; n ? "next" : "prev";
          this._slide(i, this._items[t]);
        }
      }, r.dispose = function () {
        t.prototype.dispose.call(this), H.off(this._element, V), this._items = null, this._config = null, this._interval = null, this._isPaused = null, this._isSliding = null, this._activeElement = null, this._indicatorsElement = null;
      }, r._getConfig = function (t) {
        return t = n({}, X, t), p(z, t, $), t;
      }, r._handleSwipe = function () {
        var t = Math.abs(this.touchDeltaX);
        if (!(t &lt;= 40)) {
          var e = t / this.touchDeltaX;
          this.touchDeltaX = 0, e &gt; 0 &amp;&amp; this.prev(), e &lt; 0 &amp;&amp; this.next();
        }
      }, r._addEventListeners = function () {
        var t = this;
        this._config.keyboard &amp;&amp; H.on(this._element, "keydown.bs.carousel", function (e) {
          return t._keydown(e);
        }), "hover" === this._config.pause &amp;&amp; (H.on(this._element, "mouseenter.bs.carousel", function (e) {
          return t.pause(e);
        }), H.on(this._element, "mouseleave.bs.carousel", function (e) {
          return t.cycle(e);
        })), this._config.touch &amp;&amp; this._touchSupported &amp;&amp; this._addTouchEventListeners();
      }, r._addTouchEventListeners = function () {
        var t = this,
          e = function e(_e2) {
            t._pointerEvent &amp;&amp; G[_e2.pointerType.toUpperCase()] ? t.touchStartX = _e2.clientX : t._pointerEvent || (t.touchStartX = _e2.touches[0].clientX);
          },
          n = function n(e) {
            t._pointerEvent &amp;&amp; G[e.pointerType.toUpperCase()] &amp;&amp; (t.touchDeltaX = e.clientX - t.touchStartX), t._handleSwipe(), "hover" === t._config.pause &amp;&amp; (t.pause(), t.touchTimeout &amp;&amp; clearTimeout(t.touchTimeout), t.touchTimeout = setTimeout(function (e) {
              return t.cycle(e);
            }, 500 + t._config.interval));
          };
        q.find(".carousel-item img", this._element).forEach(function (t) {
          H.on(t, "dragstart.bs.carousel", function (t) {
            return t.preventDefault();
          });
        }), this._pointerEvent ? (H.on(this._element, "pointerdown.bs.carousel", function (t) {
          return e(t);
        }), H.on(this._element, "pointerup.bs.carousel", function (t) {
          return n(t);
        }), this._element.classList.add("pointer-event")) : (H.on(this._element, "touchstart.bs.carousel", function (t) {
          return e(t);
        }), H.on(this._element, "touchmove.bs.carousel", function (e) {
          return function (e) {
            e.touches &amp;&amp; e.touches.length &gt; 1 ? t.touchDeltaX = 0 : t.touchDeltaX = e.touches[0].clientX - t.touchStartX;
          }(e);
        }), H.on(this._element, "touchend.bs.carousel", function (t) {
          return n(t);
        }));
      }, r._keydown = function (t) {
        if (!/input|textarea/i.test(t.target.tagName)) switch (t.key) {
          case "ArrowLeft":
            t.preventDefault(), this.prev();
            break;
          case "ArrowRight":
            t.preventDefault(), this.next();
        }
      }, r._getItemIndex = function (t) {
        return this._items = t &amp;&amp; t.parentNode ? q.find(".carousel-item", t.parentNode) : [], this._items.indexOf(t);
      }, r._getItemByDirection = function (t, e) {
        var n = "next" === t,
          i = "prev" === t,
          o = this._getItemIndex(e),
          r = this._items.length - 1;
        if ((i &amp;&amp; 0 === o || n &amp;&amp; o === r) &amp;&amp; !this._config.wrap) return e;
        var s = (o + ("prev" === t ? -1 : 1)) % this._items.length;
        return -1 === s ? this._items[this._items.length - 1] : this._items[s];
      }, r._triggerSlideEvent = function (t, e) {
        var n = this._getItemIndex(t),
          i = this._getItemIndex(q.findOne(".active.carousel-item", this._element));
        return H.trigger(this._element, "slide.bs.carousel", {
          relatedTarget: t,
          direction: e,
          from: i,
          to: n
        });
      }, r._setActiveIndicatorElement = function (t) {
        if (this._indicatorsElement) {
          for (var e = q.find(".active", this._indicatorsElement), n = 0; n &lt; e.length; n++) e[n].classList.remove("active");
          var i = this._indicatorsElement.children[this._getItemIndex(t)];
          i &amp;&amp; i.classList.add("active");
        }
      }, r._updateInterval = function () {
        var t = this._activeElement || q.findOne(".active.carousel-item", this._element);
        if (t) {
          var e = Number.parseInt(t.getAttribute("data-bs-interval"), 10);
          e ? (this._config.defaultInterval = this._config.defaultInterval || this._config.interval, this._config.interval = e) : this._config.interval = this._config.defaultInterval || this._config.interval;
        }
      }, r._slide = function (t, e) {
        var n,
          i,
          o,
          r = this,
          s = q.findOne(".active.carousel-item", this._element),
          a = this._getItemIndex(s),
          l = e || s &amp;&amp; this._getItemByDirection(t, s),
          c = this._getItemIndex(l),
          f = Boolean(this._interval);
        if ("next" === t ? (n = "carousel-item-start", i = "carousel-item-next", o = "left") : (n = "carousel-item-end", i = "carousel-item-prev", o = "right"), l &amp;&amp; l.classList.contains("active")) this._isSliding = !1;else if (!this._triggerSlideEvent(l, o).defaultPrevented &amp;&amp; s &amp;&amp; l) {
          if (this._isSliding = !0, f &amp;&amp; this.pause(), this._setActiveIndicatorElement(l), this._activeElement = l, this._element.classList.contains("slide")) {
            l.classList.add(i), v(l), s.classList.add(n), l.classList.add(n);
            var d = u(s);
            H.one(s, "transitionend", function () {
              l.classList.remove(n, i), l.classList.add("active"), s.classList.remove("active", i, n), r._isSliding = !1, setTimeout(function () {
                H.trigger(r._element, "slid.bs.carousel", {
                  relatedTarget: l,
                  direction: o,
                  from: a,
                  to: c
                });
              }, 0);
            }), h(s, d);
          } else s.classList.remove("active"), l.classList.add("active"), this._isSliding = !1, H.trigger(this._element, "slid.bs.carousel", {
            relatedTarget: l,
            direction: o,
            from: a,
            to: c
          });
          f &amp;&amp; this.cycle();
        }
      }, o.carouselInterface = function (t, e) {
        var i = T(t, "bs.carousel"),
          r = n({}, X, Y.getDataAttributes(t));
        "object" == _typeof(e) &amp;&amp; (r = n({}, r, e));
        var s = "string" == typeof e ? e : r.slide;
        if (i || (i = new o(t, r)), "number" == typeof e) i.to(e);else if ("string" == typeof s) {
          if (void 0 === i[s]) throw new TypeError('No method named "' + s + '"');
          i[s]();
        } else r.interval &amp;&amp; r.ride &amp;&amp; (i.pause(), i.cycle());
      }, o.jQueryInterface = function (t) {
        return this.each(function () {
          o.carouselInterface(this, t);
        });
      }, o.dataApiClickHandler = function (t) {
        var e = c(this);
        if (e &amp;&amp; e.classList.contains("carousel")) {
          var i = n({}, Y.getDataAttributes(e), Y.getDataAttributes(this)),
            r = this.getAttribute("data-bs-slide-to");
          r &amp;&amp; (i.interval = !1), o.carouselInterface(e, i), r &amp;&amp; T(e, "bs.carousel").to(r), t.preventDefault();
        }
      }, e(o, null, [{
        key: "Default",
        get: function get() {
          return X;
        }
      }, {
        key: "DATA_KEY",
        get: function get() {
          return "bs.carousel";
        }
      }]), o;
    }(R);
  H.on(document, "click.bs.carousel.data-api", "[data-bs-slide], [data-bs-slide-to]", Z.dataApiClickHandler), H.on(window, "load.bs.carousel.data-api", function () {
    for (var t = q.find('[data-bs-ride="carousel"]'), e = 0, n = t.length; e &lt; n; e++) Z.carouselInterface(t[e], T(t[e], "bs.carousel"));
  }), b(function () {
    var t = _();
    if (t) {
      var e = t.fn[z];
      t.fn[z] = Z.jQueryInterface, t.fn[z].Constructor = Z, t.fn[z].noConflict = function () {
        return t.fn[z] = e, Z.jQueryInterface;
      };
    }
  });
  var J = "collapse",
    tt = {
      toggle: !0,
      parent: ""
    },
    et = {
      toggle: "boolean",
      parent: "(string|element)"
    },
    nt = function (t) {
      function o(e, n) {
        var i;
        (i = t.call(this, e) || this)._isTransitioning = !1, i._config = i._getConfig(n), i._triggerArray = q.find('[data-bs-toggle="collapse"][href="#' + e.id + '"],[data-bs-toggle="collapse"][data-bs-target="#' + e.id + '"]');
        for (var o = q.find('[data-bs-toggle="collapse"]'), r = 0, s = o.length; r &lt; s; r++) {
          var a = o[r],
            c = l(a),
            u = q.find(c).filter(function (t) {
              return t === e;
            });
          null !== c &amp;&amp; u.length &amp;&amp; (i._selector = c, i._triggerArray.push(a));
        }
        return i._parent = i._config.parent ? i._getParent() : null, i._config.parent || i._addAriaAndCollapsedClass(i._element, i._triggerArray), i._config.toggle &amp;&amp; i.toggle(), i;
      }
      i(o, t);
      var r = o.prototype;
      return r.toggle = function () {
        this._element.classList.contains("show") ? this.hide() : this.show();
      }, r.show = function () {
        var t = this;
        if (!this._isTransitioning &amp;&amp; !this._element.classList.contains("show")) {
          var e, n;
          this._parent &amp;&amp; 0 === (e = q.find(".show, .collapsing", this._parent).filter(function (e) {
            return "string" == typeof t._config.parent ? e.getAttribute("data-bs-parent") === t._config.parent : e.classList.contains("collapse");
          })).length &amp;&amp; (e = null);
          var i = q.findOne(this._selector);
          if (e) {
            var r = e.find(function (t) {
              return i !== t;
            });
            if ((n = r ? T(r, "bs.collapse") : null) &amp;&amp; n._isTransitioning) return;
          }
          if (!H.trigger(this._element, "show.bs.collapse").defaultPrevented) {
            e &amp;&amp; e.forEach(function (t) {
              i !== t &amp;&amp; o.collapseInterface(t, "hide"), n || E(t, "bs.collapse", null);
            });
            var s = this._getDimension();
            this._element.classList.remove("collapse"), this._element.classList.add("collapsing"), this._element.style[s] = 0, this._triggerArray.length &amp;&amp; this._triggerArray.forEach(function (t) {
              t.classList.remove("collapsed"), t.setAttribute("aria-expanded", !0);
            }), this.setTransitioning(!0);
            var a = "scroll" + (s[0].toUpperCase() + s.slice(1)),
              l = u(this._element);
            H.one(this._element, "transitionend", function () {
              t._element.classList.remove("collapsing"), t._element.classList.add("collapse", "show"), t._element.style[s] = "", t.setTransitioning(!1), H.trigger(t._element, "shown.bs.collapse");
            }), h(this._element, l), this._element.style[s] = this._element[a] + "px";
          }
        }
      }, r.hide = function () {
        var t = this;
        if (!this._isTransitioning &amp;&amp; this._element.classList.contains("show") &amp;&amp; !H.trigger(this._element, "hide.bs.collapse").defaultPrevented) {
          var e = this._getDimension();
          this._element.style[e] = this._element.getBoundingClientRect()[e] + "px", v(this._element), this._element.classList.add("collapsing"), this._element.classList.remove("collapse", "show");
          var n = this._triggerArray.length;
          if (n &gt; 0) for (var i = 0; i &lt; n; i++) {
            var o = this._triggerArray[i],
              r = c(o);
            r &amp;&amp; !r.classList.contains("show") &amp;&amp; (o.classList.add("collapsed"), o.setAttribute("aria-expanded", !1));
          }
          this.setTransitioning(!0);
          this._element.style[e] = "";
          var s = u(this._element);
          H.one(this._element, "transitionend", function () {
            t.setTransitioning(!1), t._element.classList.remove("collapsing"), t._element.classList.add("collapse"), H.trigger(t._element, "hidden.bs.collapse");
          }), h(this._element, s);
        }
      }, r.setTransitioning = function (t) {
        this._isTransitioning = t;
      }, r.dispose = function () {
        t.prototype.dispose.call(this), this._config = null, this._parent = null, this._triggerArray = null, this._isTransitioning = null;
      }, r._getConfig = function (t) {
        return (t = n({}, tt, t)).toggle = Boolean(t.toggle), p(J, t, et), t;
      }, r._getDimension = function () {
        return this._element.classList.contains("width") ? "width" : "height";
      }, r._getParent = function () {
        var t = this,
          e = this._config.parent;
        d(e) ? void 0 === e.jquery &amp;&amp; void 0 === e[0] || (e = e[0]) : e = q.findOne(e);
        var n = '[data-bs-toggle="collapse"][data-bs-parent="' + e + '"]';
        return q.find(n, e).forEach(function (e) {
          var n = c(e);
          t._addAriaAndCollapsedClass(n, [e]);
        }), e;
      }, r._addAriaAndCollapsedClass = function (t, e) {
        if (t &amp;&amp; e.length) {
          var n = t.classList.contains("show");
          e.forEach(function (t) {
            n ? t.classList.remove("collapsed") : t.classList.add("collapsed"), t.setAttribute("aria-expanded", n);
          });
        }
      }, o.collapseInterface = function (t, e) {
        var i = T(t, "bs.collapse"),
          r = n({}, tt, Y.getDataAttributes(t), "object" == _typeof(e) &amp;&amp; e ? e : {});
        if (!i &amp;&amp; r.toggle &amp;&amp; "string" == typeof e &amp;&amp; /show|hide/.test(e) &amp;&amp; (r.toggle = !1), i || (i = new o(t, r)), "string" == typeof e) {
          if (void 0 === i[e]) throw new TypeError('No method named "' + e + '"');
          i[e]();
        }
      }, o.jQueryInterface = function (t) {
        return this.each(function () {
          o.collapseInterface(this, t);
        });
      }, e(o, null, [{
        key: "Default",
        get: function get() {
          return tt;
        }
      }, {
        key: "DATA_KEY",
        get: function get() {
          return "bs.collapse";
        }
      }]), o;
    }(R);
  H.on(document, "click.bs.collapse.data-api", '[data-bs-toggle="collapse"]', function (t) {
    "A" === t.target.tagName &amp;&amp; t.preventDefault();
    var e = Y.getDataAttributes(this),
      n = l(this);
    q.find(n).forEach(function (t) {
      var n,
        i = T(t, "bs.collapse");
      i ? (null === i._parent &amp;&amp; "string" == typeof e.parent &amp;&amp; (i._config.parent = e.parent, i._parent = i._getParent()), n = "toggle") : n = e, nt.collapseInterface(t, n);
    });
  }), b(function () {
    var t = _();
    if (t) {
      var e = t.fn[J];
      t.fn[J] = nt.jQueryInterface, t.fn[J].Constructor = nt, t.fn[J].noConflict = function () {
        return t.fn[J] = e, nt.jQueryInterface;
      };
    }
  });
  var it = "top",
    ot = "bottom",
    rt = "right",
    st = "left",
    at = [it, ot, rt, st],
    lt = at.reduce(function (t, e) {
      return t.concat([e + "-start", e + "-end"]);
    }, []),
    ct = [].concat(at, ["auto"]).reduce(function (t, e) {
      return t.concat([e, e + "-start", e + "-end"]);
    }, []),
    ut = ["beforeRead", "read", "afterRead", "beforeMain", "main", "afterMain", "beforeWrite", "write", "afterWrite"];
  function ft(t) {
    return t ? (t.nodeName || "").toLowerCase() : null;
  }
  function dt(t) {
    if ("[object Window]" !== t.toString()) {
      var e = t.ownerDocument;
      return e &amp;&amp; e.defaultView || window;
    }
    return t;
  }
  function ht(t) {
    return t instanceof dt(t).Element || t instanceof Element;
  }
  function pt(t) {
    return t instanceof dt(t).HTMLElement || t instanceof HTMLElement;
  }
  var gt = {
    name: "applyStyles",
    enabled: !0,
    phase: "write",
    fn: function fn(t) {
      var e = t.state;
      Object.keys(e.elements).forEach(function (t) {
        var n = e.styles[t] || {},
          i = e.attributes[t] || {},
          o = e.elements[t];
        pt(o) &amp;&amp; ft(o) &amp;&amp; (Object.assign(o.style, n), Object.keys(i).forEach(function (t) {
          var e = i[t];
          !1 === e ? o.removeAttribute(t) : o.setAttribute(t, !0 === e ? "" : e);
        }));
      });
    },
    effect: function effect(t) {
      var e = t.state,
        n = {
          popper: {
            position: e.options.strategy,
            left: "0",
            top: "0",
            margin: "0"
          },
          arrow: {
            position: "absolute"
          },
          reference: {}
        };
      return Object.assign(e.elements.popper.style, n.popper), e.elements.arrow &amp;&amp; Object.assign(e.elements.arrow.style, n.arrow), function () {
        Object.keys(e.elements).forEach(function (t) {
          var i = e.elements[t],
            o = e.attributes[t] || {},
            r = Object.keys(e.styles.hasOwnProperty(t) ? e.styles[t] : n[t]).reduce(function (t, e) {
              return t[e] = "", t;
            }, {});
          pt(i) &amp;&amp; ft(i) &amp;&amp; (Object.assign(i.style, r), Object.keys(o).forEach(function (t) {
            i.removeAttribute(t);
          }));
        });
      };
    },
    requires: ["computeStyles"]
  };
  function mt(t) {
    return t.split("-")[0];
  }
  function vt(t) {
    return {
      x: t.offsetLeft,
      y: t.offsetTop,
      width: t.offsetWidth,
      height: t.offsetHeight
    };
  }
  function _t(t, e) {
    var n,
      i = e.getRootNode &amp;&amp; e.getRootNode();
    if (t.contains(e)) return !0;
    if (i &amp;&amp; ((n = i) instanceof dt(n).ShadowRoot || n instanceof ShadowRoot)) {
      var o = e;
      do {
        if (o &amp;&amp; t.isSameNode(o)) return !0;
        o = o.parentNode || o.host;
      } while (o);
    }
    return !1;
  }
  function bt(t) {
    return dt(t).getComputedStyle(t);
  }
  function yt(t) {
    return ["table", "td", "th"].indexOf(ft(t)) &gt;= 0;
  }
  function wt(t) {
    return ((ht(t) ? t.ownerDocument : t.document) || window.document).documentElement;
  }
  function Et(t) {
    return "html" === ft(t) ? t : t.assignedSlot || t.parentNode || t.host || wt(t);
  }
  function Tt(t) {
    if (!pt(t) || "fixed" === bt(t).position) return null;
    var e = t.offsetParent;
    if (e) {
      var n = wt(e);
      if ("body" === ft(e) &amp;&amp; "static" === bt(e).position &amp;&amp; "static" !== bt(n).position) return n;
    }
    return e;
  }
  function kt(t) {
    for (var e = dt(t), n = Tt(t); n &amp;&amp; yt(n) &amp;&amp; "static" === bt(n).position;) n = Tt(n);
    return n &amp;&amp; "body" === ft(n) &amp;&amp; "static" === bt(n).position ? e : n || function (t) {
      for (var e = Et(t); pt(e) &amp;&amp; ["html", "body"].indexOf(ft(e)) &lt; 0;) {
        var n = bt(e);
        if ("none" !== n.transform || "none" !== n.perspective || n.willChange &amp;&amp; "auto" !== n.willChange) return e;
        e = e.parentNode;
      }
      return null;
    }(t) || e;
  }
  function Ot(t) {
    return ["top", "bottom"].indexOf(t) &gt;= 0 ? "x" : "y";
  }
  function Lt(t, e, n) {
    return Math.max(t, Math.min(e, n));
  }
  function At(t) {
    return Object.assign(Object.assign({}, {
      top: 0,
      right: 0,
      bottom: 0,
      left: 0
    }), t);
  }
  function Ct(t, e) {
    return e.reduce(function (e, n) {
      return e[n] = t, e;
    }, {});
  }
  var Dt = {
      name: "arrow",
      enabled: !0,
      phase: "main",
      fn: function fn(t) {
        var e,
          n = t.state,
          i = t.name,
          o = n.elements.arrow,
          r = n.modifiersData.popperOffsets,
          s = mt(n.placement),
          a = Ot(s),
          l = [st, rt].indexOf(s) &gt;= 0 ? "height" : "width";
        if (o &amp;&amp; r) {
          var c = n.modifiersData[i + "#persistent"].padding,
            u = vt(o),
            f = "y" === a ? it : st,
            d = "y" === a ? ot : rt,
            h = n.rects.reference[l] + n.rects.reference[a] - r[a] - n.rects.popper[l],
            p = r[a] - n.rects.reference[a],
            g = kt(o),
            m = g ? "y" === a ? g.clientHeight || 0 : g.clientWidth || 0 : 0,
            v = h / 2 - p / 2,
            _ = c[f],
            b = m - u[l] - c[d],
            y = m / 2 - u[l] / 2 + v,
            w = Lt(_, y, b),
            E = a;
          n.modifiersData[i] = ((e = {})[E] = w, e.centerOffset = w - y, e);
        }
      },
      effect: function effect(t) {
        var e = t.state,
          n = t.options,
          i = t.name,
          o = n.element,
          r = void 0 === o ? "[data-popper-arrow]" : o,
          s = n.padding,
          a = void 0 === s ? 0 : s;
        null != r &amp;&amp; ("string" != typeof r || (r = e.elements.popper.querySelector(r))) &amp;&amp; _t(e.elements.popper, r) &amp;&amp; (e.elements.arrow = r, e.modifiersData[i + "#persistent"] = {
          padding: At("number" != typeof a ? a : Ct(a, at))
        });
      },
      requires: ["popperOffsets"],
      requiresIfExists: ["preventOverflow"]
    },
    xt = {
      top: "auto",
      right: "auto",
      bottom: "auto",
      left: "auto"
    };
  function St(t) {
    var e,
      n = t.popper,
      i = t.popperRect,
      o = t.placement,
      r = t.offsets,
      s = t.position,
      a = t.gpuAcceleration,
      l = t.adaptive,
      c = function (t) {
        var e = t.x,
          n = t.y,
          i = window.devicePixelRatio || 1;
        return {
          x: Math.round(e * i) / i || 0,
          y: Math.round(n * i) / i || 0
        };
      }(r),
      u = c.x,
      f = c.y,
      d = r.hasOwnProperty("x"),
      h = r.hasOwnProperty("y"),
      p = st,
      g = it,
      m = window;
    if (l) {
      var v = kt(n);
      v === dt(n) &amp;&amp; (v = wt(n)), o === it &amp;&amp; (g = ot, f -= v.clientHeight - i.height, f *= a ? 1 : -1), o === st &amp;&amp; (p = rt, u -= v.clientWidth - i.width, u *= a ? 1 : -1);
    }
    var _,
      b = Object.assign({
        position: s
      }, l &amp;&amp; xt);
    return a ? Object.assign(Object.assign({}, b), {}, ((_ = {})[g] = h ? "0" : "", _[p] = d ? "0" : "", _.transform = (m.devicePixelRatio || 1) &lt; 2 ? "translate(" + u + "px, " + f + "px)" : "translate3d(" + u + "px, " + f + "px, 0)", _)) : Object.assign(Object.assign({}, b), {}, ((e = {})[g] = h ? f + "px" : "", e[p] = d ? u + "px" : "", e.transform = "", e));
  }
  var jt = {
      name: "computeStyles",
      enabled: !0,
      phase: "beforeWrite",
      fn: function fn(t) {
        var e = t.state,
          n = t.options,
          i = n.gpuAcceleration,
          o = void 0 === i || i,
          r = n.adaptive,
          s = void 0 === r || r,
          a = {
            placement: mt(e.placement),
            popper: e.elements.popper,
            popperRect: e.rects.popper,
            gpuAcceleration: o
          };
        null != e.modifiersData.popperOffsets &amp;&amp; (e.styles.popper = Object.assign(Object.assign({}, e.styles.popper), St(Object.assign(Object.assign({}, a), {}, {
          offsets: e.modifiersData.popperOffsets,
          position: e.options.strategy,
          adaptive: s
        })))), null != e.modifiersData.arrow &amp;&amp; (e.styles.arrow = Object.assign(Object.assign({}, e.styles.arrow), St(Object.assign(Object.assign({}, a), {}, {
          offsets: e.modifiersData.arrow,
          position: "absolute",
          adaptive: !1
        })))), e.attributes.popper = Object.assign(Object.assign({}, e.attributes.popper), {}, {
          "data-popper-placement": e.placement
        });
      },
      data: {}
    },
    Nt = {
      passive: !0
    };
  var It = {
      name: "eventListeners",
      enabled: !0,
      phase: "write",
      fn: function fn() {},
      effect: function effect(t) {
        var e = t.state,
          n = t.instance,
          i = t.options,
          o = i.scroll,
          r = void 0 === o || o,
          s = i.resize,
          a = void 0 === s || s,
          l = dt(e.elements.popper),
          c = [].concat(e.scrollParents.reference, e.scrollParents.popper);
        return r &amp;&amp; c.forEach(function (t) {
          t.addEventListener("scroll", n.update, Nt);
        }), a &amp;&amp; l.addEventListener("resize", n.update, Nt), function () {
          r &amp;&amp; c.forEach(function (t) {
            t.removeEventListener("scroll", n.update, Nt);
          }), a &amp;&amp; l.removeEventListener("resize", n.update, Nt);
        };
      },
      data: {}
    },
    Pt = {
      left: "right",
      right: "left",
      bottom: "top",
      top: "bottom"
    };
  function Mt(t) {
    return t.replace(/left|right|bottom|top/g, function (t) {
      return Pt[t];
    });
  }
  var Bt = {
    start: "end",
    end: "start"
  };
  function Ht(t) {
    return t.replace(/start|end/g, function (t) {
      return Bt[t];
    });
  }
  function Rt(t) {
    var e = t.getBoundingClientRect();
    return {
      width: e.width,
      height: e.height,
      top: e.top,
      right: e.right,
      bottom: e.bottom,
      left: e.left,
      x: e.left,
      y: e.top
    };
  }
  function Wt(t) {
    var e = dt(t);
    return {
      scrollLeft: e.pageXOffset,
      scrollTop: e.pageYOffset
    };
  }
  function Kt(t) {
    return Rt(wt(t)).left + Wt(t).scrollLeft;
  }
  function Qt(t) {
    var e = bt(t),
      n = e.overflow,
      i = e.overflowX,
      o = e.overflowY;
    return /auto|scroll|overlay|hidden/.test(n + o + i);
  }
  function Ut(t, e) {
    void 0 === e &amp;&amp; (e = []);
    var n = function t(e) {
        return ["html", "body", "#document"].indexOf(ft(e)) &gt;= 0 ? e.ownerDocument.body : pt(e) &amp;&amp; Qt(e) ? e : t(Et(e));
      }(t),
      i = "body" === ft(n),
      o = dt(n),
      r = i ? [o].concat(o.visualViewport || [], Qt(n) ? n : []) : n,
      s = e.concat(r);
    return i ? s : s.concat(Ut(Et(r)));
  }
  function Ft(t) {
    return Object.assign(Object.assign({}, t), {}, {
      left: t.x,
      top: t.y,
      right: t.x + t.width,
      bottom: t.y + t.height
    });
  }
  function Yt(t, e) {
    return "viewport" === e ? Ft(function (t) {
      var e = dt(t),
        n = wt(t),
        i = e.visualViewport,
        o = n.clientWidth,
        r = n.clientHeight,
        s = 0,
        a = 0;
      return i &amp;&amp; (o = i.width, r = i.height, /^((?!chrome|android).)*safari/i.test(navigator.userAgent) || (s = i.offsetLeft, a = i.offsetTop)), {
        width: o,
        height: r,
        x: s + Kt(t),
        y: a
      };
    }(t)) : pt(e) ? function (t) {
      var e = Rt(t);
      return e.top = e.top + t.clientTop, e.left = e.left + t.clientLeft, e.bottom = e.top + t.clientHeight, e.right = e.left + t.clientWidth, e.width = t.clientWidth, e.height = t.clientHeight, e.x = e.left, e.y = e.top, e;
    }(e) : Ft(function (t) {
      var e = wt(t),
        n = Wt(t),
        i = t.ownerDocument.body,
        o = Math.max(e.scrollWidth, e.clientWidth, i ? i.scrollWidth : 0, i ? i.clientWidth : 0),
        r = Math.max(e.scrollHeight, e.clientHeight, i ? i.scrollHeight : 0, i ? i.clientHeight : 0),
        s = -n.scrollLeft + Kt(t),
        a = -n.scrollTop;
      return "rtl" === bt(i || e).direction &amp;&amp; (s += Math.max(e.clientWidth, i ? i.clientWidth : 0) - o), {
        width: o,
        height: r,
        x: s,
        y: a
      };
    }(wt(t)));
  }
  function qt(t, e, n) {
    var i = "clippingParents" === e ? function (t) {
        var e = Ut(Et(t)),
          n = ["absolute", "fixed"].indexOf(bt(t).position) &gt;= 0 &amp;&amp; pt(t) ? kt(t) : t;
        return ht(n) ? e.filter(function (t) {
          return ht(t) &amp;&amp; _t(t, n) &amp;&amp; "body" !== ft(t);
        }) : [];
      }(t) : [].concat(e),
      o = [].concat(i, [n]),
      r = o[0],
      s = o.reduce(function (e, n) {
        var i = Yt(t, n);
        return e.top = Math.max(i.top, e.top), e.right = Math.min(i.right, e.right), e.bottom = Math.min(i.bottom, e.bottom), e.left = Math.max(i.left, e.left), e;
      }, Yt(t, r));
    return s.width = s.right - s.left, s.height = s.bottom - s.top, s.x = s.left, s.y = s.top, s;
  }
  function zt(t) {
    return t.split("-")[1];
  }
  function Vt(t) {
    var e,
      n = t.reference,
      i = t.element,
      o = t.placement,
      r = o ? mt(o) : null,
      s = o ? zt(o) : null,
      a = n.x + n.width / 2 - i.width / 2,
      l = n.y + n.height / 2 - i.height / 2;
    switch (r) {
      case it:
        e = {
          x: a,
          y: n.y - i.height
        };
        break;
      case ot:
        e = {
          x: a,
          y: n.y + n.height
        };
        break;
      case rt:
        e = {
          x: n.x + n.width,
          y: l
        };
        break;
      case st:
        e = {
          x: n.x - i.width,
          y: l
        };
        break;
      default:
        e = {
          x: n.x,
          y: n.y
        };
    }
    var c = r ? Ot(r) : null;
    if (null != c) {
      var u = "y" === c ? "height" : "width";
      switch (s) {
        case "start":
          e[c] = Math.floor(e[c]) - Math.floor(n[u] / 2 - i[u] / 2);
          break;
        case "end":
          e[c] = Math.floor(e[c]) + Math.ceil(n[u] / 2 - i[u] / 2);
      }
    }
    return e;
  }
  function Xt(t, e) {
    void 0 === e &amp;&amp; (e = {});
    var n = e,
      i = n.placement,
      o = void 0 === i ? t.placement : i,
      r = n.boundary,
      s = void 0 === r ? "clippingParents" : r,
      a = n.rootBoundary,
      l = void 0 === a ? "viewport" : a,
      c = n.elementContext,
      u = void 0 === c ? "popper" : c,
      f = n.altBoundary,
      d = void 0 !== f &amp;&amp; f,
      h = n.padding,
      p = void 0 === h ? 0 : h,
      g = At("number" != typeof p ? p : Ct(p, at)),
      m = "popper" === u ? "reference" : "popper",
      v = t.elements.reference,
      _ = t.rects.popper,
      b = t.elements[d ? m : u],
      y = qt(ht(b) ? b : b.contextElement || wt(t.elements.popper), s, l),
      w = Rt(v),
      E = Vt({
        reference: w,
        element: _,
        strategy: "absolute",
        placement: o
      }),
      T = Ft(Object.assign(Object.assign({}, _), E)),
      k = "popper" === u ? T : w,
      O = {
        top: y.top - k.top + g.top,
        bottom: k.bottom - y.bottom + g.bottom,
        left: y.left - k.left + g.left,
        right: k.right - y.right + g.right
      },
      L = t.modifiersData.offset;
    if ("popper" === u &amp;&amp; L) {
      var A = L[o];
      Object.keys(O).forEach(function (t) {
        var e = [rt, ot].indexOf(t) &gt;= 0 ? 1 : -1,
          n = [it, ot].indexOf(t) &gt;= 0 ? "y" : "x";
        O[t] += A[n] * e;
      });
    }
    return O;
  }
  function $t(t, e) {
    void 0 === e &amp;&amp; (e = {});
    var n = e,
      i = n.placement,
      o = n.boundary,
      r = n.rootBoundary,
      s = n.padding,
      a = n.flipVariations,
      l = n.allowedAutoPlacements,
      c = void 0 === l ? ct : l,
      u = zt(i),
      f = u ? a ? lt : lt.filter(function (t) {
        return zt(t) === u;
      }) : at,
      d = f.filter(function (t) {
        return c.indexOf(t) &gt;= 0;
      });
    0 === d.length &amp;&amp; (d = f);
    var h = d.reduce(function (e, n) {
      return e[n] = Xt(t, {
        placement: n,
        boundary: o,
        rootBoundary: r,
        padding: s
      })[mt(n)], e;
    }, {});
    return Object.keys(h).sort(function (t, e) {
      return h[t] - h[e];
    });
  }
  var Gt = {
    name: "flip",
    enabled: !0,
    phase: "main",
    fn: function fn(t) {
      var e = t.state,
        n = t.options,
        i = t.name;
      if (!e.modifiersData[i]._skip) {
        for (var o = n.mainAxis, r = void 0 === o || o, s = n.altAxis, a = void 0 === s || s, l = n.fallbackPlacements, c = n.padding, u = n.boundary, f = n.rootBoundary, d = n.altBoundary, h = n.flipVariations, p = void 0 === h || h, g = n.allowedAutoPlacements, m = e.options.placement, v = mt(m), _ = l || (v === m || !p ? [Mt(m)] : function (t) {
            if ("auto" === mt(t)) return [];
            var e = Mt(t);
            return [Ht(t), e, Ht(e)];
          }(m)), b = [m].concat(_).reduce(function (t, n) {
            return t.concat("auto" === mt(n) ? $t(e, {
              placement: n,
              boundary: u,
              rootBoundary: f,
              padding: c,
              flipVariations: p,
              allowedAutoPlacements: g
            }) : n);
          }, []), y = e.rects.reference, w = e.rects.popper, E = new Map(), T = !0, k = b[0], O = 0; O &lt; b.length; O++) {
          var L = b[O],
            A = mt(L),
            C = "start" === zt(L),
            D = [it, ot].indexOf(A) &gt;= 0,
            x = D ? "width" : "height",
            S = Xt(e, {
              placement: L,
              boundary: u,
              rootBoundary: f,
              altBoundary: d,
              padding: c
            }),
            j = D ? C ? rt : st : C ? ot : it;
          y[x] &gt; w[x] &amp;&amp; (j = Mt(j));
          var N = Mt(j),
            I = [];
          if (r &amp;&amp; I.push(S[A] &lt;= 0), a &amp;&amp; I.push(S[j] &lt;= 0, S[N] &lt;= 0), I.every(function (t) {
            return t;
          })) {
            k = L, T = !1;
            break;
          }
          E.set(L, I);
        }
        if (T) for (var P = function P(t) {
            var e = b.find(function (e) {
              var n = E.get(e);
              if (n) return n.slice(0, t).every(function (t) {
                return t;
              });
            });
            if (e) return k = e, "break";
          }, M = p ? 3 : 1; M &gt; 0; M--) {
          if ("break" === P(M)) break;
        }
        e.placement !== k &amp;&amp; (e.modifiersData[i]._skip = !0, e.placement = k, e.reset = !0);
      }
    },
    requiresIfExists: ["offset"],
    data: {
      _skip: !1
    }
  };
  function Zt(t, e, n) {
    return void 0 === n &amp;&amp; (n = {
      x: 0,
      y: 0
    }), {
      top: t.top - e.height - n.y,
      right: t.right - e.width + n.x,
      bottom: t.bottom - e.height + n.y,
      left: t.left - e.width - n.x
    };
  }
  function Jt(t) {
    return [it, rt, ot, st].some(function (e) {
      return t[e] &gt;= 0;
    });
  }
  var te = {
    name: "hide",
    enabled: !0,
    phase: "main",
    requiresIfExists: ["preventOverflow"],
    fn: function fn(t) {
      var e = t.state,
        n = t.name,
        i = e.rects.reference,
        o = e.rects.popper,
        r = e.modifiersData.preventOverflow,
        s = Xt(e, {
          elementContext: "reference"
        }),
        a = Xt(e, {
          altBoundary: !0
        }),
        l = Zt(s, i),
        c = Zt(a, o, r),
        u = Jt(l),
        f = Jt(c);
      e.modifiersData[n] = {
        referenceClippingOffsets: l,
        popperEscapeOffsets: c,
        isReferenceHidden: u,
        hasPopperEscaped: f
      }, e.attributes.popper = Object.assign(Object.assign({}, e.attributes.popper), {}, {
        "data-popper-reference-hidden": u,
        "data-popper-escaped": f
      });
    }
  };
  var ee = {
    name: "offset",
    enabled: !0,
    phase: "main",
    requires: ["popperOffsets"],
    fn: function fn(t) {
      var e = t.state,
        n = t.options,
        i = t.name,
        o = n.offset,
        r = void 0 === o ? [0, 0] : o,
        s = ct.reduce(function (t, n) {
          return t[n] = function (t, e, n) {
            var i = mt(t),
              o = [st, it].indexOf(i) &gt;= 0 ? -1 : 1,
              r = "function" == typeof n ? n(Object.assign(Object.assign({}, e), {}, {
                placement: t
              })) : n,
              s = r[0],
              a = r[1];
            return s = s || 0, a = (a || 0) * o, [st, rt].indexOf(i) &gt;= 0 ? {
              x: a,
              y: s
            } : {
              x: s,
              y: a
            };
          }(n, e.rects, r), t;
        }, {}),
        a = s[e.placement],
        l = a.x,
        c = a.y;
      null != e.modifiersData.popperOffsets &amp;&amp; (e.modifiersData.popperOffsets.x += l, e.modifiersData.popperOffsets.y += c), e.modifiersData[i] = s;
    }
  };
  var ne = {
    name: "popperOffsets",
    enabled: !0,
    phase: "read",
    fn: function fn(t) {
      var e = t.state,
        n = t.name;
      e.modifiersData[n] = Vt({
        reference: e.rects.reference,
        element: e.rects.popper,
        strategy: "absolute",
        placement: e.placement
      });
    },
    data: {}
  };
  var ie = {
    name: "preventOverflow",
    enabled: !0,
    phase: "main",
    fn: function fn(t) {
      var e = t.state,
        n = t.options,
        i = t.name,
        o = n.mainAxis,
        r = void 0 === o || o,
        s = n.altAxis,
        a = void 0 !== s &amp;&amp; s,
        l = n.boundary,
        c = n.rootBoundary,
        u = n.altBoundary,
        f = n.padding,
        d = n.tether,
        h = void 0 === d || d,
        p = n.tetherOffset,
        g = void 0 === p ? 0 : p,
        m = Xt(e, {
          boundary: l,
          rootBoundary: c,
          padding: f,
          altBoundary: u
        }),
        v = mt(e.placement),
        _ = zt(e.placement),
        b = !_,
        y = Ot(v),
        w = "x" === y ? "y" : "x",
        E = e.modifiersData.popperOffsets,
        T = e.rects.reference,
        k = e.rects.popper,
        O = "function" == typeof g ? g(Object.assign(Object.assign({}, e.rects), {}, {
          placement: e.placement
        })) : g,
        L = {
          x: 0,
          y: 0
        };
      if (E) {
        if (r) {
          var A = "y" === y ? it : st,
            C = "y" === y ? ot : rt,
            D = "y" === y ? "height" : "width",
            x = E[y],
            S = E[y] + m[A],
            j = E[y] - m[C],
            N = h ? -k[D] / 2 : 0,
            I = "start" === _ ? T[D] : k[D],
            P = "start" === _ ? -k[D] : -T[D],
            M = e.elements.arrow,
            B = h &amp;&amp; M ? vt(M) : {
              width: 0,
              height: 0
            },
            H = e.modifiersData["arrow#persistent"] ? e.modifiersData["arrow#persistent"].padding : {
              top: 0,
              right: 0,
              bottom: 0,
              left: 0
            },
            R = H[A],
            W = H[C],
            K = Lt(0, T[D], B[D]),
            Q = b ? T[D] / 2 - N - K - R - O : I - K - R - O,
            U = b ? -T[D] / 2 + N + K + W + O : P + K + W + O,
            F = e.elements.arrow &amp;&amp; kt(e.elements.arrow),
            Y = F ? "y" === y ? F.clientTop || 0 : F.clientLeft || 0 : 0,
            q = e.modifiersData.offset ? e.modifiersData.offset[e.placement][y] : 0,
            z = E[y] + Q - q - Y,
            V = E[y] + U - q,
            X = Lt(h ? Math.min(S, z) : S, x, h ? Math.max(j, V) : j);
          E[y] = X, L[y] = X - x;
        }
        if (a) {
          var $ = "x" === y ? it : st,
            G = "x" === y ? ot : rt,
            Z = E[w],
            J = Lt(Z + m[$], Z, Z - m[G]);
          E[w] = J, L[w] = J - Z;
        }
        e.modifiersData[i] = L;
      }
    },
    requiresIfExists: ["offset"]
  };
  function oe(t, e, n) {
    void 0 === n &amp;&amp; (n = !1);
    var i,
      o,
      r = wt(e),
      s = Rt(t),
      a = pt(e),
      l = {
        scrollLeft: 0,
        scrollTop: 0
      },
      c = {
        x: 0,
        y: 0
      };
    return (a || !a &amp;&amp; !n) &amp;&amp; (("body" !== ft(e) || Qt(r)) &amp;&amp; (l = (i = e) !== dt(i) &amp;&amp; pt(i) ? {
      scrollLeft: (o = i).scrollLeft,
      scrollTop: o.scrollTop
    } : Wt(i)), pt(e) ? ((c = Rt(e)).x += e.clientLeft, c.y += e.clientTop) : r &amp;&amp; (c.x = Kt(r))), {
      x: s.left + l.scrollLeft - c.x,
      y: s.top + l.scrollTop - c.y,
      width: s.width,
      height: s.height
    };
  }
  function re(t) {
    var e = new Map(),
      n = new Set(),
      i = [];
    return t.forEach(function (t) {
      e.set(t.name, t);
    }), t.forEach(function (t) {
      n.has(t.name) || function t(o) {
        n.add(o.name), [].concat(o.requires || [], o.requiresIfExists || []).forEach(function (i) {
          if (!n.has(i)) {
            var o = e.get(i);
            o &amp;&amp; t(o);
          }
        }), i.push(o);
      }(t);
    }), i;
  }
  var se = {
    placement: "bottom",
    modifiers: [],
    strategy: "absolute"
  };
  function ae() {
    for (var t = arguments.length, e = new Array(t), n = 0; n &lt; t; n++) e[n] = arguments[n];
    return !e.some(function (t) {
      return !(t &amp;&amp; "function" == typeof t.getBoundingClientRect);
    });
  }
  function le(t) {
    void 0 === t &amp;&amp; (t = {});
    var e = t,
      n = e.defaultModifiers,
      i = void 0 === n ? [] : n,
      o = e.defaultOptions,
      r = void 0 === o ? se : o;
    return function (t, e, n) {
      void 0 === n &amp;&amp; (n = r);
      var o,
        s,
        a = {
          placement: "bottom",
          orderedModifiers: [],
          options: Object.assign(Object.assign({}, se), r),
          modifiersData: {},
          elements: {
            reference: t,
            popper: e
          },
          attributes: {},
          styles: {}
        },
        l = [],
        c = !1,
        u = {
          state: a,
          setOptions: function setOptions(n) {
            f(), a.options = Object.assign(Object.assign(Object.assign({}, r), a.options), n), a.scrollParents = {
              reference: ht(t) ? Ut(t) : t.contextElement ? Ut(t.contextElement) : [],
              popper: Ut(e)
            };
            var o,
              s,
              c = function (t) {
                var e = re(t);
                return ut.reduce(function (t, n) {
                  return t.concat(e.filter(function (t) {
                    return t.phase === n;
                  }));
                }, []);
              }((o = [].concat(i, a.options.modifiers), s = o.reduce(function (t, e) {
                var n = t[e.name];
                return t[e.name] = n ? Object.assign(Object.assign(Object.assign({}, n), e), {}, {
                  options: Object.assign(Object.assign({}, n.options), e.options),
                  data: Object.assign(Object.assign({}, n.data), e.data)
                }) : e, t;
              }, {}), Object.keys(s).map(function (t) {
                return s[t];
              })));
            return a.orderedModifiers = c.filter(function (t) {
              return t.enabled;
            }), a.orderedModifiers.forEach(function (t) {
              var e = t.name,
                n = t.options,
                i = void 0 === n ? {} : n,
                o = t.effect;
              if ("function" == typeof o) {
                var r = o({
                    state: a,
                    name: e,
                    instance: u,
                    options: i
                  }),
                  s = function s() {};
                l.push(r || s);
              }
            }), u.update();
          },
          forceUpdate: function forceUpdate() {
            if (!c) {
              var t = a.elements,
                e = t.reference,
                n = t.popper;
              if (ae(e, n)) {
                a.rects = {
                  reference: oe(e, kt(n), "fixed" === a.options.strategy),
                  popper: vt(n)
                }, a.reset = !1, a.placement = a.options.placement, a.orderedModifiers.forEach(function (t) {
                  return a.modifiersData[t.name] = Object.assign({}, t.data);
                });
                for (var i = 0; i &lt; a.orderedModifiers.length; i++) if (!0 !== a.reset) {
                  var o = a.orderedModifiers[i],
                    r = o.fn,
                    s = o.options,
                    l = void 0 === s ? {} : s,
                    f = o.name;
                  "function" == typeof r &amp;&amp; (a = r({
                    state: a,
                    options: l,
                    name: f,
                    instance: u
                  }) || a);
                } else a.reset = !1, i = -1;
              }
            }
          },
          update: (o = function o() {
            return new Promise(function (t) {
              u.forceUpdate(), t(a);
            });
          }, function () {
            return s || (s = new Promise(function (t) {
              Promise.resolve().then(function () {
                s = void 0, t(o());
              });
            })), s;
          }),
          destroy: function destroy() {
            f(), c = !0;
          }
        };
      if (!ae(t, e)) return u;
      function f() {
        l.forEach(function (t) {
          return t();
        }), l = [];
      }
      return u.setOptions(n).then(function (t) {
        !c &amp;&amp; n.onFirstUpdate &amp;&amp; n.onFirstUpdate(t);
      }), u;
    };
  }
  var ce = le(),
    ue = le({
      defaultModifiers: [It, ne, jt, gt]
    }),
    fe = le({
      defaultModifiers: [It, ne, jt, gt, ee, Gt, ie, Dt, te]
    }),
    de = Object.freeze({
      __proto__: null,
      popperGenerator: le,
      detectOverflow: Xt,
      createPopperBase: ce,
      createPopper: fe,
      createPopperLite: ue,
      top: it,
      bottom: ot,
      right: rt,
      left: st,
      auto: "auto",
      basePlacements: at,
      start: "start",
      end: "end",
      clippingParents: "clippingParents",
      viewport: "viewport",
      popper: "popper",
      reference: "reference",
      variationPlacements: lt,
      placements: ct,
      beforeRead: "beforeRead",
      read: "read",
      afterRead: "afterRead",
      beforeMain: "beforeMain",
      main: "main",
      afterMain: "afterMain",
      beforeWrite: "beforeWrite",
      write: "write",
      afterWrite: "afterWrite",
      modifierPhases: ut,
      applyStyles: gt,
      arrow: Dt,
      computeStyles: jt,
      eventListeners: It,
      flip: Gt,
      hide: te,
      offset: ee,
      popperOffsets: ne,
      preventOverflow: ie
    }),
    he = "dropdown",
    pe = new RegExp("ArrowUp|ArrowDown|Escape"),
    ge = y ? "top-end" : "top-start",
    me = y ? "top-start" : "top-end",
    ve = y ? "bottom-end" : "bottom-start",
    _e = y ? "bottom-start" : "bottom-end",
    be = y ? "left-start" : "right-start",
    ye = y ? "right-start" : "left-start",
    we = {
      offset: 0,
      flip: !0,
      boundary: "clippingParents",
      reference: "toggle",
      display: "dynamic",
      popperConfig: null
    },
    Ee = {
      offset: "(number|string|function)",
      flip: "boolean",
      boundary: "(string|element)",
      reference: "(string|element)",
      display: "string",
      popperConfig: "(null|object)"
    },
    Te = function (t) {
      function o(e, n) {
        var i;
        return (i = t.call(this, e) || this)._popper = null, i._config = i._getConfig(n), i._menu = i._getMenuElement(), i._inNavbar = i._detectNavbar(), i._addEventListeners(), i;
      }
      i(o, t);
      var r = o.prototype;
      return r.toggle = function () {
        if (!this._element.disabled &amp;&amp; !this._element.classList.contains("disabled")) {
          var t = this._element.classList.contains("show");
          o.clearMenus(), t || this.show();
        }
      }, r.show = function () {
        if (!(this._element.disabled || this._element.classList.contains("disabled") || this._menu.classList.contains("show"))) {
          var t = o.getParentFromElement(this._element),
            e = {
              relatedTarget: this._element
            };
          if (!H.trigger(this._element, "show.bs.dropdown", e).defaultPrevented) {
            if (!this._inNavbar) {
              if (void 0 === de) throw new TypeError("Bootstrap's dropdowns require Popper (https://popper.js.org)");
              var n = this._element;
              "parent" === this._config.reference ? n = t : d(this._config.reference) &amp;&amp; (n = this._config.reference, void 0 !== this._config.reference.jquery &amp;&amp; (n = this._config.reference[0])), this._popper = fe(n, this._menu, this._getPopperConfig());
            }
            var i;
            if ("ontouchstart" in document.documentElement &amp;&amp; !t.closest(".navbar-nav")) (i = []).concat.apply(i, document.body.children).forEach(function (t) {
              return H.on(t, "mouseover", null, function () {});
            });
            this._element.focus(), this._element.setAttribute("aria-expanded", !0), this._menu.classList.toggle("show"), this._element.classList.toggle("show"), H.trigger(t, "shown.bs.dropdown", e);
          }
        }
      }, r.hide = function () {
        if (!this._element.disabled &amp;&amp; !this._element.classList.contains("disabled") &amp;&amp; this._menu.classList.contains("show")) {
          var t = o.getParentFromElement(this._element),
            e = {
              relatedTarget: this._element
            };
          H.trigger(t, "hide.bs.dropdown", e).defaultPrevented || (this._popper &amp;&amp; this._popper.destroy(), this._menu.classList.toggle("show"), this._element.classList.toggle("show"), H.trigger(t, "hidden.bs.dropdown", e));
        }
      }, r.dispose = function () {
        t.prototype.dispose.call(this), H.off(this._element, ".bs.dropdown"), this._menu = null, this._popper &amp;&amp; (this._popper.destroy(), this._popper = null);
      }, r.update = function () {
        this._inNavbar = this._detectNavbar(), this._popper &amp;&amp; this._popper.update();
      }, r._addEventListeners = function () {
        var t = this;
        H.on(this._element, "click.bs.dropdown", function (e) {
          e.preventDefault(), e.stopPropagation(), t.toggle();
        });
      }, r._getConfig = function (t) {
        return t = n({}, this.constructor.Default, Y.getDataAttributes(this._element), t), p(he, t, this.constructor.DefaultType), t;
      }, r._getMenuElement = function () {
        return q.next(this._element, ".dropdown-menu")[0];
      }, r._getPlacement = function () {
        var t = this._element.parentNode;
        if (t.classList.contains("dropend")) return be;
        if (t.classList.contains("dropstart")) return ye;
        var e = "end" === getComputedStyle(this._menu).getPropertyValue("--bs-position").trim();
        return t.classList.contains("dropup") ? e ? me : ge : e ? _e : ve;
      }, r._detectNavbar = function () {
        return null !== this._element.closest(".navbar");
      }, r._getPopperConfig = function () {
        var t = {
          placement: this._getPlacement(),
          modifiers: [{
            name: "preventOverflow",
            options: {
              altBoundary: this._config.flip,
              rootBoundary: this._config.boundary
            }
          }]
        };
        return "static" === this._config.display &amp;&amp; (t.modifiers = [{
          name: "applyStyles",
          enabled: !1
        }]), n({}, t, this._config.popperConfig);
      }, o.dropdownInterface = function (t, e) {
        var n = T(t, "bs.dropdown");
        if (n || (n = new o(t, "object" == _typeof(e) ? e : null)), "string" == typeof e) {
          if (void 0 === n[e]) throw new TypeError('No method named "' + e + '"');
          n[e]();
        }
      }, o.jQueryInterface = function (t) {
        return this.each(function () {
          o.dropdownInterface(this, t);
        });
      }, o.clearMenus = function (t) {
        if (!t || 2 !== t.button &amp;&amp; ("keyup" !== t.type || "Tab" === t.key)) for (var e = q.find('[data-bs-toggle="dropdown"]'), n = 0, i = e.length; n &lt; i; n++) {
          var r = o.getParentFromElement(e[n]),
            s = T(e[n], "bs.dropdown"),
            a = {
              relatedTarget: e[n]
            };
          if (t &amp;&amp; "click" === t.type &amp;&amp; (a.clickEvent = t), s) {
            var l = s._menu;
            if (e[n].classList.contains("show")) if (!(t &amp;&amp; ("click" === t.type &amp;&amp; /input|textarea/i.test(t.target.tagName) || "keyup" === t.type &amp;&amp; "Tab" === t.key) &amp;&amp; l.contains(t.target))) if (!H.trigger(r, "hide.bs.dropdown", a).defaultPrevented) {
              var c;
              if ("ontouchstart" in document.documentElement) (c = []).concat.apply(c, document.body.children).forEach(function (t) {
                return H.off(t, "mouseover", null, function () {});
              });
              e[n].setAttribute("aria-expanded", "false"), s._popper &amp;&amp; s._popper.destroy(), l.classList.remove("show"), e[n].classList.remove("show"), H.trigger(r, "hidden.bs.dropdown", a);
            }
          }
        }
      }, o.getParentFromElement = function (t) {
        return c(t) || t.parentNode;
      }, o.dataApiKeydownHandler = function (t) {
        if (!(/input|textarea/i.test(t.target.tagName) ? "Space" === t.key || "Escape" !== t.key &amp;&amp; ("ArrowDown" !== t.key &amp;&amp; "ArrowUp" !== t.key || t.target.closest(".dropdown-menu")) : !pe.test(t.key)) &amp;&amp; (t.preventDefault(), t.stopPropagation(), !this.disabled &amp;&amp; !this.classList.contains("disabled"))) {
          var e = o.getParentFromElement(this),
            n = this.classList.contains("show");
          if ("Escape" === t.key) return (this.matches('[data-bs-toggle="dropdown"]') ? this : q.prev(this, '[data-bs-toggle="dropdown"]')[0]).focus(), void o.clearMenus();
          if (n &amp;&amp; "Space" !== t.key) {
            var i = q.find(".dropdown-menu .dropdown-item:not(.disabled):not(:disabled)", e).filter(g);
            if (i.length) {
              var r = i.indexOf(t.target);
              "ArrowUp" === t.key &amp;&amp; r &gt; 0 &amp;&amp; r--, "ArrowDown" === t.key &amp;&amp; r &lt; i.length - 1 &amp;&amp; r++, i[r = -1 === r ? 0 : r].focus();
            }
          } else o.clearMenus();
        }
      }, e(o, null, [{
        key: "Default",
        get: function get() {
          return we;
        }
      }, {
        key: "DefaultType",
        get: function get() {
          return Ee;
        }
      }, {
        key: "DATA_KEY",
        get: function get() {
          return "bs.dropdown";
        }
      }]), o;
    }(R);
  H.on(document, "keydown.bs.dropdown.data-api", '[data-bs-toggle="dropdown"]', Te.dataApiKeydownHandler), H.on(document, "keydown.bs.dropdown.data-api", ".dropdown-menu", Te.dataApiKeydownHandler), H.on(document, "click.bs.dropdown.data-api", Te.clearMenus), H.on(document, "keyup.bs.dropdown.data-api", Te.clearMenus), H.on(document, "click.bs.dropdown.data-api", '[data-bs-toggle="dropdown"]', function (t) {
    t.preventDefault(), t.stopPropagation(), Te.dropdownInterface(this, "toggle");
  }), H.on(document, "click.bs.dropdown.data-api", ".dropdown form", function (t) {
    return t.stopPropagation();
  }), b(function () {
    var t = _();
    if (t) {
      var e = t.fn[he];
      t.fn[he] = Te.jQueryInterface, t.fn[he].Constructor = Te, t.fn[he].noConflict = function () {
        return t.fn[he] = e, Te.jQueryInterface;
      };
    }
  });
  var ke = {
      backdrop: !0,
      keyboard: !0,
      focus: !0
    },
    Oe = {
      backdrop: "(boolean|string)",
      keyboard: "boolean",
      focus: "boolean"
    },
    Le = function (t) {
      function o(e, n) {
        var i;
        return (i = t.call(this, e) || this)._config = i._getConfig(n), i._dialog = q.findOne(".modal-dialog", e), i._backdrop = null, i._isShown = !1, i._isBodyOverflowing = !1, i._ignoreBackdropClick = !1, i._isTransitioning = !1, i._scrollbarWidth = 0, i;
      }
      i(o, t);
      var r = o.prototype;
      return r.toggle = function (t) {
        return this._isShown ? this.hide() : this.show(t);
      }, r.show = function (t) {
        var e = this;
        if (!this._isShown &amp;&amp; !this._isTransitioning) {
          this._element.classList.contains("fade") &amp;&amp; (this._isTransitioning = !0);
          var n = H.trigger(this._element, "show.bs.modal", {
            relatedTarget: t
          });
          this._isShown || n.defaultPrevented || (this._isShown = !0, this._checkScrollbar(), this._setScrollbar(), this._adjustDialog(), this._setEscapeEvent(), this._setResizeEvent(), H.on(this._element, "click.dismiss.bs.modal", '[data-bs-dismiss="modal"]', function (t) {
            return e.hide(t);
          }), H.on(this._dialog, "mousedown.dismiss.bs.modal", function () {
            H.one(e._element, "mouseup.dismiss.bs.modal", function (t) {
              t.target === e._element &amp;&amp; (e._ignoreBackdropClick = !0);
            });
          }), this._showBackdrop(function () {
            return e._showElement(t);
          }));
        }
      }, r.hide = function (t) {
        var e = this;
        if ((t &amp;&amp; t.preventDefault(), this._isShown &amp;&amp; !this._isTransitioning) &amp;&amp; !H.trigger(this._element, "hide.bs.modal").defaultPrevented) {
          this._isShown = !1;
          var n = this._element.classList.contains("fade");
          if (n &amp;&amp; (this._isTransitioning = !0), this._setEscapeEvent(), this._setResizeEvent(), H.off(document, "focusin.bs.modal"), this._element.classList.remove("show"), H.off(this._element, "click.dismiss.bs.modal"), H.off(this._dialog, "mousedown.dismiss.bs.modal"), n) {
            var i = u(this._element);
            H.one(this._element, "transitionend", function (t) {
              return e._hideModal(t);
            }), h(this._element, i);
          } else this._hideModal();
        }
      }, r.dispose = function () {
        [window, this._element, this._dialog].forEach(function (t) {
          return H.off(t, ".bs.modal");
        }), t.prototype.dispose.call(this), H.off(document, "focusin.bs.modal"), this._config = null, this._dialog = null, this._backdrop = null, this._isShown = null, this._isBodyOverflowing = null, this._ignoreBackdropClick = null, this._isTransitioning = null, this._scrollbarWidth = null;
      }, r.handleUpdate = function () {
        this._adjustDialog();
      }, r._getConfig = function (t) {
        return t = n({}, ke, t), p("modal", t, Oe), t;
      }, r._showElement = function (t) {
        var e = this,
          n = this._element.classList.contains("fade"),
          i = q.findOne(".modal-body", this._dialog);
        this._element.parentNode &amp;&amp; this._element.parentNode.nodeType === Node.ELEMENT_NODE || document.body.appendChild(this._element), this._element.style.display = "block", this._element.removeAttribute("aria-hidden"), this._element.setAttribute("aria-modal", !0), this._element.setAttribute("role", "dialog"), this._element.scrollTop = 0, i &amp;&amp; (i.scrollTop = 0), n &amp;&amp; v(this._element), this._element.classList.add("show"), this._config.focus &amp;&amp; this._enforceFocus();
        var o = function o() {
          e._config.focus &amp;&amp; e._element.focus(), e._isTransitioning = !1, H.trigger(e._element, "shown.bs.modal", {
            relatedTarget: t
          });
        };
        if (n) {
          var r = u(this._dialog);
          H.one(this._dialog, "transitionend", o), h(this._dialog, r);
        } else o();
      }, r._enforceFocus = function () {
        var t = this;
        H.off(document, "focusin.bs.modal"), H.on(document, "focusin.bs.modal", function (e) {
          document === e.target || t._element === e.target || t._element.contains(e.target) || t._element.focus();
        });
      }, r._setEscapeEvent = function () {
        var t = this;
        this._isShown ? H.on(this._element, "keydown.dismiss.bs.modal", function (e) {
          t._config.keyboard &amp;&amp; "Escape" === e.key ? (e.preventDefault(), t.hide()) : t._config.keyboard || "Escape" !== e.key || t._triggerBackdropTransition();
        }) : H.off(this._element, "keydown.dismiss.bs.modal");
      }, r._setResizeEvent = function () {
        var t = this;
        this._isShown ? H.on(window, "resize.bs.modal", function () {
          return t._adjustDialog();
        }) : H.off(window, "resize.bs.modal");
      }, r._hideModal = function () {
        var t = this;
        this._element.style.display = "none", this._element.setAttribute("aria-hidden", !0), this._element.removeAttribute("aria-modal"), this._element.removeAttribute("role"), this._isTransitioning = !1, this._showBackdrop(function () {
          document.body.classList.remove("modal-open"), t._resetAdjustments(), t._resetScrollbar(), H.trigger(t._element, "hidden.bs.modal");
        });
      }, r._removeBackdrop = function () {
        this._backdrop.parentNode.removeChild(this._backdrop), this._backdrop = null;
      }, r._showBackdrop = function (t) {
        var e = this,
          n = this._element.classList.contains("fade") ? "fade" : "";
        if (this._isShown &amp;&amp; this._config.backdrop) {
          if (this._backdrop = document.createElement("div"), this._backdrop.className = "modal-backdrop", n &amp;&amp; this._backdrop.classList.add(n), document.body.appendChild(this._backdrop), H.on(this._element, "click.dismiss.bs.modal", function (t) {
            e._ignoreBackdropClick ? e._ignoreBackdropClick = !1 : t.target === t.currentTarget &amp;&amp; ("static" === e._config.backdrop ? e._triggerBackdropTransition() : e.hide());
          }), n &amp;&amp; v(this._backdrop), this._backdrop.classList.add("show"), !n) return void t();
          var i = u(this._backdrop);
          H.one(this._backdrop, "transitionend", t), h(this._backdrop, i);
        } else if (!this._isShown &amp;&amp; this._backdrop) {
          this._backdrop.classList.remove("show");
          var o = function o() {
            e._removeBackdrop(), t();
          };
          if (this._element.classList.contains("fade")) {
            var r = u(this._backdrop);
            H.one(this._backdrop, "transitionend", o), h(this._backdrop, r);
          } else o();
        } else t();
      }, r._triggerBackdropTransition = function () {
        var t = this;
        if (!H.trigger(this._element, "hidePrevented.bs.modal").defaultPrevented) {
          var e = this._element.scrollHeight &gt; document.documentElement.clientHeight;
          e || (this._element.style.overflowY = "hidden"), this._element.classList.add("modal-static");
          var n = u(this._dialog);
          H.off(this._element, "transitionend"), H.one(this._element, "transitionend", function () {
            t._element.classList.remove("modal-static"), e || (H.one(t._element, "transitionend", function () {
              t._element.style.overflowY = "";
            }), h(t._element, n));
          }), h(this._element, n), this._element.focus();
        }
      }, r._adjustDialog = function () {
        var t = this._element.scrollHeight &gt; document.documentElement.clientHeight;
        (!this._isBodyOverflowing &amp;&amp; t &amp;&amp; !y || this._isBodyOverflowing &amp;&amp; !t &amp;&amp; y) &amp;&amp; (this._element.style.paddingLeft = this._scrollbarWidth + "px"), (this._isBodyOverflowing &amp;&amp; !t &amp;&amp; !y || !this._isBodyOverflowing &amp;&amp; t &amp;&amp; y) &amp;&amp; (this._element.style.paddingRight = this._scrollbarWidth + "px");
      }, r._resetAdjustments = function () {
        this._element.style.paddingLeft = "", this._element.style.paddingRight = "";
      }, r._checkScrollbar = function () {
        var t = document.body.getBoundingClientRect();
        this._isBodyOverflowing = Math.round(t.left + t.right) &lt; window.innerWidth, this._scrollbarWidth = this._getScrollbarWidth();
      }, r._setScrollbar = function () {
        var t = this;
        if (this._isBodyOverflowing) {
          q.find(".fixed-top, .fixed-bottom, .is-fixed, .sticky-top").forEach(function (e) {
            var n = e.style.paddingRight,
              i = window.getComputedStyle(e)["padding-right"];
            Y.setDataAttribute(e, "padding-right", n), e.style.paddingRight = Number.parseFloat(i) + t._scrollbarWidth + "px";
          }), q.find(".sticky-top").forEach(function (e) {
            var n = e.style.marginRight,
              i = window.getComputedStyle(e)["margin-right"];
            Y.setDataAttribute(e, "margin-right", n), e.style.marginRight = Number.parseFloat(i) - t._scrollbarWidth + "px";
          });
          var e = document.body.style.paddingRight,
            n = window.getComputedStyle(document.body)["padding-right"];
          Y.setDataAttribute(document.body, "padding-right", e), document.body.style.paddingRight = Number.parseFloat(n) + this._scrollbarWidth + "px";
        }
        document.body.classList.add("modal-open");
      }, r._resetScrollbar = function () {
        q.find(".fixed-top, .fixed-bottom, .is-fixed, .sticky-top").forEach(function (t) {
          var e = Y.getDataAttribute(t, "padding-right");
          void 0 !== e &amp;&amp; (Y.removeDataAttribute(t, "padding-right"), t.style.paddingRight = e);
        }), q.find(".sticky-top").forEach(function (t) {
          var e = Y.getDataAttribute(t, "margin-right");
          void 0 !== e &amp;&amp; (Y.removeDataAttribute(t, "margin-right"), t.style.marginRight = e);
        });
        var t = Y.getDataAttribute(document.body, "padding-right");
        void 0 === t ? document.body.style.paddingRight = "" : (Y.removeDataAttribute(document.body, "padding-right"), document.body.style.paddingRight = t);
      }, r._getScrollbarWidth = function () {
        var t = document.createElement("div");
        t.className = "modal-scrollbar-measure", document.body.appendChild(t);
        var e = t.getBoundingClientRect().width - t.clientWidth;
        return document.body.removeChild(t), e;
      }, o.jQueryInterface = function (t, e) {
        return this.each(function () {
          var i = T(this, "bs.modal"),
            r = n({}, ke, Y.getDataAttributes(this), "object" == _typeof(t) &amp;&amp; t ? t : {});
          if (i || (i = new o(this, r)), "string" == typeof t) {
            if (void 0 === i[t]) throw new TypeError('No method named "' + t + '"');
            i[t](e);
          }
        });
      }, e(o, null, [{
        key: "Default",
        get: function get() {
          return ke;
        }
      }, {
        key: "DATA_KEY",
        get: function get() {
          return "bs.modal";
        }
      }]), o;
    }(R);
  H.on(document, "click.bs.modal.data-api", '[data-bs-toggle="modal"]', function (t) {
    var e = this,
      i = c(this);
    "A" !== this.tagName &amp;&amp; "AREA" !== this.tagName || t.preventDefault(), H.one(i, "show.bs.modal", function (t) {
      t.defaultPrevented || H.one(i, "hidden.bs.modal", function () {
        g(e) &amp;&amp; e.focus();
      });
    });
    var o = T(i, "bs.modal");
    if (!o) {
      var r = n({}, Y.getDataAttributes(i), Y.getDataAttributes(this));
      o = new Le(i, r);
    }
    o.show(this);
  }), b(function () {
    var t = _();
    if (t) {
      var e = t.fn.modal;
      t.fn.modal = Le.jQueryInterface, t.fn.modal.Constructor = Le, t.fn.modal.noConflict = function () {
        return t.fn.modal = e, Le.jQueryInterface;
      };
    }
  });
  var Ae = new Set(["background", "cite", "href", "itemtype", "longdesc", "poster", "src", "xlink:href"]),
    Ce = /^(?:(?:https?|mailto|ftp|tel|file):|[^#&amp;/:?]*(?:[#/?]|$))/gi,
    De = /^data:(?:image\/(?:bmp|gif|jpeg|jpg|png|tiff|webp)|video\/(?:mpeg|mp4|ogg|webm)|audio\/(?:mp3|oga|ogg|opus));base64,[\d+/a-z]+=*$/i,
    xe = {
      "*": ["class", "dir", "id", "lang", "role", /^aria-[\w-]*$/i],
      a: ["target", "href", "title", "rel"],
      area: [],
      b: [],
      br: [],
      col: [],
      code: [],
      div: [],
      em: [],
      hr: [],
      h1: [],
      h2: [],
      h3: [],
      h4: [],
      h5: [],
      h6: [],
      i: [],
      img: ["src", "srcset", "alt", "title", "width", "height"],
      li: [],
      ol: [],
      p: [],
      pre: [],
      s: [],
      small: [],
      span: [],
      sub: [],
      sup: [],
      strong: [],
      u: [],
      ul: []
    };
  function Se(t, e, n) {
    var i;
    if (!t.length) return t;
    if (n &amp;&amp; "function" == typeof n) return n(t);
    for (var o = new window.DOMParser().parseFromString(t, "text/html"), r = Object.keys(e), s = (i = []).concat.apply(i, o.body.querySelectorAll("*")), a = function a(t, n) {
        var i,
          o = s[t],
          a = o.nodeName.toLowerCase();
        if (!r.includes(a)) return o.parentNode.removeChild(o), "continue";
        var l = (i = []).concat.apply(i, o.attributes),
          c = [].concat(e["*"] || [], e[a] || []);
        l.forEach(function (t) {
          (function (t, e) {
            var n = t.nodeName.toLowerCase();
            if (e.includes(n)) return !Ae.has(n) || Boolean(t.nodeValue.match(Ce) || t.nodeValue.match(De));
            for (var i = e.filter(function (t) {
                return t instanceof RegExp;
              }), o = 0, r = i.length; o &lt; r; o++) if (n.match(i[o])) return !0;
            return !1;
          })(t, c) || o.removeAttribute(t.nodeName);
        });
      }, l = 0, c = s.length; l &lt; c; l++) a(l);
    return o.body.innerHTML;
  }
  var je = "tooltip",
    Ne = new RegExp("(^|\\s)bs-tooltip\\S+", "g"),
    Ie = new Set(["sanitize", "allowList", "sanitizeFn"]),
    Pe = {
      animation: "boolean",
      template: "string",
      title: "(string|element|function)",
      trigger: "string",
      delay: "(number|object)",
      html: "boolean",
      selector: "(string|boolean)",
      placement: "(string|function)",
      container: "(string|element|boolean)",
      fallbackPlacements: "(null|array)",
      boundary: "(string|element)",
      customClass: "(string|function)",
      sanitize: "boolean",
      sanitizeFn: "(null|function)",
      allowList: "object",
      popperConfig: "(null|object)"
    },
    Me = {
      AUTO: "auto",
      TOP: "top",
      RIGHT: y ? "left" : "right",
      BOTTOM: "bottom",
      LEFT: y ? "right" : "left"
    },
    Be = {
      animation: !0,
      template: '&lt;div class="tooltip" role="tooltip"&gt;&lt;div class="tooltip-arrow"&gt;&lt;/div&gt;&lt;div class="tooltip-inner"&gt;&lt;/div&gt;&lt;/div&gt;',
      trigger: "hover focus",
      title: "",
      delay: 0,
      html: !1,
      selector: !1,
      placement: "top",
      container: !1,
      fallbackPlacements: null,
      boundary: "clippingParents",
      customClass: "",
      sanitize: !0,
      sanitizeFn: null,
      allowList: xe,
      popperConfig: null
    },
    He = {
      HIDE: "hide.bs.tooltip",
      HIDDEN: "hidden.bs.tooltip",
      SHOW: "show.bs.tooltip",
      SHOWN: "shown.bs.tooltip",
      INSERTED: "inserted.bs.tooltip",
      CLICK: "click.bs.tooltip",
      FOCUSIN: "focusin.bs.tooltip",
      FOCUSOUT: "focusout.bs.tooltip",
      MOUSEENTER: "mouseenter.bs.tooltip",
      MOUSELEAVE: "mouseleave.bs.tooltip"
    },
    Re = function (t) {
      function o(e, n) {
        var i;
        if (void 0 === de) throw new TypeError("Bootstrap's tooltips require Popper (https://popper.js.org)");
        return (i = t.call(this, e) || this)._isEnabled = !0, i._timeout = 0, i._hoverState = "", i._activeTrigger = {}, i._popper = null, i.config = i._getConfig(n), i.tip = null, i._setListeners(), i;
      }
      i(o, t);
      var r = o.prototype;
      return r.enable = function () {
        this._isEnabled = !0;
      }, r.disable = function () {
        this._isEnabled = !1;
      }, r.toggleEnabled = function () {
        this._isEnabled = !this._isEnabled;
      }, r.toggle = function (t) {
        if (this._isEnabled) if (t) {
          var e = this.constructor.DATA_KEY,
            n = T(t.delegateTarget, e);
          n || (n = new this.constructor(t.delegateTarget, this._getDelegateConfig()), E(t.delegateTarget, e, n)), n._activeTrigger.click = !n._activeTrigger.click, n._isWithActiveTrigger() ? n._enter(null, n) : n._leave(null, n);
        } else {
          if (this.getTipElement().classList.contains("show")) return void this._leave(null, this);
          this._enter(null, this);
        }
      }, r.dispose = function () {
        clearTimeout(this._timeout), H.off(this._element, this.constructor.EVENT_KEY), H.off(this._element.closest(".modal"), "hide.bs.modal", this._hideModalHandler), this.tip &amp;&amp; this.tip.parentNode.removeChild(this.tip), this._isEnabled = null, this._timeout = null, this._hoverState = null, this._activeTrigger = null, this._popper &amp;&amp; this._popper.destroy(), this._popper = null, this.config = null, this.tip = null, t.prototype.dispose.call(this);
      }, r.show = function () {
        var t = this;
        if ("none" === this._element.style.display) throw new Error("Please use show on visible elements");
        if (this.isWithContent() &amp;&amp; this._isEnabled) {
          var e = H.trigger(this._element, this.constructor.Event.SHOW),
            n = function t(e) {
              if (!document.documentElement.attachShadow) return null;
              if ("function" == typeof e.getRootNode) {
                var n = e.getRootNode();
                return n instanceof ShadowRoot ? n : null;
              }
              return e instanceof ShadowRoot ? e : e.parentNode ? t(e.parentNode) : null;
            }(this._element),
            i = null === n ? this._element.ownerDocument.documentElement.contains(this._element) : n.contains(this._element);
          if (e.defaultPrevented || !i) return;
          var o = this.getTipElement(),
            r = s(this.constructor.NAME);
          o.setAttribute("id", r), this._element.setAttribute("aria-describedby", r), this.setContent(), this.config.animation &amp;&amp; o.classList.add("fade");
          var a = "function" == typeof this.config.placement ? this.config.placement.call(this, o, this._element) : this.config.placement,
            l = this._getAttachment(a);
          this._addAttachmentClass(l);
          var c = this._getContainer();
          E(o, this.constructor.DATA_KEY, this), this._element.ownerDocument.documentElement.contains(this.tip) || c.appendChild(o), H.trigger(this._element, this.constructor.Event.INSERTED), this._popper = fe(this._element, o, this._getPopperConfig(l)), o.classList.add("show");
          var f,
            d,
            p = "function" == typeof this.config.customClass ? this.config.customClass() : this.config.customClass;
          if (p) (f = o.classList).add.apply(f, p.split(" "));
          if ("ontouchstart" in document.documentElement) (d = []).concat.apply(d, document.body.children).forEach(function (t) {
            H.on(t, "mouseover", function () {});
          });
          var g = function g() {
            var e = t._hoverState;
            t._hoverState = null, H.trigger(t._element, t.constructor.Event.SHOWN), "out" === e &amp;&amp; t._leave(null, t);
          };
          if (this.tip.classList.contains("fade")) {
            var m = u(this.tip);
            H.one(this.tip, "transitionend", g), h(this.tip, m);
          } else g();
        }
      }, r.hide = function () {
        var t = this;
        if (this._popper) {
          var e = this.getTipElement(),
            n = function n() {
              "show" !== t._hoverState &amp;&amp; e.parentNode &amp;&amp; e.parentNode.removeChild(e), t._cleanTipClass(), t._element.removeAttribute("aria-describedby"), H.trigger(t._element, t.constructor.Event.HIDDEN), t._popper &amp;&amp; (t._popper.destroy(), t._popper = null);
            };
          if (!H.trigger(this._element, this.constructor.Event.HIDE).defaultPrevented) {
            var i;
            if (e.classList.remove("show"), "ontouchstart" in document.documentElement) (i = []).concat.apply(i, document.body.children).forEach(function (t) {
              return H.off(t, "mouseover", m);
            });
            if (this._activeTrigger.click = !1, this._activeTrigger.focus = !1, this._activeTrigger.hover = !1, this.tip.classList.contains("fade")) {
              var o = u(e);
              H.one(e, "transitionend", n), h(e, o);
            } else n();
            this._hoverState = "";
          }
        }
      }, r.update = function () {
        null !== this._popper &amp;&amp; this._popper.update();
      }, r.isWithContent = function () {
        return Boolean(this.getTitle());
      }, r.getTipElement = function () {
        if (this.tip) return this.tip;
        var t = document.createElement("div");
        return t.innerHTML = this.config.template, this.tip = t.children[0], this.tip;
      }, r.setContent = function () {
        var t = this.getTipElement();
        this.setElementContent(q.findOne(".tooltip-inner", t), this.getTitle()), t.classList.remove("fade", "show");
      }, r.setElementContent = function (t, e) {
        if (null !== t) return "object" == _typeof(e) &amp;&amp; d(e) ? (e.jquery &amp;&amp; (e = e[0]), void (this.config.html ? e.parentNode !== t &amp;&amp; (t.innerHTML = "", t.appendChild(e)) : t.textContent = e.textContent)) : void (this.config.html ? (this.config.sanitize &amp;&amp; (e = Se(e, this.config.allowList, this.config.sanitizeFn)), t.innerHTML = e) : t.textContent = e);
      }, r.getTitle = function () {
        var t = this._element.getAttribute("data-bs-original-title");
        return t || (t = "function" == typeof this.config.title ? this.config.title.call(this._element) : this.config.title), t;
      }, r.updateAttachment = function (t) {
        return "right" === t ? "end" : "left" === t ? "start" : t;
      }, r._getPopperConfig = function (t) {
        var e = this,
          i = {
            name: "flip",
            options: {
              altBoundary: !0
            }
          };
        return this.config.fallbackPlacements &amp;&amp; (i.options.fallbackPlacements = this.config.fallbackPlacements), n({}, {
          placement: t,
          modifiers: [i, {
            name: "preventOverflow",
            options: {
              rootBoundary: this.config.boundary
            }
          }, {
            name: "arrow",
            options: {
              element: "." + this.constructor.NAME + "-arrow"
            }
          }, {
            name: "onChange",
            enabled: !0,
            phase: "afterWrite",
            fn: function fn(t) {
              return e._handlePopperPlacementChange(t);
            }
          }],
          onFirstUpdate: function onFirstUpdate(t) {
            t.options.placement !== t.placement &amp;&amp; e._handlePopperPlacementChange(t);
          }
        }, this.config.popperConfig);
      }, r._addAttachmentClass = function (t) {
        this.getTipElement().classList.add("bs-tooltip-" + this.updateAttachment(t));
      }, r._getContainer = function () {
        return !1 === this.config.container ? document.body : d(this.config.container) ? this.config.container : q.findOne(this.config.container);
      }, r._getAttachment = function (t) {
        return Me[t.toUpperCase()];
      }, r._setListeners = function () {
        var t = this;
        this.config.trigger.split(" ").forEach(function (e) {
          if ("click" === e) H.on(t._element, t.constructor.Event.CLICK, t.config.selector, function (e) {
            return t.toggle(e);
          });else if ("manual" !== e) {
            var n = "hover" === e ? t.constructor.Event.MOUSEENTER : t.constructor.Event.FOCUSIN,
              i = "hover" === e ? t.constructor.Event.MOUSELEAVE : t.constructor.Event.FOCUSOUT;
            H.on(t._element, n, t.config.selector, function (e) {
              return t._enter(e);
            }), H.on(t._element, i, t.config.selector, function (e) {
              return t._leave(e);
            });
          }
        }), this._hideModalHandler = function () {
          t._element &amp;&amp; t.hide();
        }, H.on(this._element.closest(".modal"), "hide.bs.modal", this._hideModalHandler), this.config.selector ? this.config = n({}, this.config, {
          trigger: "manual",
          selector: ""
        }) : this._fixTitle();
      }, r._fixTitle = function () {
        var t = this._element.getAttribute("title"),
          e = _typeof(this._element.getAttribute("data-bs-original-title"));
        (t || "string" !== e) &amp;&amp; (this._element.setAttribute("data-bs-original-title", t || ""), !t || this._element.getAttribute("aria-label") || this._element.textContent || this._element.setAttribute("aria-label", t), this._element.setAttribute("title", ""));
      }, r._enter = function (t, e) {
        var n = this.constructor.DATA_KEY;
        (e = e || T(t.delegateTarget, n)) || (e = new this.constructor(t.delegateTarget, this._getDelegateConfig()), E(t.delegateTarget, n, e)), t &amp;&amp; (e._activeTrigger["focusin" === t.type ? "focus" : "hover"] = !0), e.getTipElement().classList.contains("show") || "show" === e._hoverState ? e._hoverState = "show" : (clearTimeout(e._timeout), e._hoverState = "show", e.config.delay &amp;&amp; e.config.delay.show ? e._timeout = setTimeout(function () {
          "show" === e._hoverState &amp;&amp; e.show();
        }, e.config.delay.show) : e.show());
      }, r._leave = function (t, e) {
        var n = this.constructor.DATA_KEY;
        (e = e || T(t.delegateTarget, n)) || (e = new this.constructor(t.delegateTarget, this._getDelegateConfig()), E(t.delegateTarget, n, e)), t &amp;&amp; (e._activeTrigger["focusout" === t.type ? "focus" : "hover"] = !1), e._isWithActiveTrigger() || (clearTimeout(e._timeout), e._hoverState = "out", e.config.delay &amp;&amp; e.config.delay.hide ? e._timeout = setTimeout(function () {
          "out" === e._hoverState &amp;&amp; e.hide();
        }, e.config.delay.hide) : e.hide());
      }, r._isWithActiveTrigger = function () {
        for (var t in this._activeTrigger) if (this._activeTrigger[t]) return !0;
        return !1;
      }, r._getConfig = function (t) {
        var e = Y.getDataAttributes(this._element);
        return Object.keys(e).forEach(function (t) {
          Ie.has(t) &amp;&amp; delete e[t];
        }), t &amp;&amp; "object" == _typeof(t.container) &amp;&amp; t.container.jquery &amp;&amp; (t.container = t.container[0]), "number" == typeof (t = n({}, this.constructor.Default, e, "object" == _typeof(t) &amp;&amp; t ? t : {})).delay &amp;&amp; (t.delay = {
          show: t.delay,
          hide: t.delay
        }), "number" == typeof t.title &amp;&amp; (t.title = t.title.toString()), "number" == typeof t.content &amp;&amp; (t.content = t.content.toString()), p(je, t, this.constructor.DefaultType), t.sanitize &amp;&amp; (t.template = Se(t.template, t.allowList, t.sanitizeFn)), t;
      }, r._getDelegateConfig = function () {
        var t = {};
        if (this.config) for (var e in this.config) this.constructor.Default[e] !== this.config[e] &amp;&amp; (t[e] = this.config[e]);
        return t;
      }, r._cleanTipClass = function () {
        var t = this.getTipElement(),
          e = t.getAttribute("class").match(Ne);
        null !== e &amp;&amp; e.length &gt; 0 &amp;&amp; e.map(function (t) {
          return t.trim();
        }).forEach(function (e) {
          return t.classList.remove(e);
        });
      }, r._handlePopperPlacementChange = function (t) {
        var e = t.state;
        e &amp;&amp; (this.tip = e.elements.popper, this._cleanTipClass(), this._addAttachmentClass(this._getAttachment(e.placement)));
      }, o.jQueryInterface = function (t) {
        return this.each(function () {
          var e = T(this, "bs.tooltip"),
            n = "object" == _typeof(t) &amp;&amp; t;
          if ((e || !/dispose|hide/.test(t)) &amp;&amp; (e || (e = new o(this, n)), "string" == typeof t)) {
            if (void 0 === e[t]) throw new TypeError('No method named "' + t + '"');
            e[t]();
          }
        });
      }, e(o, null, [{
        key: "Default",
        get: function get() {
          return Be;
        }
      }, {
        key: "NAME",
        get: function get() {
          return je;
        }
      }, {
        key: "DATA_KEY",
        get: function get() {
          return "bs.tooltip";
        }
      }, {
        key: "Event",
        get: function get() {
          return He;
        }
      }, {
        key: "EVENT_KEY",
        get: function get() {
          return ".bs.tooltip";
        }
      }, {
        key: "DefaultType",
        get: function get() {
          return Pe;
        }
      }]), o;
    }(R);
  b(function () {
    var t = _();
    if (t) {
      var e = t.fn[je];
      t.fn[je] = Re.jQueryInterface, t.fn[je].Constructor = Re, t.fn[je].noConflict = function () {
        return t.fn[je] = e, Re.jQueryInterface;
      };
    }
  });
  var We = "popover",
    Ke = new RegExp("(^|\\s)bs-popover\\S+", "g"),
    Qe = n({}, Re.Default, {
      placement: "right",
      trigger: "click",
      content: "",
      template: '&lt;div class="popover" role="tooltip"&gt;&lt;div class="popover-arrow"&gt;&lt;/div&gt;&lt;h3 class="popover-header"&gt;&lt;/h3&gt;&lt;div class="popover-body"&gt;&lt;/div&gt;&lt;/div&gt;'
    }),
    Ue = n({}, Re.DefaultType, {
      content: "(string|element|function)"
    }),
    Fe = {
      HIDE: "hide.bs.popover",
      HIDDEN: "hidden.bs.popover",
      SHOW: "show.bs.popover",
      SHOWN: "shown.bs.popover",
      INSERTED: "inserted.bs.popover",
      CLICK: "click.bs.popover",
      FOCUSIN: "focusin.bs.popover",
      FOCUSOUT: "focusout.bs.popover",
      MOUSEENTER: "mouseenter.bs.popover",
      MOUSELEAVE: "mouseleave.bs.popover"
    },
    Ye = function (t) {
      function n() {
        return t.apply(this, arguments) || this;
      }
      i(n, t);
      var o = n.prototype;
      return o.isWithContent = function () {
        return this.getTitle() || this._getContent();
      }, o.setContent = function () {
        var t = this.getTipElement();
        this.setElementContent(q.findOne(".popover-header", t), this.getTitle());
        var e = this._getContent();
        "function" == typeof e &amp;&amp; (e = e.call(this._element)), this.setElementContent(q.findOne(".popover-body", t), e), t.classList.remove("fade", "show");
      }, o._addAttachmentClass = function (t) {
        this.getTipElement().classList.add("bs-popover-" + this.updateAttachment(t));
      }, o._getContent = function () {
        return this._element.getAttribute("data-bs-content") || this.config.content;
      }, o._cleanTipClass = function () {
        var t = this.getTipElement(),
          e = t.getAttribute("class").match(Ke);
        null !== e &amp;&amp; e.length &gt; 0 &amp;&amp; e.map(function (t) {
          return t.trim();
        }).forEach(function (e) {
          return t.classList.remove(e);
        });
      }, n.jQueryInterface = function (t) {
        return this.each(function () {
          var e = T(this, "bs.popover"),
            i = "object" == _typeof(t) ? t : null;
          if ((e || !/dispose|hide/.test(t)) &amp;&amp; (e || (e = new n(this, i), E(this, "bs.popover", e)), "string" == typeof t)) {
            if (void 0 === e[t]) throw new TypeError('No method named "' + t + '"');
            e[t]();
          }
        });
      }, e(n, null, [{
        key: "Default",
        get: function get() {
          return Qe;
        }
      }, {
        key: "NAME",
        get: function get() {
          return We;
        }
      }, {
        key: "DATA_KEY",
        get: function get() {
          return "bs.popover";
        }
      }, {
        key: "Event",
        get: function get() {
          return Fe;
        }
      }, {
        key: "EVENT_KEY",
        get: function get() {
          return ".bs.popover";
        }
      }, {
        key: "DefaultType",
        get: function get() {
          return Ue;
        }
      }]), n;
    }(Re);
  b(function () {
    var t = _();
    if (t) {
      var e = t.fn[We];
      t.fn[We] = Ye.jQueryInterface, t.fn[We].Constructor = Ye, t.fn[We].noConflict = function () {
        return t.fn[We] = e, Ye.jQueryInterface;
      };
    }
  });
  var qe = "scrollspy",
    ze = {
      offset: 10,
      method: "auto",
      target: ""
    },
    Ve = {
      offset: "number",
      method: "string",
      target: "(string|element)"
    },
    Xe = function (t) {
      function o(e, n) {
        var i;
        return (i = t.call(this, e) || this)._scrollElement = "BODY" === e.tagName ? window : e, i._config = i._getConfig(n), i._selector = i._config.target + " .nav-link, " + i._config.target + " .list-group-item, " + i._config.target + " .dropdown-item", i._offsets = [], i._targets = [], i._activeTarget = null, i._scrollHeight = 0, H.on(i._scrollElement, "scroll.bs.scrollspy", function (t) {
          return i._process(t);
        }), i.refresh(), i._process(), i;
      }
      i(o, t);
      var r = o.prototype;
      return r.refresh = function () {
        var t = this,
          e = this._scrollElement === this._scrollElement.window ? "offset" : "position",
          n = "auto" === this._config.method ? e : this._config.method,
          i = "position" === n ? this._getScrollTop() : 0;
        this._offsets = [], this._targets = [], this._scrollHeight = this._getScrollHeight(), q.find(this._selector).map(function (t) {
          var e = l(t),
            o = e ? q.findOne(e) : null;
          if (o) {
            var r = o.getBoundingClientRect();
            if (r.width || r.height) return [Y[n](o).top + i, e];
          }
          return null;
        }).filter(function (t) {
          return t;
        }).sort(function (t, e) {
          return t[0] - e[0];
        }).forEach(function (e) {
          t._offsets.push(e[0]), t._targets.push(e[1]);
        });
      }, r.dispose = function () {
        t.prototype.dispose.call(this), H.off(this._scrollElement, ".bs.scrollspy"), this._scrollElement = null, this._config = null, this._selector = null, this._offsets = null, this._targets = null, this._activeTarget = null, this._scrollHeight = null;
      }, r._getConfig = function (t) {
        if ("string" != typeof (t = n({}, ze, "object" == _typeof(t) &amp;&amp; t ? t : {})).target &amp;&amp; d(t.target)) {
          var e = t.target.id;
          e || (e = s(qe), t.target.id = e), t.target = "#" + e;
        }
        return p(qe, t, Ve), t;
      }, r._getScrollTop = function () {
        return this._scrollElement === window ? this._scrollElement.pageYOffset : this._scrollElement.scrollTop;
      }, r._getScrollHeight = function () {
        return this._scrollElement.scrollHeight || Math.max(document.body.scrollHeight, document.documentElement.scrollHeight);
      }, r._getOffsetHeight = function () {
        return this._scrollElement === window ? window.innerHeight : this._scrollElement.getBoundingClientRect().height;
      }, r._process = function () {
        var t = this._getScrollTop() + this._config.offset,
          e = this._getScrollHeight(),
          n = this._config.offset + e - this._getOffsetHeight();
        if (this._scrollHeight !== e &amp;&amp; this.refresh(), t &gt;= n) {
          var i = this._targets[this._targets.length - 1];
          this._activeTarget !== i &amp;&amp; this._activate(i);
        } else {
          if (this._activeTarget &amp;&amp; t &lt; this._offsets[0] &amp;&amp; this._offsets[0] &gt; 0) return this._activeTarget = null, void this._clear();
          for (var o = this._offsets.length; o--;) {
            this._activeTarget !== this._targets[o] &amp;&amp; t &gt;= this._offsets[o] &amp;&amp; (void 0 === this._offsets[o + 1] || t &lt; this._offsets[o + 1]) &amp;&amp; this._activate(this._targets[o]);
          }
        }
      }, r._activate = function (t) {
        this._activeTarget = t, this._clear();
        var e = this._selector.split(",").map(function (e) {
            return e + '[data-bs-target="' + t + '"],' + e + '[href="' + t + '"]';
          }),
          n = q.findOne(e.join(","));
        n.classList.contains("dropdown-item") ? (q.findOne(".dropdown-toggle", n.closest(".dropdown")).classList.add("active"), n.classList.add("active")) : (n.classList.add("active"), q.parents(n, ".nav, .list-group").forEach(function (t) {
          q.prev(t, ".nav-link, .list-group-item").forEach(function (t) {
            return t.classList.add("active");
          }), q.prev(t, ".nav-item").forEach(function (t) {
            q.children(t, ".nav-link").forEach(function (t) {
              return t.classList.add("active");
            });
          });
        })), H.trigger(this._scrollElement, "activate.bs.scrollspy", {
          relatedTarget: t
        });
      }, r._clear = function () {
        q.find(this._selector).filter(function (t) {
          return t.classList.contains("active");
        }).forEach(function (t) {
          return t.classList.remove("active");
        });
      }, o.jQueryInterface = function (t) {
        return this.each(function () {
          var e = T(this, "bs.scrollspy");
          if (e || (e = new o(this, "object" == _typeof(t) &amp;&amp; t)), "string" == typeof t) {
            if (void 0 === e[t]) throw new TypeError('No method named "' + t + '"');
            e[t]();
          }
        });
      }, e(o, null, [{
        key: "Default",
        get: function get() {
          return ze;
        }
      }, {
        key: "DATA_KEY",
        get: function get() {
          return "bs.scrollspy";
        }
      }]), o;
    }(R);
  H.on(window, "load.bs.scrollspy.data-api", function () {
    q.find('[data-bs-spy="scroll"]').forEach(function (t) {
      return new Xe(t, Y.getDataAttributes(t));
    });
  }), b(function () {
    var t = _();
    if (t) {
      var e = t.fn[qe];
      t.fn[qe] = Xe.jQueryInterface, t.fn[qe].Constructor = Xe, t.fn[qe].noConflict = function () {
        return t.fn[qe] = e, Xe.jQueryInterface;
      };
    }
  });
  var $e = function (t) {
    function n() {
      return t.apply(this, arguments) || this;
    }
    i(n, t);
    var o = n.prototype;
    return o.show = function () {
      var t = this;
      if (!(this._element.parentNode &amp;&amp; this._element.parentNode.nodeType === Node.ELEMENT_NODE &amp;&amp; this._element.classList.contains("active") || this._element.classList.contains("disabled"))) {
        var e,
          n = c(this._element),
          i = this._element.closest(".nav, .list-group");
        if (i) {
          var o = "UL" === i.nodeName || "OL" === i.nodeName ? ":scope &gt; li &gt; .active" : ".active";
          e = (e = q.find(o, i))[e.length - 1];
        }
        var r = null;
        if (e &amp;&amp; (r = H.trigger(e, "hide.bs.tab", {
          relatedTarget: this._element
        })), !(H.trigger(this._element, "show.bs.tab", {
          relatedTarget: e
        }).defaultPrevented || null !== r &amp;&amp; r.defaultPrevented)) {
          this._activate(this._element, i);
          var s = function s() {
            H.trigger(e, "hidden.bs.tab", {
              relatedTarget: t._element
            }), H.trigger(t._element, "shown.bs.tab", {
              relatedTarget: e
            });
          };
          n ? this._activate(n, n.parentNode, s) : s();
        }
      }
    }, o._activate = function (t, e, n) {
      var i = this,
        o = (!e || "UL" !== e.nodeName &amp;&amp; "OL" !== e.nodeName ? q.children(e, ".active") : q.find(":scope &gt; li &gt; .active", e))[0],
        r = n &amp;&amp; o &amp;&amp; o.classList.contains("fade"),
        s = function s() {
          return i._transitionComplete(t, o, n);
        };
      if (o &amp;&amp; r) {
        var a = u(o);
        o.classList.remove("show"), H.one(o, "transitionend", s), h(o, a);
      } else s();
    }, o._transitionComplete = function (t, e, n) {
      if (e) {
        e.classList.remove("active");
        var i = q.findOne(":scope &gt; .dropdown-menu .active", e.parentNode);
        i &amp;&amp; i.classList.remove("active"), "tab" === e.getAttribute("role") &amp;&amp; e.setAttribute("aria-selected", !1);
      }
      (t.classList.add("active"), "tab" === t.getAttribute("role") &amp;&amp; t.setAttribute("aria-selected", !0), v(t), t.classList.contains("fade") &amp;&amp; t.classList.add("show"), t.parentNode &amp;&amp; t.parentNode.classList.contains("dropdown-menu")) &amp;&amp; (t.closest(".dropdown") &amp;&amp; q.find(".dropdown-toggle").forEach(function (t) {
        return t.classList.add("active");
      }), t.setAttribute("aria-expanded", !0));
      n &amp;&amp; n();
    }, n.jQueryInterface = function (t) {
      return this.each(function () {
        var e = T(this, "bs.tab") || new n(this);
        if ("string" == typeof t) {
          if (void 0 === e[t]) throw new TypeError('No method named "' + t + '"');
          e[t]();
        }
      });
    }, e(n, null, [{
      key: "DATA_KEY",
      get: function get() {
        return "bs.tab";
      }
    }]), n;
  }(R);
  H.on(document, "click.bs.tab.data-api", '[data-bs-toggle="tab"], [data-bs-toggle="pill"], [data-bs-toggle="list"]', function (t) {
    t.preventDefault(), (T(this, "bs.tab") || new $e(this)).show();
  }), b(function () {
    var t = _();
    if (t) {
      var e = t.fn.tab;
      t.fn.tab = $e.jQueryInterface, t.fn.tab.Constructor = $e, t.fn.tab.noConflict = function () {
        return t.fn.tab = e, $e.jQueryInterface;
      };
    }
  });
  var Ge = {
      animation: "boolean",
      autohide: "boolean",
      delay: "number"
    },
    Ze = {
      animation: !0,
      autohide: !0,
      delay: 5e3
    },
    Je = function (t) {
      function o(e, n) {
        var i;
        return (i = t.call(this, e) || this)._config = i._getConfig(n), i._timeout = null, i._setListeners(), i;
      }
      i(o, t);
      var r = o.prototype;
      return r.show = function () {
        var t = this;
        if (!H.trigger(this._element, "show.bs.toast").defaultPrevented) {
          this._clearTimeout(), this._config.animation &amp;&amp; this._element.classList.add("fade");
          var e = function e() {
            t._element.classList.remove("showing"), t._element.classList.add("show"), H.trigger(t._element, "shown.bs.toast"), t._config.autohide &amp;&amp; (t._timeout = setTimeout(function () {
              t.hide();
            }, t._config.delay));
          };
          if (this._element.classList.remove("hide"), v(this._element), this._element.classList.add("showing"), this._config.animation) {
            var n = u(this._element);
            H.one(this._element, "transitionend", e), h(this._element, n);
          } else e();
        }
      }, r.hide = function () {
        var t = this;
        if (this._element.classList.contains("show") &amp;&amp; !H.trigger(this._element, "hide.bs.toast").defaultPrevented) {
          var e = function e() {
            t._element.classList.add("hide"), H.trigger(t._element, "hidden.bs.toast");
          };
          if (this._element.classList.remove("show"), this._config.animation) {
            var n = u(this._element);
            H.one(this._element, "transitionend", e), h(this._element, n);
          } else e();
        }
      }, r.dispose = function () {
        this._clearTimeout(), this._element.classList.contains("show") &amp;&amp; this._element.classList.remove("show"), H.off(this._element, "click.dismiss.bs.toast"), t.prototype.dispose.call(this), this._config = null;
      }, r._getConfig = function (t) {
        return t = n({}, Ze, Y.getDataAttributes(this._element), "object" == _typeof(t) &amp;&amp; t ? t : {}), p("toast", t, this.constructor.DefaultType), t;
      }, r._setListeners = function () {
        var t = this;
        H.on(this._element, "click.dismiss.bs.toast", '[data-bs-dismiss="toast"]', function () {
          return t.hide();
        });
      }, r._clearTimeout = function () {
        clearTimeout(this._timeout), this._timeout = null;
      }, o.jQueryInterface = function (t) {
        return this.each(function () {
          var e = T(this, "bs.toast");
          if (e || (e = new o(this, "object" == _typeof(t) &amp;&amp; t)), "string" == typeof t) {
            if (void 0 === e[t]) throw new TypeError('No method named "' + t + '"');
            e[t](this);
          }
        });
      }, e(o, null, [{
        key: "DefaultType",
        get: function get() {
          return Ge;
        }
      }, {
        key: "Default",
        get: function get() {
          return Ze;
        }
      }, {
        key: "DATA_KEY",
        get: function get() {
          return "bs.toast";
        }
      }]), o;
    }(R);
  return b(function () {
    var t = _();
    if (t) {
      var e = t.fn.toast;
      t.fn.toast = Je.jQueryInterface, t.fn.toast.Constructor = Je, t.fn.toast.noConflict = function () {
        return t.fn.toast = e, Je.jQueryInterface;
      };
    }
  }), {
    Alert: K,
    Button: Q,
    Carousel: Z,
    Collapse: nt,
    Dropdown: Te,
    Modal: Le,
    Popover: Ye,
    ScrollSpy: Xe,
    Tab: $e,
    Toast: Je,
    Tooltip: Re
  };
});

/***/ }),

/***/ "./resources/_Theme/assets/js/imagesloaded.pkgd.min.js":
/*!*************************************************************!*\
  !*** ./resources/_Theme/assets/js/imagesloaded.pkgd.min.js ***!
  \*************************************************************/
/***/ (function(module, exports, __webpack_require__) {

var __WEBPACK_LOCAL_MODULE_0__, __WEBPACK_LOCAL_MODULE_0__factory, __WEBPACK_LOCAL_MODULE_0__module;var __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_DEFINE_RESULT__;function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
/*!
 * imagesLoaded PACKAGED v4.1.4
 * JavaScript is all like "You images are done yet or what?"
 * MIT License
 */

!function (e, t) {
   true ? !(__WEBPACK_LOCAL_MODULE_0__factory = (t), (typeof __WEBPACK_LOCAL_MODULE_0__factory === 'function' ? ((__WEBPACK_LOCAL_MODULE_0__module = { id: "ev-emitter/ev-emitter", exports: {}, loaded: false }), (__WEBPACK_LOCAL_MODULE_0__ = __WEBPACK_LOCAL_MODULE_0__factory.call(__WEBPACK_LOCAL_MODULE_0__module.exports, __webpack_require__, __WEBPACK_LOCAL_MODULE_0__module.exports, __WEBPACK_LOCAL_MODULE_0__module)), (__WEBPACK_LOCAL_MODULE_0__module.loaded = true), __WEBPACK_LOCAL_MODULE_0__ === undefined &amp;&amp; (__WEBPACK_LOCAL_MODULE_0__ = __WEBPACK_LOCAL_MODULE_0__module.exports)) : __WEBPACK_LOCAL_MODULE_0__ = __WEBPACK_LOCAL_MODULE_0__factory)) : 0;
}("undefined" != typeof window ? window : this, function () {
  function e() {}
  var t = e.prototype;
  return t.on = function (e, t) {
    if (e &amp;&amp; t) {
      var i = this._events = this._events || {},
        n = i[e] = i[e] || [];
      return n.indexOf(t) == -1 &amp;&amp; n.push(t), this;
    }
  }, t.once = function (e, t) {
    if (e &amp;&amp; t) {
      this.on(e, t);
      var i = this._onceEvents = this._onceEvents || {},
        n = i[e] = i[e] || {};
      return n[t] = !0, this;
    }
  }, t.off = function (e, t) {
    var i = this._events &amp;&amp; this._events[e];
    if (i &amp;&amp; i.length) {
      var n = i.indexOf(t);
      return n != -1 &amp;&amp; i.splice(n, 1), this;
    }
  }, t.emitEvent = function (e, t) {
    var i = this._events &amp;&amp; this._events[e];
    if (i &amp;&amp; i.length) {
      i = i.slice(0), t = t || [];
      for (var n = this._onceEvents &amp;&amp; this._onceEvents[e], o = 0; o &lt; i.length; o++) {
        var r = i[o],
          s = n &amp;&amp; n[r];
        s &amp;&amp; (this.off(e, r), delete n[r]), r.apply(this, t);
      }
      return this;
    }
  }, t.allOff = function () {
    delete this._events, delete this._onceEvents;
  }, e;
}), function (e, t) {
  "use strict";

   true ? !(__WEBPACK_AMD_DEFINE_ARRAY__ = [__WEBPACK_LOCAL_MODULE_0__], __WEBPACK_AMD_DEFINE_RESULT__ = (function (i) {
    return t(e, i);
  }).apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__),
		__WEBPACK_AMD_DEFINE_RESULT__ !== undefined &amp;&amp; (module.exports = __WEBPACK_AMD_DEFINE_RESULT__)) : 0;
}("undefined" != typeof window ? window : this, function (e, t) {
  function i(e, t) {
    for (var i in t) e[i] = t[i];
    return e;
  }
  function n(e) {
    if (Array.isArray(e)) return e;
    var t = "object" == _typeof(e) &amp;&amp; "number" == typeof e.length;
    return t ? d.call(e) : [e];
  }
  function o(e, t, r) {
    if (!(this instanceof o)) return new o(e, t, r);
    var s = e;
    return "string" == typeof e &amp;&amp; (s = document.querySelectorAll(e)), s ? (this.elements = n(s), this.options = i({}, this.options), "function" == typeof t ? r = t : i(this.options, t), r &amp;&amp; this.on("always", r), this.getImages(), h &amp;&amp; (this.jqDeferred = new h.Deferred()), void setTimeout(this.check.bind(this))) : void a.error("Bad element for imagesLoaded " + (s || e));
  }
  function r(e) {
    this.img = e;
  }
  function s(e, t) {
    this.url = e, this.element = t, this.img = new Image();
  }
  var h = e.jQuery,
    a = e.console,
    d = Array.prototype.slice;
  o.prototype = Object.create(t.prototype), o.prototype.options = {}, o.prototype.getImages = function () {
    this.images = [], this.elements.forEach(this.addElementImages, this);
  }, o.prototype.addElementImages = function (e) {
    "IMG" == e.nodeName &amp;&amp; this.addImage(e), this.options.background === !0 &amp;&amp; this.addElementBackgroundImages(e);
    var t = e.nodeType;
    if (t &amp;&amp; u[t]) {
      for (var i = e.querySelectorAll("img"), n = 0; n &lt; i.length; n++) {
        var o = i[n];
        this.addImage(o);
      }
      if ("string" == typeof this.options.background) {
        var r = e.querySelectorAll(this.options.background);
        for (n = 0; n &lt; r.length; n++) {
          var s = r[n];
          this.addElementBackgroundImages(s);
        }
      }
    }
  };
  var u = {
    1: !0,
    9: !0,
    11: !0
  };
  return o.prototype.addElementBackgroundImages = function (e) {
    var t = getComputedStyle(e);
    if (t) for (var i = /url\((['"])?(.*?)\1\)/gi, n = i.exec(t.backgroundImage); null !== n;) {
      var o = n &amp;&amp; n[2];
      o &amp;&amp; this.addBackground(o, e), n = i.exec(t.backgroundImage);
    }
  }, o.prototype.addImage = function (e) {
    var t = new r(e);
    this.images.push(t);
  }, o.prototype.addBackground = function (e, t) {
    var i = new s(e, t);
    this.images.push(i);
  }, o.prototype.check = function () {
    function e(e, i, n) {
      setTimeout(function () {
        t.progress(e, i, n);
      });
    }
    var t = this;
    return this.progressedCount = 0, this.hasAnyBroken = !1, this.images.length ? void this.images.forEach(function (t) {
      t.once("progress", e), t.check();
    }) : void this.complete();
  }, o.prototype.progress = function (e, t, i) {
    this.progressedCount++, this.hasAnyBroken = this.hasAnyBroken || !e.isLoaded, this.emitEvent("progress", [this, e, t]), this.jqDeferred &amp;&amp; this.jqDeferred.notify &amp;&amp; this.jqDeferred.notify(this, e), this.progressedCount == this.images.length &amp;&amp; this.complete(), this.options.debug &amp;&amp; a &amp;&amp; a.log("progress: " + i, e, t);
  }, o.prototype.complete = function () {
    var e = this.hasAnyBroken ? "fail" : "done";
    if (this.isComplete = !0, this.emitEvent(e, [this]), this.emitEvent("always", [this]), this.jqDeferred) {
      var t = this.hasAnyBroken ? "reject" : "resolve";
      this.jqDeferred[t](this);
    }
  }, r.prototype = Object.create(t.prototype), r.prototype.check = function () {
    var e = this.getIsImageComplete();
    return e ? void this.confirm(0 !== this.img.naturalWidth, "naturalWidth") : (this.proxyImage = new Image(), this.proxyImage.addEventListener("load", this), this.proxyImage.addEventListener("error", this), this.img.addEventListener("load", this), this.img.addEventListener("error", this), void (this.proxyImage.src = this.img.src));
  }, r.prototype.getIsImageComplete = function () {
    return this.img.complete &amp;&amp; this.img.naturalWidth;
  }, r.prototype.confirm = function (e, t) {
    this.isLoaded = e, this.emitEvent("progress", [this, this.img, t]);
  }, r.prototype.handleEvent = function (e) {
    var t = "on" + e.type;
    this[t] &amp;&amp; this[t](e);
  }, r.prototype.onload = function () {
    this.confirm(!0, "onload"), this.unbindEvents();
  }, r.prototype.onerror = function () {
    this.confirm(!1, "onerror"), this.unbindEvents();
  }, r.prototype.unbindEvents = function () {
    this.proxyImage.removeEventListener("load", this), this.proxyImage.removeEventListener("error", this), this.img.removeEventListener("load", this), this.img.removeEventListener("error", this);
  }, s.prototype = Object.create(r.prototype), s.prototype.check = function () {
    this.img.addEventListener("load", this), this.img.addEventListener("error", this), this.img.src = this.url;
    var e = this.getIsImageComplete();
    e &amp;&amp; (this.confirm(0 !== this.img.naturalWidth, "naturalWidth"), this.unbindEvents());
  }, s.prototype.unbindEvents = function () {
    this.img.removeEventListener("load", this), this.img.removeEventListener("error", this);
  }, s.prototype.confirm = function (e, t) {
    this.isLoaded = e, this.emitEvent("progress", [this, this.element, t]);
  }, o.makeJQueryPlugin = function (t) {
    t = t || e.jQuery, t &amp;&amp; (h = t, h.fn.imagesLoaded = function (e, t) {
      var i = new o(this, e, t);
      return i.jqDeferred.promise(h(this));
    });
  }, o.makeJQueryPlugin(), o;
});

/***/ }),

/***/ "./resources/_Theme/assets/js/jquery.counterup.min.js":
/*!************************************************************!*\
  !*** ./resources/_Theme/assets/js/jquery.counterup.min.js ***!
  \************************************************************/
/***/ (() =&gt; {

/*!
* jquery.counterup.js 1.0
*
* Copyright 2013, Benjamin Intal http://gambit.ph @bfintal
* Released under the GPL v2 License
*
* Date: Nov 26, 2013
*/(function (e) {
  "use strict";

  e.fn.counterUp = function (t) {
    var n = e.extend({
      time: 400,
      delay: 10
    }, t);
    return this.each(function () {
      var t = e(this),
        r = n,
        i = function i() {
          var e = [],
            n = r.time / r.delay,
            i = t.text(),
            s = /[0-9]+,[0-9]+/.test(i);
          i = i.replace(/,/g, "");
          var o = /^[0-9]+$/.test(i),
            u = /^[0-9]+\.[0-9]+$/.test(i),
            a = u ? (i.split(".")[1] || []).length : 0;
          for (var f = n; f &gt;= 1; f--) {
            var l = parseInt(i / n * f);
            u &amp;&amp; (l = parseFloat(i / n * f).toFixed(a));
            if (s) while (/(\d+)(\d{3})/.test(l.toString())) l = l.toString().replace(/(\d+)(\d{3})/, "$1,$2");
            e.unshift(l);
          }
          t.data("counterup-nums", e);
          t.text("0");
          var c = function c() {
            t.text(t.data("counterup-nums").shift());
            if (t.data("counterup-nums").length) setTimeout(t.data("counterup-func"), r.delay);else {
              delete t.data("counterup-nums");
              t.data("counterup-nums", null);
              t.data("counterup-func", null);
            }
          };
          t.data("counterup-func", c);
          setTimeout(t.data("counterup-func"), r.delay);
        };
      t.waypoint(i, {
        offset: "100%",
        triggerOnce: !0
      });
    });
  };
})(jQuery);

/***/ }),

/***/ "./resources/_Theme/assets/js/jquery.fancybox.min.js":
/*!***********************************************************!*\
  !*** ./resources/_Theme/assets/js/jquery.fancybox.min.js ***!
  \***********************************************************/
/***/ (() =&gt; {

// ==================================================
// fancyBox v3.5.7
//
// Licensed GPLv3 for open source use
// or fancyBox Commercial License for commercial use
//
// http://fancyapps.com/fancybox/
// Copyright 2019 fancyApps
//
// ==================================================
!function (t, e, n, o) {
  "use strict";

  function i(t, e) {
    var o,
      i,
      a,
      s = [],
      r = 0;
    t &amp;&amp; t.isDefaultPrevented() || (t.preventDefault(), e = e || {}, t &amp;&amp; t.data &amp;&amp; (e = h(t.data.options, e)), o = e.$target || n(t.currentTarget).trigger("blur"), (a = n.fancybox.getInstance()) &amp;&amp; a.$trigger &amp;&amp; a.$trigger.is(o) || (e.selector ? s = n(e.selector) : (i = o.attr("data-fancybox") || "", i ? (s = t.data ? t.data.items : [], s = s.length ? s.filter('[data-fancybox="' + i + '"]') : n('[data-fancybox="' + i + '"]')) : s = [o]), r = n(s).index(o), r &lt; 0 &amp;&amp; (r = 0), a = n.fancybox.open(s, e, r), a.$trigger = o));
  }
  if (t.console = t.console || {
    info: function info(t) {}
  }, n) {
    if (n.fn.fancybox) return void console.info("fancyBox already initialized");
    var a = {
        closeExisting: !1,
        loop: !1,
        gutter: 50,
        keyboard: !0,
        preventCaptionOverlap: !0,
        arrows: !0,
        infobar: !0,
        smallBtn: "auto",
        toolbar: "auto",
        buttons: ["zoom", "slideShow", "thumbs", "close"],
        idleTime: 3,
        protect: !1,
        modal: !1,
        image: {
          preload: !1
        },
        ajax: {
          settings: {
            data: {
              fancybox: !0
            }
          }
        },
        iframe: {
          tpl: '&lt;iframe id="fancybox-frame{rnd}" name="fancybox-frame{rnd}" class="fancybox-iframe" allowfullscreen="allowfullscreen" allow="autoplay; fullscreen" src=""&gt;&lt;/iframe&gt;',
          preload: !0,
          css: {},
          attr: {
            scrolling: "auto"
          }
        },
        video: {
          tpl: '&lt;video class="fancybox-video" controls controlsList="nodownload" poster="{{poster}}"&gt;&lt;source src="{{src}}" type="{{format}}" /&gt;Sorry, your browser doesn\'t support embedded videos, &lt;a href="{{src}}"&gt;download&lt;/a&gt; and watch with your favorite video player!&lt;/video&gt;',
          format: "",
          autoStart: !0
        },
        defaultType: "image",
        animationEffect: "zoom",
        animationDuration: 366,
        zoomOpacity: "auto",
        transitionEffect: "fade",
        transitionDuration: 366,
        slideClass: "",
        baseClass: "",
        baseTpl: '&lt;div class="fancybox-container" role="dialog" tabindex="-1"&gt;&lt;div class="fancybox-bg"&gt;&lt;/div&gt;&lt;div class="fancybox-inner"&gt;&lt;div class="fancybox-infobar"&gt;&lt;span data-fancybox-index&gt;&lt;/span&gt;&amp;nbsp;/&amp;nbsp;&lt;span data-fancybox-count&gt;&lt;/span&gt;&lt;/div&gt;&lt;div class="fancybox-toolbar"&gt;{{buttons}}&lt;/div&gt;&lt;div class="fancybox-navigation"&gt;{{arrows}}&lt;/div&gt;&lt;div class="fancybox-stage"&gt;&lt;/div&gt;&lt;div class="fancybox-caption"&gt;&lt;div class="fancybox-caption__body"&gt;&lt;/div&gt;&lt;/div&gt;&lt;/div&gt;&lt;/div&gt;',
        spinnerTpl: '&lt;div class="fancybox-loading"&gt;&lt;/div&gt;',
        errorTpl: '&lt;div class="fancybox-error"&gt;&lt;p&gt;{{ERROR}}&lt;/p&gt;&lt;/div&gt;',
        btnTpl: {
          download: '&lt;a download data-fancybox-download class="fancybox-button fancybox-button--download" title="{{DOWNLOAD}}" href="javascript:;"&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M18.62 17.09V19H5.38v-1.91zm-2.97-6.96L17 11.45l-5 4.87-5-4.87 1.36-1.32 2.68 2.64V5h1.92v7.77z"/&gt;&lt;/svg&gt;&lt;/a&gt;',
          zoom: '&lt;button data-fancybox-zoom class="fancybox-button fancybox-button--zoom" title="{{ZOOM}}"&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M18.7 17.3l-3-3a5.9 5.9 0 0 0-.6-7.6 5.9 5.9 0 0 0-8.4 0 5.9 5.9 0 0 0 0 8.4 5.9 5.9 0 0 0 7.7.7l3 3a1 1 0 0 0 1.3 0c.4-.5.4-1 0-1.5zM8.1 13.8a4 4 0 0 1 0-5.7 4 4 0 0 1 5.7 0 4 4 0 0 1 0 5.7 4 4 0 0 1-5.7 0z"/&gt;&lt;/svg&gt;&lt;/button&gt;',
          close: '&lt;button data-fancybox-close class="fancybox-button fancybox-button--close" title="{{CLOSE}}"&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M12 10.6L6.6 5.2 5.2 6.6l5.4 5.4-5.4 5.4 1.4 1.4 5.4-5.4 5.4 5.4 1.4-1.4-5.4-5.4 5.4-5.4-1.4-1.4-5.4 5.4z"/&gt;&lt;/svg&gt;&lt;/button&gt;',
          arrowLeft: '&lt;button data-fancybox-prev class="fancybox-button fancybox-button--arrow_left" title="{{PREV}}"&gt;&lt;div&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M11.28 15.7l-1.34 1.37L5 12l4.94-5.07 1.34 1.38-2.68 2.72H19v1.94H8.6z"/&gt;&lt;/svg&gt;&lt;/div&gt;&lt;/button&gt;',
          arrowRight: '&lt;button data-fancybox-next class="fancybox-button fancybox-button--arrow_right" title="{{NEXT}}"&gt;&lt;div&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M15.4 12.97l-2.68 2.72 1.34 1.38L19 12l-4.94-5.07-1.34 1.38 2.68 2.72H5v1.94z"/&gt;&lt;/svg&gt;&lt;/div&gt;&lt;/button&gt;',
          smallBtn: '&lt;button type="button" data-fancybox-close class="fancybox-button fancybox-close-small" title="{{CLOSE}}"&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" version="1" viewBox="0 0 24 24"&gt;&lt;path d="M13 12l5-5-1-1-5 5-5-5-1 1 5 5-5 5 1 1 5-5 5 5 1-1z"/&gt;&lt;/svg&gt;&lt;/button&gt;'
        },
        parentEl: "body",
        hideScrollbar: !0,
        autoFocus: !0,
        backFocus: !0,
        trapFocus: !0,
        fullScreen: {
          autoStart: !1
        },
        touch: {
          vertical: !0,
          momentum: !0
        },
        hash: null,
        media: {},
        slideShow: {
          autoStart: !1,
          speed: 3e3
        },
        thumbs: {
          autoStart: !1,
          hideOnClose: !0,
          parentEl: ".fancybox-container",
          axis: "y"
        },
        wheel: "auto",
        onInit: n.noop,
        beforeLoad: n.noop,
        afterLoad: n.noop,
        beforeShow: n.noop,
        afterShow: n.noop,
        beforeClose: n.noop,
        afterClose: n.noop,
        onActivate: n.noop,
        onDeactivate: n.noop,
        clickContent: function clickContent(t, e) {
          return "image" === t.type &amp;&amp; "zoom";
        },
        clickSlide: "close",
        clickOutside: "close",
        dblclickContent: !1,
        dblclickSlide: !1,
        dblclickOutside: !1,
        mobile: {
          preventCaptionOverlap: !1,
          idleTime: !1,
          clickContent: function clickContent(t, e) {
            return "image" === t.type &amp;&amp; "toggleControls";
          },
          clickSlide: function clickSlide(t, e) {
            return "image" === t.type ? "toggleControls" : "close";
          },
          dblclickContent: function dblclickContent(t, e) {
            return "image" === t.type &amp;&amp; "zoom";
          },
          dblclickSlide: function dblclickSlide(t, e) {
            return "image" === t.type &amp;&amp; "zoom";
          }
        },
        lang: "en",
        i18n: {
          en: {
            CLOSE: "Close",
            NEXT: "Next",
            PREV: "Previous",
            ERROR: "The requested content cannot be loaded. &lt;br/&gt; Please try again later.",
            PLAY_START: "Start slideshow",
            PLAY_STOP: "Pause slideshow",
            FULL_SCREEN: "Full screen",
            THUMBS: "Thumbnails",
            DOWNLOAD: "Download",
            SHARE: "Share",
            ZOOM: "Zoom"
          },
          de: {
            CLOSE: "Schlie&amp;szlig;en",
            NEXT: "Weiter",
            PREV: "Zur&amp;uuml;ck",
            ERROR: "Die angeforderten Daten konnten nicht geladen werden. &lt;br/&gt; Bitte versuchen Sie es sp&amp;auml;ter nochmal.",
            PLAY_START: "Diaschau starten",
            PLAY_STOP: "Diaschau beenden",
            FULL_SCREEN: "Vollbild",
            THUMBS: "Vorschaubilder",
            DOWNLOAD: "Herunterladen",
            SHARE: "Teilen",
            ZOOM: "Vergr&amp;ouml;&amp;szlig;ern"
          }
        }
      },
      s = n(t),
      r = n(e),
      c = 0,
      l = function l(t) {
        return t &amp;&amp; t.hasOwnProperty &amp;&amp; t instanceof n;
      },
      d = function () {
        return t.requestAnimationFrame || t.webkitRequestAnimationFrame || t.mozRequestAnimationFrame || t.oRequestAnimationFrame || function (e) {
          return t.setTimeout(e, 1e3 / 60);
        };
      }(),
      u = function () {
        return t.cancelAnimationFrame || t.webkitCancelAnimationFrame || t.mozCancelAnimationFrame || t.oCancelAnimationFrame || function (e) {
          t.clearTimeout(e);
        };
      }(),
      f = function () {
        var t,
          n = e.createElement("fakeelement"),
          o = {
            transition: "transitionend",
            OTransition: "oTransitionEnd",
            MozTransition: "transitionend",
            WebkitTransition: "webkitTransitionEnd"
          };
        for (t in o) if (void 0 !== n.style[t]) return o[t];
        return "transitionend";
      }(),
      p = function p(t) {
        return t &amp;&amp; t.length &amp;&amp; t[0].offsetHeight;
      },
      h = function h(t, e) {
        var o = n.extend(!0, {}, t, e);
        return n.each(e, function (t, e) {
          n.isArray(e) &amp;&amp; (o[t] = e);
        }), o;
      },
      g = function g(t) {
        var o, i;
        return !(!t || t.ownerDocument !== e) &amp;&amp; (n(".fancybox-container").css("pointer-events", "none"), o = {
          x: t.getBoundingClientRect().left + t.offsetWidth / 2,
          y: t.getBoundingClientRect().top + t.offsetHeight / 2
        }, i = e.elementFromPoint(o.x, o.y) === t, n(".fancybox-container").css("pointer-events", ""), i);
      },
      b = function b(t, e, o) {
        var i = this;
        i.opts = h({
          index: o
        }, n.fancybox.defaults), n.isPlainObject(e) &amp;&amp; (i.opts = h(i.opts, e)), n.fancybox.isMobile &amp;&amp; (i.opts = h(i.opts, i.opts.mobile)), i.id = i.opts.id || ++c, i.currIndex = parseInt(i.opts.index, 10) || 0, i.prevIndex = null, i.prevPos = null, i.currPos = 0, i.firstRun = !0, i.group = [], i.slides = {}, i.addContent(t), i.group.length &amp;&amp; i.init();
      };
    n.extend(b.prototype, {
      init: function init() {
        var o,
          i,
          a = this,
          s = a.group[a.currIndex],
          r = s.opts;
        r.closeExisting &amp;&amp; n.fancybox.close(!0), n("body").addClass("fancybox-active"), !n.fancybox.getInstance() &amp;&amp; !1 !== r.hideScrollbar &amp;&amp; !n.fancybox.isMobile &amp;&amp; e.body.scrollHeight &gt; t.innerHeight &amp;&amp; (n("head").append('&lt;style id="fancybox-style-noscroll" type="text/css"&gt;.compensate-for-scrollbar{margin-right:' + (t.innerWidth - e.documentElement.clientWidth) + "px;}&lt;/style&gt;"), n("body").addClass("compensate-for-scrollbar")), i = "", n.each(r.buttons, function (t, e) {
          i += r.btnTpl[e] || "";
        }), o = n(a.translate(a, r.baseTpl.replace("{{buttons}}", i).replace("{{arrows}}", r.btnTpl.arrowLeft + r.btnTpl.arrowRight))).attr("id", "fancybox-container-" + a.id).addClass(r.baseClass).data("FancyBox", a).appendTo(r.parentEl), a.$refs = {
          container: o
        }, ["bg", "inner", "infobar", "toolbar", "stage", "caption", "navigation"].forEach(function (t) {
          a.$refs[t] = o.find(".fancybox-" + t);
        }), a.trigger("onInit"), a.activate(), a.jumpTo(a.currIndex);
      },
      translate: function translate(t, e) {
        var n = t.opts.i18n[t.opts.lang] || t.opts.i18n.en;
        return e.replace(/\{\{(\w+)\}\}/g, function (t, e) {
          return void 0 === n[e] ? t : n[e];
        });
      },
      addContent: function addContent(t) {
        var e,
          o = this,
          i = n.makeArray(t);
        n.each(i, function (t, e) {
          var i,
            a,
            s,
            r,
            c,
            l = {},
            d = {};
          n.isPlainObject(e) ? (l = e, d = e.opts || e) : "object" === n.type(e) &amp;&amp; n(e).length ? (i = n(e), d = i.data() || {}, d = n.extend(!0, {}, d, d.options), d.$orig = i, l.src = o.opts.src || d.src || i.attr("href"), l.type || l.src || (l.type = "inline", l.src = e)) : l = {
            type: "html",
            src: e + ""
          }, l.opts = n.extend(!0, {}, o.opts, d), n.isArray(d.buttons) &amp;&amp; (l.opts.buttons = d.buttons), n.fancybox.isMobile &amp;&amp; l.opts.mobile &amp;&amp; (l.opts = h(l.opts, l.opts.mobile)), a = l.type || l.opts.type, r = l.src || "", !a &amp;&amp; r &amp;&amp; ((s = r.match(/\.(mp4|mov|ogv|webm)((\?|#).*)?$/i)) ? (a = "video", l.opts.video.format || (l.opts.video.format = "video/" + ("ogv" === s[1] ? "ogg" : s[1]))) : r.match(/(^data:image\/[a-z0-9+\/=]*,)|(\.(jp(e|g|eg)|gif|png|bmp|webp|svg|ico)((\?|#).*)?$)/i) ? a = "image" : r.match(/\.(pdf)((\?|#).*)?$/i) ? (a = "iframe", l = n.extend(!0, l, {
            contentType: "pdf",
            opts: {
              iframe: {
                preload: !1
              }
            }
          })) : "#" === r.charAt(0) &amp;&amp; (a = "inline")), a ? l.type = a : o.trigger("objectNeedsType", l), l.contentType || (l.contentType = n.inArray(l.type, ["html", "inline", "ajax"]) &gt; -1 ? "html" : l.type), l.index = o.group.length, "auto" == l.opts.smallBtn &amp;&amp; (l.opts.smallBtn = n.inArray(l.type, ["html", "inline", "ajax"]) &gt; -1), "auto" === l.opts.toolbar &amp;&amp; (l.opts.toolbar = !l.opts.smallBtn), l.$thumb = l.opts.$thumb || null, l.opts.$trigger &amp;&amp; l.index === o.opts.index &amp;&amp; (l.$thumb = l.opts.$trigger.find("img:first"), l.$thumb.length &amp;&amp; (l.opts.$orig = l.opts.$trigger)), l.$thumb &amp;&amp; l.$thumb.length || !l.opts.$orig || (l.$thumb = l.opts.$orig.find("img:first")), l.$thumb &amp;&amp; !l.$thumb.length &amp;&amp; (l.$thumb = null), l.thumb = l.opts.thumb || (l.$thumb ? l.$thumb[0].src : null), "function" === n.type(l.opts.caption) &amp;&amp; (l.opts.caption = l.opts.caption.apply(e, [o, l])), "function" === n.type(o.opts.caption) &amp;&amp; (l.opts.caption = o.opts.caption.apply(e, [o, l])), l.opts.caption instanceof n || (l.opts.caption = void 0 === l.opts.caption ? "" : l.opts.caption + ""), "ajax" === l.type &amp;&amp; (c = r.split(/\s+/, 2), c.length &gt; 1 &amp;&amp; (l.src = c.shift(), l.opts.filter = c.shift())), l.opts.modal &amp;&amp; (l.opts = n.extend(!0, l.opts, {
            trapFocus: !0,
            infobar: 0,
            toolbar: 0,
            smallBtn: 0,
            keyboard: 0,
            slideShow: 0,
            fullScreen: 0,
            thumbs: 0,
            touch: 0,
            clickContent: !1,
            clickSlide: !1,
            clickOutside: !1,
            dblclickContent: !1,
            dblclickSlide: !1,
            dblclickOutside: !1
          })), o.group.push(l);
        }), Object.keys(o.slides).length &amp;&amp; (o.updateControls(), (e = o.Thumbs) &amp;&amp; e.isActive &amp;&amp; (e.create(), e.focus()));
      },
      addEvents: function addEvents() {
        var e = this;
        e.removeEvents(), e.$refs.container.on("click.fb-close", "[data-fancybox-close]", function (t) {
          t.stopPropagation(), t.preventDefault(), e.close(t);
        }).on("touchstart.fb-prev click.fb-prev", "[data-fancybox-prev]", function (t) {
          t.stopPropagation(), t.preventDefault(), e.previous();
        }).on("touchstart.fb-next click.fb-next", "[data-fancybox-next]", function (t) {
          t.stopPropagation(), t.preventDefault(), e.next();
        }).on("click.fb", "[data-fancybox-zoom]", function (t) {
          e[e.isScaledDown() ? "scaleToActual" : "scaleToFit"]();
        }), s.on("orientationchange.fb resize.fb", function (t) {
          t &amp;&amp; t.originalEvent &amp;&amp; "resize" === t.originalEvent.type ? (e.requestId &amp;&amp; u(e.requestId), e.requestId = d(function () {
            e.update(t);
          })) : (e.current &amp;&amp; "iframe" === e.current.type &amp;&amp; e.$refs.stage.hide(), setTimeout(function () {
            e.$refs.stage.show(), e.update(t);
          }, n.fancybox.isMobile ? 600 : 250));
        }), r.on("keydown.fb", function (t) {
          var o = n.fancybox ? n.fancybox.getInstance() : null,
            i = o.current,
            a = t.keyCode || t.which;
          if (9 == a) return void (i.opts.trapFocus &amp;&amp; e.focus(t));
          if (!(!i.opts.keyboard || t.ctrlKey || t.altKey || t.shiftKey || n(t.target).is("input,textarea,video,audio,select"))) return 8 === a || 27 === a ? (t.preventDefault(), void e.close(t)) : 37 === a || 38 === a ? (t.preventDefault(), void e.previous()) : 39 === a || 40 === a ? (t.preventDefault(), void e.next()) : void e.trigger("afterKeydown", t, a);
        }), e.group[e.currIndex].opts.idleTime &amp;&amp; (e.idleSecondsCounter = 0, r.on("mousemove.fb-idle mouseleave.fb-idle mousedown.fb-idle touchstart.fb-idle touchmove.fb-idle scroll.fb-idle keydown.fb-idle", function (t) {
          e.idleSecondsCounter = 0, e.isIdle &amp;&amp; e.showControls(), e.isIdle = !1;
        }), e.idleInterval = t.setInterval(function () {
          ++e.idleSecondsCounter &gt;= e.group[e.currIndex].opts.idleTime &amp;&amp; !e.isDragging &amp;&amp; (e.isIdle = !0, e.idleSecondsCounter = 0, e.hideControls());
        }, 1e3));
      },
      removeEvents: function removeEvents() {
        var e = this;
        s.off("orientationchange.fb resize.fb"), r.off("keydown.fb .fb-idle"), this.$refs.container.off(".fb-close .fb-prev .fb-next"), e.idleInterval &amp;&amp; (t.clearInterval(e.idleInterval), e.idleInterval = null);
      },
      previous: function previous(t) {
        return this.jumpTo(this.currPos - 1, t);
      },
      next: function next(t) {
        return this.jumpTo(this.currPos + 1, t);
      },
      jumpTo: function jumpTo(t, e) {
        var o,
          i,
          a,
          s,
          r,
          c,
          l,
          d,
          u,
          f = this,
          h = f.group.length;
        if (!(f.isDragging || f.isClosing || f.isAnimating &amp;&amp; f.firstRun)) {
          if (t = parseInt(t, 10), !(a = f.current ? f.current.opts.loop : f.opts.loop) &amp;&amp; (t &lt; 0 || t &gt;= h)) return !1;
          if (o = f.firstRun = !Object.keys(f.slides).length, r = f.current, f.prevIndex = f.currIndex, f.prevPos = f.currPos, s = f.createSlide(t), h &gt; 1 &amp;&amp; ((a || s.index &lt; h - 1) &amp;&amp; f.createSlide(t + 1), (a || s.index &gt; 0) &amp;&amp; f.createSlide(t - 1)), f.current = s, f.currIndex = s.index, f.currPos = s.pos, f.trigger("beforeShow", o), f.updateControls(), s.forcedDuration = void 0, n.isNumeric(e) ? s.forcedDuration = e : e = s.opts[o ? "animationDuration" : "transitionDuration"], e = parseInt(e, 10), i = f.isMoved(s), s.$slide.addClass("fancybox-slide--current"), o) return s.opts.animationEffect &amp;&amp; e &amp;&amp; f.$refs.container.css("transition-duration", e + "ms"), f.$refs.container.addClass("fancybox-is-open").trigger("focus"), f.loadSlide(s), void f.preload("image");
          c = n.fancybox.getTranslate(r.$slide), l = n.fancybox.getTranslate(f.$refs.stage), n.each(f.slides, function (t, e) {
            n.fancybox.stop(e.$slide, !0);
          }), r.pos !== s.pos &amp;&amp; (r.isComplete = !1), r.$slide.removeClass("fancybox-slide--complete fancybox-slide--current"), i ? (u = c.left - (r.pos * c.width + r.pos * r.opts.gutter), n.each(f.slides, function (t, o) {
            o.$slide.removeClass("fancybox-animated").removeClass(function (t, e) {
              return (e.match(/(^|\s)fancybox-fx-\S+/g) || []).join(" ");
            });
            var i = o.pos * c.width + o.pos * o.opts.gutter;
            n.fancybox.setTranslate(o.$slide, {
              top: 0,
              left: i - l.left + u
            }), o.pos !== s.pos &amp;&amp; o.$slide.addClass("fancybox-slide--" + (o.pos &gt; s.pos ? "next" : "previous")), p(o.$slide), n.fancybox.animate(o.$slide, {
              top: 0,
              left: (o.pos - s.pos) * c.width + (o.pos - s.pos) * o.opts.gutter
            }, e, function () {
              o.$slide.css({
                transform: "",
                opacity: ""
              }).removeClass("fancybox-slide--next fancybox-slide--previous"), o.pos === f.currPos &amp;&amp; f.complete();
            });
          })) : e &amp;&amp; s.opts.transitionEffect &amp;&amp; (d = "fancybox-animated fancybox-fx-" + s.opts.transitionEffect, r.$slide.addClass("fancybox-slide--" + (r.pos &gt; s.pos ? "next" : "previous")), n.fancybox.animate(r.$slide, d, e, function () {
            r.$slide.removeClass(d).removeClass("fancybox-slide--next fancybox-slide--previous");
          }, !1)), s.isLoaded ? f.revealContent(s) : f.loadSlide(s), f.preload("image");
        }
      },
      createSlide: function createSlide(t) {
        var e,
          o,
          i = this;
        return o = t % i.group.length, o = o &lt; 0 ? i.group.length + o : o, !i.slides[t] &amp;&amp; i.group[o] &amp;&amp; (e = n('&lt;div class="fancybox-slide"&gt;&lt;/div&gt;').appendTo(i.$refs.stage), i.slides[t] = n.extend(!0, {}, i.group[o], {
          pos: t,
          $slide: e,
          isLoaded: !1
        }), i.updateSlide(i.slides[t])), i.slides[t];
      },
      scaleToActual: function scaleToActual(t, e, o) {
        var i,
          a,
          s,
          r,
          c,
          l = this,
          d = l.current,
          u = d.$content,
          f = n.fancybox.getTranslate(d.$slide).width,
          p = n.fancybox.getTranslate(d.$slide).height,
          h = d.width,
          g = d.height;
        l.isAnimating || l.isMoved() || !u || "image" != d.type || !d.isLoaded || d.hasError || (l.isAnimating = !0, n.fancybox.stop(u), t = void 0 === t ? .5 * f : t, e = void 0 === e ? .5 * p : e, i = n.fancybox.getTranslate(u), i.top -= n.fancybox.getTranslate(d.$slide).top, i.left -= n.fancybox.getTranslate(d.$slide).left, r = h / i.width, c = g / i.height, a = .5 * f - .5 * h, s = .5 * p - .5 * g, h &gt; f &amp;&amp; (a = i.left * r - (t * r - t), a &gt; 0 &amp;&amp; (a = 0), a &lt; f - h &amp;&amp; (a = f - h)), g &gt; p &amp;&amp; (s = i.top * c - (e * c - e), s &gt; 0 &amp;&amp; (s = 0), s &lt; p - g &amp;&amp; (s = p - g)), l.updateCursor(h, g), n.fancybox.animate(u, {
          top: s,
          left: a,
          scaleX: r,
          scaleY: c
        }, o || 366, function () {
          l.isAnimating = !1;
        }), l.SlideShow &amp;&amp; l.SlideShow.isActive &amp;&amp; l.SlideShow.stop());
      },
      scaleToFit: function scaleToFit(t) {
        var e,
          o = this,
          i = o.current,
          a = i.$content;
        o.isAnimating || o.isMoved() || !a || "image" != i.type || !i.isLoaded || i.hasError || (o.isAnimating = !0, n.fancybox.stop(a), e = o.getFitPos(i), o.updateCursor(e.width, e.height), n.fancybox.animate(a, {
          top: e.top,
          left: e.left,
          scaleX: e.width / a.width(),
          scaleY: e.height / a.height()
        }, t || 366, function () {
          o.isAnimating = !1;
        }));
      },
      getFitPos: function getFitPos(t) {
        var e,
          o,
          i,
          a,
          s = this,
          r = t.$content,
          c = t.$slide,
          l = t.width || t.opts.width,
          d = t.height || t.opts.height,
          u = {};
        return !!(t.isLoaded &amp;&amp; r &amp;&amp; r.length) &amp;&amp; (e = n.fancybox.getTranslate(s.$refs.stage).width, o = n.fancybox.getTranslate(s.$refs.stage).height, e -= parseFloat(c.css("paddingLeft")) + parseFloat(c.css("paddingRight")) + parseFloat(r.css("marginLeft")) + parseFloat(r.css("marginRight")), o -= parseFloat(c.css("paddingTop")) + parseFloat(c.css("paddingBottom")) + parseFloat(r.css("marginTop")) + parseFloat(r.css("marginBottom")), l &amp;&amp; d || (l = e, d = o), i = Math.min(1, e / l, o / d), l *= i, d *= i, l &gt; e - .5 &amp;&amp; (l = e), d &gt; o - .5 &amp;&amp; (d = o), "image" === t.type ? (u.top = Math.floor(.5 * (o - d)) + parseFloat(c.css("paddingTop")), u.left = Math.floor(.5 * (e - l)) + parseFloat(c.css("paddingLeft"))) : "video" === t.contentType &amp;&amp; (a = t.opts.width &amp;&amp; t.opts.height ? l / d : t.opts.ratio || 16 / 9, d &gt; l / a ? d = l / a : l &gt; d * a &amp;&amp; (l = d * a)), u.width = l, u.height = d, u);
      },
      update: function update(t) {
        var e = this;
        n.each(e.slides, function (n, o) {
          e.updateSlide(o, t);
        });
      },
      updateSlide: function updateSlide(t, e) {
        var o = this,
          i = t &amp;&amp; t.$content,
          a = t.width || t.opts.width,
          s = t.height || t.opts.height,
          r = t.$slide;
        o.adjustCaption(t), i &amp;&amp; (a || s || "video" === t.contentType) &amp;&amp; !t.hasError &amp;&amp; (n.fancybox.stop(i), n.fancybox.setTranslate(i, o.getFitPos(t)), t.pos === o.currPos &amp;&amp; (o.isAnimating = !1, o.updateCursor())), o.adjustLayout(t), r.length &amp;&amp; (r.trigger("refresh"), t.pos === o.currPos &amp;&amp; o.$refs.toolbar.add(o.$refs.navigation.find(".fancybox-button--arrow_right")).toggleClass("compensate-for-scrollbar", r.get(0).scrollHeight &gt; r.get(0).clientHeight)), o.trigger("onUpdate", t, e);
      },
      centerSlide: function centerSlide(t) {
        var e = this,
          o = e.current,
          i = o.$slide;
        !e.isClosing &amp;&amp; o &amp;&amp; (i.siblings().css({
          transform: "",
          opacity: ""
        }), i.parent().children().removeClass("fancybox-slide--previous fancybox-slide--next"), n.fancybox.animate(i, {
          top: 0,
          left: 0,
          opacity: 1
        }, void 0 === t ? 0 : t, function () {
          i.css({
            transform: "",
            opacity: ""
          }), o.isComplete || e.complete();
        }, !1));
      },
      isMoved: function isMoved(t) {
        var e,
          o,
          i = t || this.current;
        return !!i &amp;&amp; (o = n.fancybox.getTranslate(this.$refs.stage), e = n.fancybox.getTranslate(i.$slide), !i.$slide.hasClass("fancybox-animated") &amp;&amp; (Math.abs(e.top - o.top) &gt; .5 || Math.abs(e.left - o.left) &gt; .5));
      },
      updateCursor: function updateCursor(t, e) {
        var o,
          i,
          a = this,
          s = a.current,
          r = a.$refs.container;
        s &amp;&amp; !a.isClosing &amp;&amp; a.Guestures &amp;&amp; (r.removeClass("fancybox-is-zoomable fancybox-can-zoomIn fancybox-can-zoomOut fancybox-can-swipe fancybox-can-pan"), o = a.canPan(t, e), i = !!o || a.isZoomable(), r.toggleClass("fancybox-is-zoomable", i), n("[data-fancybox-zoom]").prop("disabled", !i), o ? r.addClass("fancybox-can-pan") : i &amp;&amp; ("zoom" === s.opts.clickContent || n.isFunction(s.opts.clickContent) &amp;&amp; "zoom" == s.opts.clickContent(s)) ? r.addClass("fancybox-can-zoomIn") : s.opts.touch &amp;&amp; (s.opts.touch.vertical || a.group.length &gt; 1) &amp;&amp; "video" !== s.contentType &amp;&amp; r.addClass("fancybox-can-swipe"));
      },
      isZoomable: function isZoomable() {
        var t,
          e = this,
          n = e.current;
        if (n &amp;&amp; !e.isClosing &amp;&amp; "image" === n.type &amp;&amp; !n.hasError) {
          if (!n.isLoaded) return !0;
          if ((t = e.getFitPos(n)) &amp;&amp; (n.width &gt; t.width || n.height &gt; t.height)) return !0;
        }
        return !1;
      },
      isScaledDown: function isScaledDown(t, e) {
        var o = this,
          i = !1,
          a = o.current,
          s = a.$content;
        return void 0 !== t &amp;&amp; void 0 !== e ? i = t &lt; a.width &amp;&amp; e &lt; a.height : s &amp;&amp; (i = n.fancybox.getTranslate(s), i = i.width &lt; a.width &amp;&amp; i.height &lt; a.height), i;
      },
      canPan: function canPan(t, e) {
        var o = this,
          i = o.current,
          a = null,
          s = !1;
        return "image" === i.type &amp;&amp; (i.isComplete || t &amp;&amp; e) &amp;&amp; !i.hasError &amp;&amp; (s = o.getFitPos(i), void 0 !== t &amp;&amp; void 0 !== e ? a = {
          width: t,
          height: e
        } : i.isComplete &amp;&amp; (a = n.fancybox.getTranslate(i.$content)), a &amp;&amp; s &amp;&amp; (s = Math.abs(a.width - s.width) &gt; 1.5 || Math.abs(a.height - s.height) &gt; 1.5)), s;
      },
      loadSlide: function loadSlide(t) {
        var e,
          o,
          i,
          a = this;
        if (!t.isLoading &amp;&amp; !t.isLoaded) {
          if (t.isLoading = !0, !1 === a.trigger("beforeLoad", t)) return t.isLoading = !1, !1;
          switch (e = t.type, o = t.$slide, o.off("refresh").trigger("onReset").addClass(t.opts.slideClass), e) {
            case "image":
              a.setImage(t);
              break;
            case "iframe":
              a.setIframe(t);
              break;
            case "html":
              a.setContent(t, t.src || t.content);
              break;
            case "video":
              a.setContent(t, t.opts.video.tpl.replace(/\{\{src\}\}/gi, t.src).replace("{{format}}", t.opts.videoFormat || t.opts.video.format || "").replace("{{poster}}", t.thumb || ""));
              break;
            case "inline":
              n(t.src).length ? a.setContent(t, n(t.src)) : a.setError(t);
              break;
            case "ajax":
              a.showLoading(t), i = n.ajax(n.extend({}, t.opts.ajax.settings, {
                url: t.src,
                success: function success(e, n) {
                  "success" === n &amp;&amp; a.setContent(t, e);
                },
                error: function error(e, n) {
                  e &amp;&amp; "abort" !== n &amp;&amp; a.setError(t);
                }
              })), o.one("onReset", function () {
                i.abort();
              });
              break;
            default:
              a.setError(t);
          }
          return !0;
        }
      },
      setImage: function setImage(t) {
        var o,
          i = this;
        setTimeout(function () {
          var e = t.$image;
          i.isClosing || !t.isLoading || e &amp;&amp; e.length &amp;&amp; e[0].complete || t.hasError || i.showLoading(t);
        }, 50), i.checkSrcset(t), t.$content = n('&lt;div class="fancybox-content"&gt;&lt;/div&gt;').addClass("fancybox-is-hidden").appendTo(t.$slide.addClass("fancybox-slide--image")), !1 !== t.opts.preload &amp;&amp; t.opts.width &amp;&amp; t.opts.height &amp;&amp; t.thumb &amp;&amp; (t.width = t.opts.width, t.height = t.opts.height, o = e.createElement("img"), o.onerror = function () {
          n(this).remove(), t.$ghost = null;
        }, o.onload = function () {
          i.afterLoad(t);
        }, t.$ghost = n(o).addClass("fancybox-image").appendTo(t.$content).attr("src", t.thumb)), i.setBigImage(t);
      },
      checkSrcset: function checkSrcset(e) {
        var n,
          o,
          i,
          a,
          s = e.opts.srcset || e.opts.image.srcset;
        if (s) {
          i = t.devicePixelRatio || 1, a = t.innerWidth * i, o = s.split(",").map(function (t) {
            var e = {};
            return t.trim().split(/\s+/).forEach(function (t, n) {
              var o = parseInt(t.substring(0, t.length - 1), 10);
              if (0 === n) return e.url = t;
              o &amp;&amp; (e.value = o, e.postfix = t[t.length - 1]);
            }), e;
          }), o.sort(function (t, e) {
            return t.value - e.value;
          });
          for (var r = 0; r &lt; o.length; r++) {
            var c = o[r];
            if ("w" === c.postfix &amp;&amp; c.value &gt;= a || "x" === c.postfix &amp;&amp; c.value &gt;= i) {
              n = c;
              break;
            }
          }
          !n &amp;&amp; o.length &amp;&amp; (n = o[o.length - 1]), n &amp;&amp; (e.src = n.url, e.width &amp;&amp; e.height &amp;&amp; "w" == n.postfix &amp;&amp; (e.height = e.width / e.height * n.value, e.width = n.value), e.opts.srcset = s);
        }
      },
      setBigImage: function setBigImage(t) {
        var o = this,
          i = e.createElement("img"),
          a = n(i);
        t.$image = a.one("error", function () {
          o.setError(t);
        }).one("load", function () {
          var e;
          t.$ghost || (o.resolveImageSlideSize(t, this.naturalWidth, this.naturalHeight), o.afterLoad(t)), o.isClosing || (t.opts.srcset &amp;&amp; (e = t.opts.sizes, e &amp;&amp; "auto" !== e || (e = (t.width / t.height &gt; 1 &amp;&amp; s.width() / s.height() &gt; 1 ? "100" : Math.round(t.width / t.height * 100)) + "vw"), a.attr("sizes", e).attr("srcset", t.opts.srcset)), t.$ghost &amp;&amp; setTimeout(function () {
            t.$ghost &amp;&amp; !o.isClosing &amp;&amp; t.$ghost.hide();
          }, Math.min(300, Math.max(1e3, t.height / 1600))), o.hideLoading(t));
        }).addClass("fancybox-image").attr("src", t.src).appendTo(t.$content), (i.complete || "complete" == i.readyState) &amp;&amp; a.naturalWidth &amp;&amp; a.naturalHeight ? a.trigger("load") : i.error &amp;&amp; a.trigger("error");
      },
      resolveImageSlideSize: function resolveImageSlideSize(t, e, n) {
        var o = parseInt(t.opts.width, 10),
          i = parseInt(t.opts.height, 10);
        t.width = e, t.height = n, o &gt; 0 &amp;&amp; (t.width = o, t.height = Math.floor(o * n / e)), i &gt; 0 &amp;&amp; (t.width = Math.floor(i * e / n), t.height = i);
      },
      setIframe: function setIframe(t) {
        var e,
          o = this,
          i = t.opts.iframe,
          a = t.$slide;
        t.$content = n('&lt;div class="fancybox-content' + (i.preload ? " fancybox-is-hidden" : "") + '"&gt;&lt;/div&gt;').css(i.css).appendTo(a), a.addClass("fancybox-slide--" + t.contentType), t.$iframe = e = n(i.tpl.replace(/\{rnd\}/g, new Date().getTime())).attr(i.attr).appendTo(t.$content), i.preload ? (o.showLoading(t), e.on("load.fb error.fb", function (e) {
          this.isReady = 1, t.$slide.trigger("refresh"), o.afterLoad(t);
        }), a.on("refresh.fb", function () {
          var n,
            o,
            s = t.$content,
            r = i.css.width,
            c = i.css.height;
          if (1 === e[0].isReady) {
            try {
              n = e.contents(), o = n.find("body");
            } catch (t) {}
            o &amp;&amp; o.length &amp;&amp; o.children().length &amp;&amp; (a.css("overflow", "visible"), s.css({
              width: "100%",
              "max-width": "100%",
              height: "9999px"
            }), void 0 === r &amp;&amp; (r = Math.ceil(Math.max(o[0].clientWidth, o.outerWidth(!0)))), s.css("width", r || "").css("max-width", ""), void 0 === c &amp;&amp; (c = Math.ceil(Math.max(o[0].clientHeight, o.outerHeight(!0)))), s.css("height", c || ""), a.css("overflow", "auto")), s.removeClass("fancybox-is-hidden");
          }
        })) : o.afterLoad(t), e.attr("src", t.src), a.one("onReset", function () {
          try {
            n(this).find("iframe").hide().unbind().attr("src", "//about:blank");
          } catch (t) {}
          n(this).off("refresh.fb").empty(), t.isLoaded = !1, t.isRevealed = !1;
        });
      },
      setContent: function setContent(t, e) {
        var o = this;
        o.isClosing || (o.hideLoading(t), t.$content &amp;&amp; n.fancybox.stop(t.$content), t.$slide.empty(), l(e) &amp;&amp; e.parent().length ? ((e.hasClass("fancybox-content") || e.parent().hasClass("fancybox-content")) &amp;&amp; e.parents(".fancybox-slide").trigger("onReset"), t.$placeholder = n("&lt;div&gt;").hide().insertAfter(e), e.css("display", "inline-block")) : t.hasError || ("string" === n.type(e) &amp;&amp; (e = n("&lt;div&gt;").append(n.trim(e)).contents()), t.opts.filter &amp;&amp; (e = n("&lt;div&gt;").html(e).find(t.opts.filter))), t.$slide.one("onReset", function () {
          n(this).find("video,audio").trigger("pause"), t.$placeholder &amp;&amp; (t.$placeholder.after(e.removeClass("fancybox-content").hide()).remove(), t.$placeholder = null), t.$smallBtn &amp;&amp; (t.$smallBtn.remove(), t.$smallBtn = null), t.hasError || (n(this).empty(), t.isLoaded = !1, t.isRevealed = !1);
        }), n(e).appendTo(t.$slide), n(e).is("video,audio") &amp;&amp; (n(e).addClass("fancybox-video"), n(e).wrap("&lt;div&gt;&lt;/div&gt;"), t.contentType = "video", t.opts.width = t.opts.width || n(e).attr("width"), t.opts.height = t.opts.height || n(e).attr("height")), t.$content = t.$slide.children().filter("div,form,main,video,audio,article,.fancybox-content").first(), t.$content.siblings().hide(), t.$content.length || (t.$content = t.$slide.wrapInner("&lt;div&gt;&lt;/div&gt;").children().first()), t.$content.addClass("fancybox-content"), t.$slide.addClass("fancybox-slide--" + t.contentType), o.afterLoad(t));
      },
      setError: function setError(t) {
        t.hasError = !0, t.$slide.trigger("onReset").removeClass("fancybox-slide--" + t.contentType).addClass("fancybox-slide--error"), t.contentType = "html", this.setContent(t, this.translate(t, t.opts.errorTpl)), t.pos === this.currPos &amp;&amp; (this.isAnimating = !1);
      },
      showLoading: function showLoading(t) {
        var e = this;
        (t = t || e.current) &amp;&amp; !t.$spinner &amp;&amp; (t.$spinner = n(e.translate(e, e.opts.spinnerTpl)).appendTo(t.$slide).hide().fadeIn("fast"));
      },
      hideLoading: function hideLoading(t) {
        var e = this;
        (t = t || e.current) &amp;&amp; t.$spinner &amp;&amp; (t.$spinner.stop().remove(), delete t.$spinner);
      },
      afterLoad: function afterLoad(t) {
        var e = this;
        e.isClosing || (t.isLoading = !1, t.isLoaded = !0, e.trigger("afterLoad", t), e.hideLoading(t), !t.opts.smallBtn || t.$smallBtn &amp;&amp; t.$smallBtn.length || (t.$smallBtn = n(e.translate(t, t.opts.btnTpl.smallBtn)).appendTo(t.$content)), t.opts.protect &amp;&amp; t.$content &amp;&amp; !t.hasError &amp;&amp; (t.$content.on("contextmenu.fb", function (t) {
          return 2 == t.button &amp;&amp; t.preventDefault(), !0;
        }), "image" === t.type &amp;&amp; n('&lt;div class="fancybox-spaceball"&gt;&lt;/div&gt;').appendTo(t.$content)), e.adjustCaption(t), e.adjustLayout(t), t.pos === e.currPos &amp;&amp; e.updateCursor(), e.revealContent(t));
      },
      adjustCaption: function adjustCaption(t) {
        var e,
          n = this,
          o = t || n.current,
          i = o.opts.caption,
          a = o.opts.preventCaptionOverlap,
          s = n.$refs.caption,
          r = !1;
        s.toggleClass("fancybox-caption--separate", a), a &amp;&amp; i &amp;&amp; i.length &amp;&amp; (o.pos !== n.currPos ? (e = s.clone().appendTo(s.parent()), e.children().eq(0).empty().html(i), r = e.outerHeight(!0), e.empty().remove()) : n.$caption &amp;&amp; (r = n.$caption.outerHeight(!0)), o.$slide.css("padding-bottom", r || ""));
      },
      adjustLayout: function adjustLayout(t) {
        var e,
          n,
          o,
          i,
          a = this,
          s = t || a.current;
        s.isLoaded &amp;&amp; !0 !== s.opts.disableLayoutFix &amp;&amp; (s.$content.css("margin-bottom", ""), s.$content.outerHeight() &gt; s.$slide.height() + .5 &amp;&amp; (o = s.$slide[0].style["padding-bottom"], i = s.$slide.css("padding-bottom"), parseFloat(i) &gt; 0 &amp;&amp; (e = s.$slide[0].scrollHeight, s.$slide.css("padding-bottom", 0), Math.abs(e - s.$slide[0].scrollHeight) &lt; 1 &amp;&amp; (n = i), s.$slide.css("padding-bottom", o))), s.$content.css("margin-bottom", n));
      },
      revealContent: function revealContent(t) {
        var e,
          o,
          i,
          a,
          s = this,
          r = t.$slide,
          c = !1,
          l = !1,
          d = s.isMoved(t),
          u = t.isRevealed;
        return t.isRevealed = !0, e = t.opts[s.firstRun ? "animationEffect" : "transitionEffect"], i = t.opts[s.firstRun ? "animationDuration" : "transitionDuration"], i = parseInt(void 0 === t.forcedDuration ? i : t.forcedDuration, 10), !d &amp;&amp; t.pos === s.currPos &amp;&amp; i || (e = !1), "zoom" === e &amp;&amp; (t.pos === s.currPos &amp;&amp; i &amp;&amp; "image" === t.type &amp;&amp; !t.hasError &amp;&amp; (l = s.getThumbPos(t)) ? c = s.getFitPos(t) : e = "fade"), "zoom" === e ? (s.isAnimating = !0, c.scaleX = c.width / l.width, c.scaleY = c.height / l.height, a = t.opts.zoomOpacity, "auto" == a &amp;&amp; (a = Math.abs(t.width / t.height - l.width / l.height) &gt; .1), a &amp;&amp; (l.opacity = .1, c.opacity = 1), n.fancybox.setTranslate(t.$content.removeClass("fancybox-is-hidden"), l), p(t.$content), void n.fancybox.animate(t.$content, c, i, function () {
          s.isAnimating = !1, s.complete();
        })) : (s.updateSlide(t), e ? (n.fancybox.stop(r), o = "fancybox-slide--" + (t.pos &gt;= s.prevPos ? "next" : "previous") + " fancybox-animated fancybox-fx-" + e, r.addClass(o).removeClass("fancybox-slide--current"), t.$content.removeClass("fancybox-is-hidden"), p(r), "image" !== t.type &amp;&amp; t.$content.hide().show(0), void n.fancybox.animate(r, "fancybox-slide--current", i, function () {
          r.removeClass(o).css({
            transform: "",
            opacity: ""
          }), t.pos === s.currPos &amp;&amp; s.complete();
        }, !0)) : (t.$content.removeClass("fancybox-is-hidden"), u || !d || "image" !== t.type || t.hasError || t.$content.hide().fadeIn("fast"), void (t.pos === s.currPos &amp;&amp; s.complete())));
      },
      getThumbPos: function getThumbPos(t) {
        var e,
          o,
          i,
          a,
          s,
          r = !1,
          c = t.$thumb;
        return !(!c || !g(c[0])) &amp;&amp; (e = n.fancybox.getTranslate(c), o = parseFloat(c.css("border-top-width") || 0), i = parseFloat(c.css("border-right-width") || 0), a = parseFloat(c.css("border-bottom-width") || 0), s = parseFloat(c.css("border-left-width") || 0), r = {
          top: e.top + o,
          left: e.left + s,
          width: e.width - i - s,
          height: e.height - o - a,
          scaleX: 1,
          scaleY: 1
        }, e.width &gt; 0 &amp;&amp; e.height &gt; 0 &amp;&amp; r);
      },
      complete: function complete() {
        var t,
          e = this,
          o = e.current,
          i = {};
        !e.isMoved() &amp;&amp; o.isLoaded &amp;&amp; (o.isComplete || (o.isComplete = !0, o.$slide.siblings().trigger("onReset"), e.preload("inline"), p(o.$slide), o.$slide.addClass("fancybox-slide--complete"), n.each(e.slides, function (t, o) {
          o.pos &gt;= e.currPos - 1 &amp;&amp; o.pos &lt;= e.currPos + 1 ? i[o.pos] = o : o &amp;&amp; (n.fancybox.stop(o.$slide), o.$slide.off().remove());
        }), e.slides = i), e.isAnimating = !1, e.updateCursor(), e.trigger("afterShow"), o.opts.video.autoStart &amp;&amp; o.$slide.find("video,audio").filter(":visible:first").trigger("play").one("ended", function () {
          Document.exitFullscreen ? Document.exitFullscreen() : this.webkitExitFullscreen &amp;&amp; this.webkitExitFullscreen(), e.next();
        }), o.opts.autoFocus &amp;&amp; "html" === o.contentType &amp;&amp; (t = o.$content.find("input[autofocus]:enabled:visible:first"), t.length ? t.trigger("focus") : e.focus(null, !0)), o.$slide.scrollTop(0).scrollLeft(0));
      },
      preload: function preload(t) {
        var e,
          n,
          o = this;
        o.group.length &lt; 2 || (n = o.slides[o.currPos + 1], e = o.slides[o.currPos - 1], e &amp;&amp; e.type === t &amp;&amp; o.loadSlide(e), n &amp;&amp; n.type === t &amp;&amp; o.loadSlide(n));
      },
      focus: function focus(t, o) {
        var i,
          a,
          s = this,
          r = ["a[href]", "area[href]", 'input:not([disabled]):not([type="hidden"]):not([aria-hidden])', "select:not([disabled]):not([aria-hidden])", "textarea:not([disabled]):not([aria-hidden])", "button:not([disabled]):not([aria-hidden])", "iframe", "object", "embed", "video", "audio", "[contenteditable]", '[tabindex]:not([tabindex^="-"])'].join(",");
        s.isClosing || (i = !t &amp;&amp; s.current &amp;&amp; s.current.isComplete ? s.current.$slide.find("*:visible" + (o ? ":not(.fancybox-close-small)" : "")) : s.$refs.container.find("*:visible"), i = i.filter(r).filter(function () {
          return "hidden" !== n(this).css("visibility") &amp;&amp; !n(this).hasClass("disabled");
        }), i.length ? (a = i.index(e.activeElement), t &amp;&amp; t.shiftKey ? (a &lt; 0 || 0 == a) &amp;&amp; (t.preventDefault(), i.eq(i.length - 1).trigger("focus")) : (a &lt; 0 || a == i.length - 1) &amp;&amp; (t &amp;&amp; t.preventDefault(), i.eq(0).trigger("focus"))) : s.$refs.container.trigger("focus"));
      },
      activate: function activate() {
        var t = this;
        n(".fancybox-container").each(function () {
          var e = n(this).data("FancyBox");
          e &amp;&amp; e.id !== t.id &amp;&amp; !e.isClosing &amp;&amp; (e.trigger("onDeactivate"), e.removeEvents(), e.isVisible = !1);
        }), t.isVisible = !0, (t.current || t.isIdle) &amp;&amp; (t.update(), t.updateControls()), t.trigger("onActivate"), t.addEvents();
      },
      close: function close(t, e) {
        var o,
          i,
          a,
          s,
          r,
          c,
          l,
          u = this,
          f = u.current,
          h = function h() {
            u.cleanUp(t);
          };
        return !u.isClosing &amp;&amp; (u.isClosing = !0, !1 === u.trigger("beforeClose", t) ? (u.isClosing = !1, d(function () {
          u.update();
        }), !1) : (u.removeEvents(), a = f.$content, o = f.opts.animationEffect, i = n.isNumeric(e) ? e : o ? f.opts.animationDuration : 0, f.$slide.removeClass("fancybox-slide--complete fancybox-slide--next fancybox-slide--previous fancybox-animated"), !0 !== t ? n.fancybox.stop(f.$slide) : o = !1, f.$slide.siblings().trigger("onReset").remove(), i &amp;&amp; u.$refs.container.removeClass("fancybox-is-open").addClass("fancybox-is-closing").css("transition-duration", i + "ms"), u.hideLoading(f), u.hideControls(!0), u.updateCursor(), "zoom" !== o || a &amp;&amp; i &amp;&amp; "image" === f.type &amp;&amp; !u.isMoved() &amp;&amp; !f.hasError &amp;&amp; (l = u.getThumbPos(f)) || (o = "fade"), "zoom" === o ? (n.fancybox.stop(a), s = n.fancybox.getTranslate(a), c = {
          top: s.top,
          left: s.left,
          scaleX: s.width / l.width,
          scaleY: s.height / l.height,
          width: l.width,
          height: l.height
        }, r = f.opts.zoomOpacity, "auto" == r &amp;&amp; (r = Math.abs(f.width / f.height - l.width / l.height) &gt; .1), r &amp;&amp; (l.opacity = 0), n.fancybox.setTranslate(a, c), p(a), n.fancybox.animate(a, l, i, h), !0) : (o &amp;&amp; i ? n.fancybox.animate(f.$slide.addClass("fancybox-slide--previous").removeClass("fancybox-slide--current"), "fancybox-animated fancybox-fx-" + o, i, h) : !0 === t ? setTimeout(h, i) : h(), !0)));
      },
      cleanUp: function cleanUp(e) {
        var o,
          i,
          a,
          s = this,
          r = s.current.opts.$orig;
        s.current.$slide.trigger("onReset"), s.$refs.container.empty().remove(), s.trigger("afterClose", e), s.current.opts.backFocus &amp;&amp; (r &amp;&amp; r.length &amp;&amp; r.is(":visible") || (r = s.$trigger), r &amp;&amp; r.length &amp;&amp; (i = t.scrollX, a = t.scrollY, r.trigger("focus"), n("html, body").scrollTop(a).scrollLeft(i))), s.current = null, o = n.fancybox.getInstance(), o ? o.activate() : (n("body").removeClass("fancybox-active compensate-for-scrollbar"), n("#fancybox-style-noscroll").remove());
      },
      trigger: function trigger(t, e) {
        var o,
          i = Array.prototype.slice.call(arguments, 1),
          a = this,
          s = e &amp;&amp; e.opts ? e : a.current;
        if (s ? i.unshift(s) : s = a, i.unshift(a), n.isFunction(s.opts[t]) &amp;&amp; (o = s.opts[t].apply(s, i)), !1 === o) return o;
        "afterClose" !== t &amp;&amp; a.$refs ? a.$refs.container.trigger(t + ".fb", i) : r.trigger(t + ".fb", i);
      },
      updateControls: function updateControls() {
        var t = this,
          o = t.current,
          i = o.index,
          a = t.$refs.container,
          s = t.$refs.caption,
          r = o.opts.caption;
        o.$slide.trigger("refresh"), r &amp;&amp; r.length ? (t.$caption = s, s.children().eq(0).html(r)) : t.$caption = null, t.hasHiddenControls || t.isIdle || t.showControls(), a.find("[data-fancybox-count]").html(t.group.length), a.find("[data-fancybox-index]").html(i + 1), a.find("[data-fancybox-prev]").prop("disabled", !o.opts.loop &amp;&amp; i &lt;= 0), a.find("[data-fancybox-next]").prop("disabled", !o.opts.loop &amp;&amp; i &gt;= t.group.length - 1), "image" === o.type ? a.find("[data-fancybox-zoom]").show().end().find("[data-fancybox-download]").attr("href", o.opts.image.src || o.src).show() : o.opts.toolbar &amp;&amp; a.find("[data-fancybox-download],[data-fancybox-zoom]").hide(), n(e.activeElement).is(":hidden,[disabled]") &amp;&amp; t.$refs.container.trigger("focus");
      },
      hideControls: function hideControls(t) {
        var e = this,
          n = ["infobar", "toolbar", "nav"];
        !t &amp;&amp; e.current.opts.preventCaptionOverlap || n.push("caption"), this.$refs.container.removeClass(n.map(function (t) {
          return "fancybox-show-" + t;
        }).join(" ")), this.hasHiddenControls = !0;
      },
      showControls: function showControls() {
        var t = this,
          e = t.current ? t.current.opts : t.opts,
          n = t.$refs.container;
        t.hasHiddenControls = !1, t.idleSecondsCounter = 0, n.toggleClass("fancybox-show-toolbar", !(!e.toolbar || !e.buttons)).toggleClass("fancybox-show-infobar", !!(e.infobar &amp;&amp; t.group.length &gt; 1)).toggleClass("fancybox-show-caption", !!t.$caption).toggleClass("fancybox-show-nav", !!(e.arrows &amp;&amp; t.group.length &gt; 1)).toggleClass("fancybox-is-modal", !!e.modal);
      },
      toggleControls: function toggleControls() {
        this.hasHiddenControls ? this.showControls() : this.hideControls();
      }
    }), n.fancybox = {
      version: "3.5.7",
      defaults: a,
      getInstance: function getInstance(t) {
        var e = n('.fancybox-container:not(".fancybox-is-closing"):last').data("FancyBox"),
          o = Array.prototype.slice.call(arguments, 1);
        return e instanceof b &amp;&amp; ("string" === n.type(t) ? e[t].apply(e, o) : "function" === n.type(t) &amp;&amp; t.apply(e, o), e);
      },
      open: function open(t, e, n) {
        return new b(t, e, n);
      },
      close: function close(t) {
        var e = this.getInstance();
        e &amp;&amp; (e.close(), !0 === t &amp;&amp; this.close(t));
      },
      destroy: function destroy() {
        this.close(!0), r.add("body").off("click.fb-start", "**");
      },
      isMobile: /Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent),
      use3d: function () {
        var n = e.createElement("div");
        return t.getComputedStyle &amp;&amp; t.getComputedStyle(n) &amp;&amp; t.getComputedStyle(n).getPropertyValue("transform") &amp;&amp; !(e.documentMode &amp;&amp; e.documentMode &lt; 11);
      }(),
      getTranslate: function getTranslate(t) {
        var e;
        return !(!t || !t.length) &amp;&amp; (e = t[0].getBoundingClientRect(), {
          top: e.top || 0,
          left: e.left || 0,
          width: e.width,
          height: e.height,
          opacity: parseFloat(t.css("opacity"))
        });
      },
      setTranslate: function setTranslate(t, e) {
        var n = "",
          o = {};
        if (t &amp;&amp; e) return void 0 === e.left &amp;&amp; void 0 === e.top || (n = (void 0 === e.left ? t.position().left : e.left) + "px, " + (void 0 === e.top ? t.position().top : e.top) + "px", n = this.use3d ? "translate3d(" + n + ", 0px)" : "translate(" + n + ")"), void 0 !== e.scaleX &amp;&amp; void 0 !== e.scaleY ? n += " scale(" + e.scaleX + ", " + e.scaleY + ")" : void 0 !== e.scaleX &amp;&amp; (n += " scaleX(" + e.scaleX + ")"), n.length &amp;&amp; (o.transform = n), void 0 !== e.opacity &amp;&amp; (o.opacity = e.opacity), void 0 !== e.width &amp;&amp; (o.width = e.width), void 0 !== e.height &amp;&amp; (o.height = e.height), t.css(o);
      },
      animate: function animate(t, e, o, i, a) {
        var s,
          r = this;
        n.isFunction(o) &amp;&amp; (i = o, o = null), r.stop(t), s = r.getTranslate(t), t.on(f, function (c) {
          (!c || !c.originalEvent || t.is(c.originalEvent.target) &amp;&amp; "z-index" != c.originalEvent.propertyName) &amp;&amp; (r.stop(t), n.isNumeric(o) &amp;&amp; t.css("transition-duration", ""), n.isPlainObject(e) ? void 0 !== e.scaleX &amp;&amp; void 0 !== e.scaleY &amp;&amp; r.setTranslate(t, {
            top: e.top,
            left: e.left,
            width: s.width * e.scaleX,
            height: s.height * e.scaleY,
            scaleX: 1,
            scaleY: 1
          }) : !0 !== a &amp;&amp; t.removeClass(e), n.isFunction(i) &amp;&amp; i(c));
        }), n.isNumeric(o) &amp;&amp; t.css("transition-duration", o + "ms"), n.isPlainObject(e) ? (void 0 !== e.scaleX &amp;&amp; void 0 !== e.scaleY &amp;&amp; (delete e.width, delete e.height, t.parent().hasClass("fancybox-slide--image") &amp;&amp; t.parent().addClass("fancybox-is-scaling")), n.fancybox.setTranslate(t, e)) : t.addClass(e), t.data("timer", setTimeout(function () {
          t.trigger(f);
        }, o + 33));
      },
      stop: function stop(t, e) {
        t &amp;&amp; t.length &amp;&amp; (clearTimeout(t.data("timer")), e &amp;&amp; t.trigger(f), t.off(f).css("transition-duration", ""), t.parent().removeClass("fancybox-is-scaling"));
      }
    }, n.fn.fancybox = function (t) {
      var e;
      return t = t || {}, e = t.selector || !1, e ? n("body").off("click.fb-start", e).on("click.fb-start", e, {
        options: t
      }, i) : this.off("click.fb-start").on("click.fb-start", {
        items: this,
        options: t
      }, i), this;
    }, r.on("click.fb-start", "[data-fancybox]", i), r.on("click.fb-start", "[data-fancybox-trigger]", function (t) {
      n('[data-fancybox="' + n(this).attr("data-fancybox-trigger") + '"]').eq(n(this).attr("data-fancybox-index") || 0).trigger("click.fb-start", {
        $trigger: n(this)
      });
    }), function () {
      var t = null;
      r.on("mousedown mouseup focus blur", ".fancybox-button", function (e) {
        switch (e.type) {
          case "mousedown":
            t = n(this);
            break;
          case "mouseup":
            t = null;
            break;
          case "focusin":
            n(".fancybox-button").removeClass("fancybox-focus"), n(this).is(t) || n(this).is("[disabled]") || n(this).addClass("fancybox-focus");
            break;
          case "focusout":
            n(".fancybox-button").removeClass("fancybox-focus");
        }
      });
    }();
  }
}(window, document, jQuery), function (t) {
  "use strict";

  var e = {
      youtube: {
        matcher: /(youtube\.com|youtu\.be|youtube\-nocookie\.com)\/(watch\?(.*&amp;)?v=|v\/|u\/|embed\/?)?(videoseries\?list=(.*)|[\w-]{11}|\?listType=(.*)&amp;list=(.*))(.*)/i,
        params: {
          autoplay: 1,
          autohide: 1,
          fs: 1,
          rel: 0,
          hd: 1,
          wmode: "transparent",
          enablejsapi: 1,
          html5: 1
        },
        paramPlace: 8,
        type: "iframe",
        url: "https://www.youtube-nocookie.com/embed/$4",
        thumb: "https://img.youtube.com/vi/$4/hqdefault.jpg"
      },
      vimeo: {
        matcher: /^.+vimeo.com\/(.*\/)?([\d]+)(.*)?/,
        params: {
          autoplay: 1,
          hd: 1,
          show_title: 1,
          show_byline: 1,
          show_portrait: 0,
          fullscreen: 1
        },
        paramPlace: 3,
        type: "iframe",
        url: "//player.vimeo.com/video/$2"
      },
      instagram: {
        matcher: /(instagr\.am|instagram\.com)\/p\/([a-zA-Z0-9_\-]+)\/?/i,
        type: "image",
        url: "//$1/p/$2/media/?size=l"
      },
      gmap_place: {
        matcher: /(maps\.)?google\.([a-z]{2,3}(\.[a-z]{2})?)\/(((maps\/(place\/(.*)\/)?\@(.*),(\d+.?\d+?)z))|(\?ll=))(.*)?/i,
        type: "iframe",
        url: function url(t) {
          return "//maps.google." + t[2] + "/?ll=" + (t[9] ? t[9] + "&amp;z=" + Math.floor(t[10]) + (t[12] ? t[12].replace(/^\//, "&amp;") : "") : t[12] + "").replace(/\?/, "&amp;") + "&amp;output=" + (t[12] &amp;&amp; t[12].indexOf("layer=c") &gt; 0 ? "svembed" : "embed");
        }
      },
      gmap_search: {
        matcher: /(maps\.)?google\.([a-z]{2,3}(\.[a-z]{2})?)\/(maps\/search\/)(.*)/i,
        type: "iframe",
        url: function url(t) {
          return "//maps.google." + t[2] + "/maps?q=" + t[5].replace("query=", "q=").replace("api=1", "") + "&amp;output=embed";
        }
      }
    },
    n = function n(e, _n, o) {
      if (e) return o = o || "", "object" === t.type(o) &amp;&amp; (o = t.param(o, !0)), t.each(_n, function (t, n) {
        e = e.replace("$" + t, n || "");
      }), o.length &amp;&amp; (e += (e.indexOf("?") &gt; 0 ? "&amp;" : "?") + o), e;
    };
  t(document).on("objectNeedsType.fb", function (o, i, a) {
    var s,
      r,
      c,
      l,
      d,
      u,
      f,
      p = a.src || "",
      h = !1;
    s = t.extend(!0, {}, e, a.opts.media), t.each(s, function (e, o) {
      if (c = p.match(o.matcher)) {
        if (h = o.type, f = e, u = {}, o.paramPlace &amp;&amp; c[o.paramPlace]) {
          d = c[o.paramPlace], "?" == d[0] &amp;&amp; (d = d.substring(1)), d = d.split("&amp;");
          for (var i = 0; i &lt; d.length; ++i) {
            var s = d[i].split("=", 2);
            2 == s.length &amp;&amp; (u[s[0]] = decodeURIComponent(s[1].replace(/\+/g, " ")));
          }
        }
        return l = t.extend(!0, {}, o.params, a.opts[e], u), p = "function" === t.type(o.url) ? o.url.call(this, c, l, a) : n(o.url, c, l), r = "function" === t.type(o.thumb) ? o.thumb.call(this, c, l, a) : n(o.thumb, c), "youtube" === e ? p = p.replace(/&amp;t=((\d+)m)?(\d+)s/, function (t, e, n, o) {
          return "&amp;start=" + ((n ? 60 * parseInt(n, 10) : 0) + parseInt(o, 10));
        }) : "vimeo" === e &amp;&amp; (p = p.replace("&amp;%23", "#")), !1;
      }
    }), h ? (a.opts.thumb || a.opts.$thumb &amp;&amp; a.opts.$thumb.length || (a.opts.thumb = r), "iframe" === h &amp;&amp; (a.opts = t.extend(!0, a.opts, {
      iframe: {
        preload: !1,
        attr: {
          scrolling: "no"
        }
      }
    })), t.extend(a, {
      type: h,
      src: p,
      origSrc: a.src,
      contentSource: f,
      contentType: "image" === h ? "image" : "gmap_place" == f || "gmap_search" == f ? "map" : "video"
    })) : p &amp;&amp; (a.type = a.opts.defaultType);
  });
  var o = {
    youtube: {
      src: "https://www.youtube.com/iframe_api",
      "class": "YT",
      loading: !1,
      loaded: !1
    },
    vimeo: {
      src: "https://player.vimeo.com/api/player.js",
      "class": "Vimeo",
      loading: !1,
      loaded: !1
    },
    load: function load(t) {
      var e,
        n = this;
      if (this[t].loaded) return void setTimeout(function () {
        n.done(t);
      });
      this[t].loading || (this[t].loading = !0, e = document.createElement("script"), e.type = "text/javascript", e.src = this[t].src, "youtube" === t ? window.onYouTubeIframeAPIReady = function () {
        n[t].loaded = !0, n.done(t);
      } : e.onload = function () {
        n[t].loaded = !0, n.done(t);
      }, document.body.appendChild(e));
    },
    done: function done(e) {
      var n, o, i;
      "youtube" === e &amp;&amp; delete window.onYouTubeIframeAPIReady, (n = t.fancybox.getInstance()) &amp;&amp; (o = n.current.$content.find("iframe"), "youtube" === e &amp;&amp; void 0 !== YT &amp;&amp; YT ? i = new YT.Player(o.attr("id"), {
        events: {
          onStateChange: function onStateChange(t) {
            0 == t.data &amp;&amp; n.next();
          }
        }
      }) : "vimeo" === e &amp;&amp; void 0 !== Vimeo &amp;&amp; Vimeo &amp;&amp; (i = new Vimeo.Player(o), i.on("ended", function () {
        n.next();
      })));
    }
  };
  t(document).on({
    "afterShow.fb": function afterShowFb(t, e, n) {
      e.group.length &gt; 1 &amp;&amp; ("youtube" === n.contentSource || "vimeo" === n.contentSource) &amp;&amp; o.load(n.contentSource);
    }
  });
}(jQuery), function (t, e, n) {
  "use strict";

  var o = function () {
      return t.requestAnimationFrame || t.webkitRequestAnimationFrame || t.mozRequestAnimationFrame || t.oRequestAnimationFrame || function (e) {
        return t.setTimeout(e, 1e3 / 60);
      };
    }(),
    i = function () {
      return t.cancelAnimationFrame || t.webkitCancelAnimationFrame || t.mozCancelAnimationFrame || t.oCancelAnimationFrame || function (e) {
        t.clearTimeout(e);
      };
    }(),
    a = function a(e) {
      var n = [];
      e = e.originalEvent || e || t.e, e = e.touches &amp;&amp; e.touches.length ? e.touches : e.changedTouches &amp;&amp; e.changedTouches.length ? e.changedTouches : [e];
      for (var o in e) e[o].pageX ? n.push({
        x: e[o].pageX,
        y: e[o].pageY
      }) : e[o].clientX &amp;&amp; n.push({
        x: e[o].clientX,
        y: e[o].clientY
      });
      return n;
    },
    s = function s(t, e, n) {
      return e &amp;&amp; t ? "x" === n ? t.x - e.x : "y" === n ? t.y - e.y : Math.sqrt(Math.pow(t.x - e.x, 2) + Math.pow(t.y - e.y, 2)) : 0;
    },
    r = function r(t) {
      if (t.is('a,area,button,[role="button"],input,label,select,summary,textarea,video,audio,iframe') || n.isFunction(t.get(0).onclick) || t.data("selectable")) return !0;
      for (var e = 0, o = t[0].attributes, i = o.length; e &lt; i; e++) if ("data-fancybox-" === o[e].nodeName.substr(0, 14)) return !0;
      return !1;
    },
    c = function c(e) {
      var n = t.getComputedStyle(e)["overflow-y"],
        o = t.getComputedStyle(e)["overflow-x"],
        i = ("scroll" === n || "auto" === n) &amp;&amp; e.scrollHeight &gt; e.clientHeight,
        a = ("scroll" === o || "auto" === o) &amp;&amp; e.scrollWidth &gt; e.clientWidth;
      return i || a;
    },
    l = function l(t) {
      for (var e = !1;;) {
        if (e = c(t.get(0))) break;
        if (t = t.parent(), !t.length || t.hasClass("fancybox-stage") || t.is("body")) break;
      }
      return e;
    },
    d = function d(t) {
      var e = this;
      e.instance = t, e.$bg = t.$refs.bg, e.$stage = t.$refs.stage, e.$container = t.$refs.container, e.destroy(), e.$container.on("touchstart.fb.touch mousedown.fb.touch", n.proxy(e, "ontouchstart"));
    };
  d.prototype.destroy = function () {
    var t = this;
    t.$container.off(".fb.touch"), n(e).off(".fb.touch"), t.requestId &amp;&amp; (i(t.requestId), t.requestId = null), t.tapped &amp;&amp; (clearTimeout(t.tapped), t.tapped = null);
  }, d.prototype.ontouchstart = function (o) {
    var i = this,
      c = n(o.target),
      d = i.instance,
      u = d.current,
      f = u.$slide,
      p = u.$content,
      h = "touchstart" == o.type;
    if (h &amp;&amp; i.$container.off("mousedown.fb.touch"), (!o.originalEvent || 2 != o.originalEvent.button) &amp;&amp; f.length &amp;&amp; c.length &amp;&amp; !r(c) &amp;&amp; !r(c.parent()) &amp;&amp; (c.is("img") || !(o.originalEvent.clientX &gt; c[0].clientWidth + c.offset().left))) {
      if (!u || d.isAnimating || u.$slide.hasClass("fancybox-animated")) return o.stopPropagation(), void o.preventDefault();
      i.realPoints = i.startPoints = a(o), i.startPoints.length &amp;&amp; (u.touch &amp;&amp; o.stopPropagation(), i.startEvent = o, i.canTap = !0, i.$target = c, i.$content = p, i.opts = u.opts.touch, i.isPanning = !1, i.isSwiping = !1, i.isZooming = !1, i.isScrolling = !1, i.canPan = d.canPan(), i.startTime = new Date().getTime(), i.distanceX = i.distanceY = i.distance = 0, i.canvasWidth = Math.round(f[0].clientWidth), i.canvasHeight = Math.round(f[0].clientHeight), i.contentLastPos = null, i.contentStartPos = n.fancybox.getTranslate(i.$content) || {
        top: 0,
        left: 0
      }, i.sliderStartPos = n.fancybox.getTranslate(f), i.stagePos = n.fancybox.getTranslate(d.$refs.stage), i.sliderStartPos.top -= i.stagePos.top, i.sliderStartPos.left -= i.stagePos.left, i.contentStartPos.top -= i.stagePos.top, i.contentStartPos.left -= i.stagePos.left, n(e).off(".fb.touch").on(h ? "touchend.fb.touch touchcancel.fb.touch" : "mouseup.fb.touch mouseleave.fb.touch", n.proxy(i, "ontouchend")).on(h ? "touchmove.fb.touch" : "mousemove.fb.touch", n.proxy(i, "ontouchmove")), n.fancybox.isMobile &amp;&amp; e.addEventListener("scroll", i.onscroll, !0), ((i.opts || i.canPan) &amp;&amp; (c.is(i.$stage) || i.$stage.find(c).length) || (c.is(".fancybox-image") &amp;&amp; o.preventDefault(), n.fancybox.isMobile &amp;&amp; c.parents(".fancybox-caption").length)) &amp;&amp; (i.isScrollable = l(c) || l(c.parent()), n.fancybox.isMobile &amp;&amp; i.isScrollable || o.preventDefault(), (1 === i.startPoints.length || u.hasError) &amp;&amp; (i.canPan ? (n.fancybox.stop(i.$content), i.isPanning = !0) : i.isSwiping = !0, i.$container.addClass("fancybox-is-grabbing")), 2 === i.startPoints.length &amp;&amp; "image" === u.type &amp;&amp; (u.isLoaded || u.$ghost) &amp;&amp; (i.canTap = !1, i.isSwiping = !1, i.isPanning = !1, i.isZooming = !0, n.fancybox.stop(i.$content), i.centerPointStartX = .5 * (i.startPoints[0].x + i.startPoints[1].x) - n(t).scrollLeft(), i.centerPointStartY = .5 * (i.startPoints[0].y + i.startPoints[1].y) - n(t).scrollTop(), i.percentageOfImageAtPinchPointX = (i.centerPointStartX - i.contentStartPos.left) / i.contentStartPos.width, i.percentageOfImageAtPinchPointY = (i.centerPointStartY - i.contentStartPos.top) / i.contentStartPos.height, i.startDistanceBetweenFingers = s(i.startPoints[0], i.startPoints[1]))));
    }
  }, d.prototype.onscroll = function (t) {
    var n = this;
    n.isScrolling = !0, e.removeEventListener("scroll", n.onscroll, !0);
  }, d.prototype.ontouchmove = function (t) {
    var e = this;
    return void 0 !== t.originalEvent.buttons &amp;&amp; 0 === t.originalEvent.buttons ? void e.ontouchend(t) : e.isScrolling ? void (e.canTap = !1) : (e.newPoints = a(t), void ((e.opts || e.canPan) &amp;&amp; e.newPoints.length &amp;&amp; e.newPoints.length &amp;&amp; (e.isSwiping &amp;&amp; !0 === e.isSwiping || t.preventDefault(), e.distanceX = s(e.newPoints[0], e.startPoints[0], "x"), e.distanceY = s(e.newPoints[0], e.startPoints[0], "y"), e.distance = s(e.newPoints[0], e.startPoints[0]), e.distance &gt; 0 &amp;&amp; (e.isSwiping ? e.onSwipe(t) : e.isPanning ? e.onPan() : e.isZooming &amp;&amp; e.onZoom()))));
  }, d.prototype.onSwipe = function (e) {
    var a,
      s = this,
      r = s.instance,
      c = s.isSwiping,
      l = s.sliderStartPos.left || 0;
    if (!0 !== c) "x" == c &amp;&amp; (s.distanceX &gt; 0 &amp;&amp; (s.instance.group.length &lt; 2 || 0 === s.instance.current.index &amp;&amp; !s.instance.current.opts.loop) ? l += Math.pow(s.distanceX, .8) : s.distanceX &lt; 0 &amp;&amp; (s.instance.group.length &lt; 2 || s.instance.current.index === s.instance.group.length - 1 &amp;&amp; !s.instance.current.opts.loop) ? l -= Math.pow(-s.distanceX, .8) : l += s.distanceX), s.sliderLastPos = {
      top: "x" == c ? 0 : s.sliderStartPos.top + s.distanceY,
      left: l
    }, s.requestId &amp;&amp; (i(s.requestId), s.requestId = null), s.requestId = o(function () {
      s.sliderLastPos &amp;&amp; (n.each(s.instance.slides, function (t, e) {
        var o = e.pos - s.instance.currPos;
        n.fancybox.setTranslate(e.$slide, {
          top: s.sliderLastPos.top,
          left: s.sliderLastPos.left + o * s.canvasWidth + o * e.opts.gutter
        });
      }), s.$container.addClass("fancybox-is-sliding"));
    });else if (Math.abs(s.distance) &gt; 10) {
      if (s.canTap = !1, r.group.length &lt; 2 &amp;&amp; s.opts.vertical ? s.isSwiping = "y" : r.isDragging || !1 === s.opts.vertical || "auto" === s.opts.vertical &amp;&amp; n(t).width() &gt; 800 ? s.isSwiping = "x" : (a = Math.abs(180 * Math.atan2(s.distanceY, s.distanceX) / Math.PI), s.isSwiping = a &gt; 45 &amp;&amp; a &lt; 135 ? "y" : "x"), "y" === s.isSwiping &amp;&amp; n.fancybox.isMobile &amp;&amp; s.isScrollable) return void (s.isScrolling = !0);
      r.isDragging = s.isSwiping, s.startPoints = s.newPoints, n.each(r.slides, function (t, e) {
        var o, i;
        n.fancybox.stop(e.$slide), o = n.fancybox.getTranslate(e.$slide), i = n.fancybox.getTranslate(r.$refs.stage), e.$slide.css({
          transform: "",
          opacity: "",
          "transition-duration": ""
        }).removeClass("fancybox-animated").removeClass(function (t, e) {
          return (e.match(/(^|\s)fancybox-fx-\S+/g) || []).join(" ");
        }), e.pos === r.current.pos &amp;&amp; (s.sliderStartPos.top = o.top - i.top, s.sliderStartPos.left = o.left - i.left), n.fancybox.setTranslate(e.$slide, {
          top: o.top - i.top,
          left: o.left - i.left
        });
      }), r.SlideShow &amp;&amp; r.SlideShow.isActive &amp;&amp; r.SlideShow.stop();
    }
  }, d.prototype.onPan = function () {
    var t = this;
    if (s(t.newPoints[0], t.realPoints[0]) &lt; (n.fancybox.isMobile ? 10 : 5)) return void (t.startPoints = t.newPoints);
    t.canTap = !1, t.contentLastPos = t.limitMovement(), t.requestId &amp;&amp; i(t.requestId), t.requestId = o(function () {
      n.fancybox.setTranslate(t.$content, t.contentLastPos);
    });
  }, d.prototype.limitMovement = function () {
    var t,
      e,
      n,
      o,
      i,
      a,
      s = this,
      r = s.canvasWidth,
      c = s.canvasHeight,
      l = s.distanceX,
      d = s.distanceY,
      u = s.contentStartPos,
      f = u.left,
      p = u.top,
      h = u.width,
      g = u.height;
    return i = h &gt; r ? f + l : f, a = p + d, t = Math.max(0, .5 * r - .5 * h), e = Math.max(0, .5 * c - .5 * g), n = Math.min(r - h, .5 * r - .5 * h), o = Math.min(c - g, .5 * c - .5 * g), l &gt; 0 &amp;&amp; i &gt; t &amp;&amp; (i = t - 1 + Math.pow(-t + f + l, .8) || 0), l &lt; 0 &amp;&amp; i &lt; n &amp;&amp; (i = n + 1 - Math.pow(n - f - l, .8) || 0), d &gt; 0 &amp;&amp; a &gt; e &amp;&amp; (a = e - 1 + Math.pow(-e + p + d, .8) || 0), d &lt; 0 &amp;&amp; a &lt; o &amp;&amp; (a = o + 1 - Math.pow(o - p - d, .8) || 0), {
      top: a,
      left: i
    };
  }, d.prototype.limitPosition = function (t, e, n, o) {
    var i = this,
      a = i.canvasWidth,
      s = i.canvasHeight;
    return n &gt; a ? (t = t &gt; 0 ? 0 : t, t = t &lt; a - n ? a - n : t) : t = Math.max(0, a / 2 - n / 2), o &gt; s ? (e = e &gt; 0 ? 0 : e, e = e &lt; s - o ? s - o : e) : e = Math.max(0, s / 2 - o / 2), {
      top: e,
      left: t
    };
  }, d.prototype.onZoom = function () {
    var e = this,
      a = e.contentStartPos,
      r = a.width,
      c = a.height,
      l = a.left,
      d = a.top,
      u = s(e.newPoints[0], e.newPoints[1]),
      f = u / e.startDistanceBetweenFingers,
      p = Math.floor(r * f),
      h = Math.floor(c * f),
      g = (r - p) * e.percentageOfImageAtPinchPointX,
      b = (c - h) * e.percentageOfImageAtPinchPointY,
      m = (e.newPoints[0].x + e.newPoints[1].x) / 2 - n(t).scrollLeft(),
      v = (e.newPoints[0].y + e.newPoints[1].y) / 2 - n(t).scrollTop(),
      y = m - e.centerPointStartX,
      x = v - e.centerPointStartY,
      w = l + (g + y),
      $ = d + (b + x),
      S = {
        top: $,
        left: w,
        scaleX: f,
        scaleY: f
      };
    e.canTap = !1, e.newWidth = p, e.newHeight = h, e.contentLastPos = S, e.requestId &amp;&amp; i(e.requestId), e.requestId = o(function () {
      n.fancybox.setTranslate(e.$content, e.contentLastPos);
    });
  }, d.prototype.ontouchend = function (t) {
    var o = this,
      s = o.isSwiping,
      r = o.isPanning,
      c = o.isZooming,
      l = o.isScrolling;
    if (o.endPoints = a(t), o.dMs = Math.max(new Date().getTime() - o.startTime, 1), o.$container.removeClass("fancybox-is-grabbing"), n(e).off(".fb.touch"), e.removeEventListener("scroll", o.onscroll, !0), o.requestId &amp;&amp; (i(o.requestId), o.requestId = null), o.isSwiping = !1, o.isPanning = !1, o.isZooming = !1, o.isScrolling = !1, o.instance.isDragging = !1, o.canTap) return o.onTap(t);
    o.speed = 100, o.velocityX = o.distanceX / o.dMs * .5, o.velocityY = o.distanceY / o.dMs * .5, r ? o.endPanning() : c ? o.endZooming() : o.endSwiping(s, l);
  }, d.prototype.endSwiping = function (t, e) {
    var o = this,
      i = !1,
      a = o.instance.group.length,
      s = Math.abs(o.distanceX),
      r = "x" == t &amp;&amp; a &gt; 1 &amp;&amp; (o.dMs &gt; 130 &amp;&amp; s &gt; 10 || s &gt; 50);
    o.sliderLastPos = null, "y" == t &amp;&amp; !e &amp;&amp; Math.abs(o.distanceY) &gt; 50 ? (n.fancybox.animate(o.instance.current.$slide, {
      top: o.sliderStartPos.top + o.distanceY + 150 * o.velocityY,
      opacity: 0
    }, 200), i = o.instance.close(!0, 250)) : r &amp;&amp; o.distanceX &gt; 0 ? i = o.instance.previous(300) : r &amp;&amp; o.distanceX &lt; 0 &amp;&amp; (i = o.instance.next(300)), !1 !== i || "x" != t &amp;&amp; "y" != t || o.instance.centerSlide(200), o.$container.removeClass("fancybox-is-sliding");
  }, d.prototype.endPanning = function () {
    var t,
      e,
      o,
      i = this;
    i.contentLastPos &amp;&amp; (!1 === i.opts.momentum || i.dMs &gt; 350 ? (t = i.contentLastPos.left, e = i.contentLastPos.top) : (t = i.contentLastPos.left + 500 * i.velocityX, e = i.contentLastPos.top + 500 * i.velocityY), o = i.limitPosition(t, e, i.contentStartPos.width, i.contentStartPos.height), o.width = i.contentStartPos.width, o.height = i.contentStartPos.height, n.fancybox.animate(i.$content, o, 366));
  }, d.prototype.endZooming = function () {
    var t,
      e,
      o,
      i,
      a = this,
      s = a.instance.current,
      r = a.newWidth,
      c = a.newHeight;
    a.contentLastPos &amp;&amp; (t = a.contentLastPos.left, e = a.contentLastPos.top, i = {
      top: e,
      left: t,
      width: r,
      height: c,
      scaleX: 1,
      scaleY: 1
    }, n.fancybox.setTranslate(a.$content, i), r &lt; a.canvasWidth &amp;&amp; c &lt; a.canvasHeight ? a.instance.scaleToFit(150) : r &gt; s.width || c &gt; s.height ? a.instance.scaleToActual(a.centerPointStartX, a.centerPointStartY, 150) : (o = a.limitPosition(t, e, r, c), n.fancybox.animate(a.$content, o, 150)));
  }, d.prototype.onTap = function (e) {
    var o,
      i = this,
      s = n(e.target),
      r = i.instance,
      c = r.current,
      l = e &amp;&amp; a(e) || i.startPoints,
      d = l[0] ? l[0].x - n(t).scrollLeft() - i.stagePos.left : 0,
      u = l[0] ? l[0].y - n(t).scrollTop() - i.stagePos.top : 0,
      f = function f(t) {
        var o = c.opts[t];
        if (n.isFunction(o) &amp;&amp; (o = o.apply(r, [c, e])), o) switch (o) {
          case "close":
            r.close(i.startEvent);
            break;
          case "toggleControls":
            r.toggleControls();
            break;
          case "next":
            r.next();
            break;
          case "nextOrClose":
            r.group.length &gt; 1 ? r.next() : r.close(i.startEvent);
            break;
          case "zoom":
            "image" == c.type &amp;&amp; (c.isLoaded || c.$ghost) &amp;&amp; (r.canPan() ? r.scaleToFit() : r.isScaledDown() ? r.scaleToActual(d, u) : r.group.length &lt; 2 &amp;&amp; r.close(i.startEvent));
        }
      };
    if ((!e.originalEvent || 2 != e.originalEvent.button) &amp;&amp; (s.is("img") || !(d &gt; s[0].clientWidth + s.offset().left))) {
      if (s.is(".fancybox-bg,.fancybox-inner,.fancybox-outer,.fancybox-container")) o = "Outside";else if (s.is(".fancybox-slide")) o = "Slide";else {
        if (!r.current.$content || !r.current.$content.find(s).addBack().filter(s).length) return;
        o = "Content";
      }
      if (i.tapped) {
        if (clearTimeout(i.tapped), i.tapped = null, Math.abs(d - i.tapX) &gt; 50 || Math.abs(u - i.tapY) &gt; 50) return this;
        f("dblclick" + o);
      } else i.tapX = d, i.tapY = u, c.opts["dblclick" + o] &amp;&amp; c.opts["dblclick" + o] !== c.opts["click" + o] ? i.tapped = setTimeout(function () {
        i.tapped = null, r.isAnimating || f("click" + o);
      }, 500) : f("click" + o);
      return this;
    }
  }, n(e).on("onActivate.fb", function (t, e) {
    e &amp;&amp; !e.Guestures &amp;&amp; (e.Guestures = new d(e));
  }).on("beforeClose.fb", function (t, e) {
    e &amp;&amp; e.Guestures &amp;&amp; e.Guestures.destroy();
  });
}(window, document, jQuery), function (t, e) {
  "use strict";

  e.extend(!0, e.fancybox.defaults, {
    btnTpl: {
      slideShow: '&lt;button data-fancybox-play class="fancybox-button fancybox-button--play" title="{{PLAY_START}}"&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M6.5 5.4v13.2l11-6.6z"/&gt;&lt;/svg&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M8.33 5.75h2.2v12.5h-2.2V5.75zm5.15 0h2.2v12.5h-2.2V5.75z"/&gt;&lt;/svg&gt;&lt;/button&gt;'
    },
    slideShow: {
      autoStart: !1,
      speed: 3e3,
      progress: !0
    }
  });
  var n = function n(t) {
    this.instance = t, this.init();
  };
  e.extend(n.prototype, {
    timer: null,
    isActive: !1,
    $button: null,
    init: function init() {
      var t = this,
        n = t.instance,
        o = n.group[n.currIndex].opts.slideShow;
      t.$button = n.$refs.toolbar.find("[data-fancybox-play]").on("click", function () {
        t.toggle();
      }), n.group.length &lt; 2 || !o ? t.$button.hide() : o.progress &amp;&amp; (t.$progress = e('&lt;div class="fancybox-progress"&gt;&lt;/div&gt;').appendTo(n.$refs.inner));
    },
    set: function set(t) {
      var n = this,
        o = n.instance,
        i = o.current;
      i &amp;&amp; (!0 === t || i.opts.loop || o.currIndex &lt; o.group.length - 1) ? n.isActive &amp;&amp; "video" !== i.contentType &amp;&amp; (n.$progress &amp;&amp; e.fancybox.animate(n.$progress.show(), {
        scaleX: 1
      }, i.opts.slideShow.speed), n.timer = setTimeout(function () {
        o.current.opts.loop || o.current.index != o.group.length - 1 ? o.next() : o.jumpTo(0);
      }, i.opts.slideShow.speed)) : (n.stop(), o.idleSecondsCounter = 0, o.showControls());
    },
    clear: function clear() {
      var t = this;
      clearTimeout(t.timer), t.timer = null, t.$progress &amp;&amp; t.$progress.removeAttr("style").hide();
    },
    start: function start() {
      var t = this,
        e = t.instance.current;
      e &amp;&amp; (t.$button.attr("title", (e.opts.i18n[e.opts.lang] || e.opts.i18n.en).PLAY_STOP).removeClass("fancybox-button--play").addClass("fancybox-button--pause"), t.isActive = !0, e.isComplete &amp;&amp; t.set(!0), t.instance.trigger("onSlideShowChange", !0));
    },
    stop: function stop() {
      var t = this,
        e = t.instance.current;
      t.clear(), t.$button.attr("title", (e.opts.i18n[e.opts.lang] || e.opts.i18n.en).PLAY_START).removeClass("fancybox-button--pause").addClass("fancybox-button--play"), t.isActive = !1, t.instance.trigger("onSlideShowChange", !1), t.$progress &amp;&amp; t.$progress.removeAttr("style").hide();
    },
    toggle: function toggle() {
      var t = this;
      t.isActive ? t.stop() : t.start();
    }
  }), e(t).on({
    "onInit.fb": function onInitFb(t, e) {
      e &amp;&amp; !e.SlideShow &amp;&amp; (e.SlideShow = new n(e));
    },
    "beforeShow.fb": function beforeShowFb(t, e, n, o) {
      var i = e &amp;&amp; e.SlideShow;
      o ? i &amp;&amp; n.opts.slideShow.autoStart &amp;&amp; i.start() : i &amp;&amp; i.isActive &amp;&amp; i.clear();
    },
    "afterShow.fb": function afterShowFb(t, e, n) {
      var o = e &amp;&amp; e.SlideShow;
      o &amp;&amp; o.isActive &amp;&amp; o.set();
    },
    "afterKeydown.fb": function afterKeydownFb(n, o, i, a, s) {
      var r = o &amp;&amp; o.SlideShow;
      !r || !i.opts.slideShow || 80 !== s &amp;&amp; 32 !== s || e(t.activeElement).is("button,a,input") || (a.preventDefault(), r.toggle());
    },
    "beforeClose.fb onDeactivate.fb": function beforeCloseFbOnDeactivateFb(t, e) {
      var n = e &amp;&amp; e.SlideShow;
      n &amp;&amp; n.stop();
    }
  }), e(t).on("visibilitychange", function () {
    var n = e.fancybox.getInstance(),
      o = n &amp;&amp; n.SlideShow;
    o &amp;&amp; o.isActive &amp;&amp; (t.hidden ? o.clear() : o.set());
  });
}(document, jQuery), function (t, e) {
  "use strict";

  var n = function () {
    for (var e = [["requestFullscreen", "exitFullscreen", "fullscreenElement", "fullscreenEnabled", "fullscreenchange", "fullscreenerror"], ["webkitRequestFullscreen", "webkitExitFullscreen", "webkitFullscreenElement", "webkitFullscreenEnabled", "webkitfullscreenchange", "webkitfullscreenerror"], ["webkitRequestFullScreen", "webkitCancelFullScreen", "webkitCurrentFullScreenElement", "webkitCancelFullScreen", "webkitfullscreenchange", "webkitfullscreenerror"], ["mozRequestFullScreen", "mozCancelFullScreen", "mozFullScreenElement", "mozFullScreenEnabled", "mozfullscreenchange", "mozfullscreenerror"], ["msRequestFullscreen", "msExitFullscreen", "msFullscreenElement", "msFullscreenEnabled", "MSFullscreenChange", "MSFullscreenError"]], n = {}, o = 0; o &lt; e.length; o++) {
      var i = e[o];
      if (i &amp;&amp; i[1] in t) {
        for (var a = 0; a &lt; i.length; a++) n[e[0][a]] = i[a];
        return n;
      }
    }
    return !1;
  }();
  if (n) {
    var o = {
      request: function request(e) {
        e = e || t.documentElement, e[n.requestFullscreen](e.ALLOW_KEYBOARD_INPUT);
      },
      exit: function exit() {
        t[n.exitFullscreen]();
      },
      toggle: function toggle(e) {
        e = e || t.documentElement, this.isFullscreen() ? this.exit() : this.request(e);
      },
      isFullscreen: function isFullscreen() {
        return Boolean(t[n.fullscreenElement]);
      },
      enabled: function enabled() {
        return Boolean(t[n.fullscreenEnabled]);
      }
    };
    e.extend(!0, e.fancybox.defaults, {
      btnTpl: {
        fullScreen: '&lt;button data-fancybox-fullscreen class="fancybox-button fancybox-button--fsenter" title="{{FULL_SCREEN}}"&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M7 14H5v5h5v-2H7v-3zm-2-4h2V7h3V5H5v5zm12 7h-3v2h5v-5h-2v3zM14 5v2h3v3h2V5h-5z"/&gt;&lt;/svg&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M5 16h3v3h2v-5H5zm3-8H5v2h5V5H8zm6 11h2v-3h3v-2h-5zm2-11V5h-2v5h5V8z"/&gt;&lt;/svg&gt;&lt;/button&gt;'
      },
      fullScreen: {
        autoStart: !1
      }
    }), e(t).on(n.fullscreenchange, function () {
      var t = o.isFullscreen(),
        n = e.fancybox.getInstance();
      n &amp;&amp; (n.current &amp;&amp; "image" === n.current.type &amp;&amp; n.isAnimating &amp;&amp; (n.isAnimating = !1, n.update(!0, !0, 0), n.isComplete || n.complete()), n.trigger("onFullscreenChange", t), n.$refs.container.toggleClass("fancybox-is-fullscreen", t), n.$refs.toolbar.find("[data-fancybox-fullscreen]").toggleClass("fancybox-button--fsenter", !t).toggleClass("fancybox-button--fsexit", t));
    });
  }
  e(t).on({
    "onInit.fb": function onInitFb(t, e) {
      var i;
      if (!n) return void e.$refs.toolbar.find("[data-fancybox-fullscreen]").remove();
      e &amp;&amp; e.group[e.currIndex].opts.fullScreen ? (i = e.$refs.container, i.on("click.fb-fullscreen", "[data-fancybox-fullscreen]", function (t) {
        t.stopPropagation(), t.preventDefault(), o.toggle();
      }), e.opts.fullScreen &amp;&amp; !0 === e.opts.fullScreen.autoStart &amp;&amp; o.request(), e.FullScreen = o) : e &amp;&amp; e.$refs.toolbar.find("[data-fancybox-fullscreen]").hide();
    },
    "afterKeydown.fb": function afterKeydownFb(t, e, n, o, i) {
      e &amp;&amp; e.FullScreen &amp;&amp; 70 === i &amp;&amp; (o.preventDefault(), e.FullScreen.toggle());
    },
    "beforeClose.fb": function beforeCloseFb(t, e) {
      e &amp;&amp; e.FullScreen &amp;&amp; e.$refs.container.hasClass("fancybox-is-fullscreen") &amp;&amp; o.exit();
    }
  });
}(document, jQuery), function (t, e) {
  "use strict";

  var n = "fancybox-thumbs";
  e.fancybox.defaults = e.extend(!0, {
    btnTpl: {
      thumbs: '&lt;button data-fancybox-thumbs class="fancybox-button fancybox-button--thumbs" title="{{THUMBS}}"&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M14.59 14.59h3.76v3.76h-3.76v-3.76zm-4.47 0h3.76v3.76h-3.76v-3.76zm-4.47 0h3.76v3.76H5.65v-3.76zm8.94-4.47h3.76v3.76h-3.76v-3.76zm-4.47 0h3.76v3.76h-3.76v-3.76zm-4.47 0h3.76v3.76H5.65v-3.76zm8.94-4.47h3.76v3.76h-3.76V5.65zm-4.47 0h3.76v3.76h-3.76V5.65zm-4.47 0h3.76v3.76H5.65V5.65z"/&gt;&lt;/svg&gt;&lt;/button&gt;'
    },
    thumbs: {
      autoStart: !1,
      hideOnClose: !0,
      parentEl: ".fancybox-container",
      axis: "y"
    }
  }, e.fancybox.defaults);
  var o = function o(t) {
    this.init(t);
  };
  e.extend(o.prototype, {
    $button: null,
    $grid: null,
    $list: null,
    isVisible: !1,
    isActive: !1,
    init: function init(t) {
      var e = this,
        n = t.group,
        o = 0;
      e.instance = t, e.opts = n[t.currIndex].opts.thumbs, t.Thumbs = e, e.$button = t.$refs.toolbar.find("[data-fancybox-thumbs]");
      for (var i = 0, a = n.length; i &lt; a &amp;&amp; (n[i].thumb &amp;&amp; o++, !(o &gt; 1)); i++);
      o &gt; 1 &amp;&amp; e.opts ? (e.$button.removeAttr("style").on("click", function () {
        e.toggle();
      }), e.isActive = !0) : e.$button.hide();
    },
    create: function create() {
      var t,
        o = this,
        i = o.instance,
        a = o.opts.parentEl,
        s = [];
      o.$grid || (o.$grid = e('&lt;div class="' + n + " " + n + "-" + o.opts.axis + '"&gt;&lt;/div&gt;').appendTo(i.$refs.container.find(a).addBack().filter(a)), o.$grid.on("click", "a", function () {
        i.jumpTo(e(this).attr("data-index"));
      })), o.$list || (o.$list = e('&lt;div class="' + n + '__list"&gt;').appendTo(o.$grid)), e.each(i.group, function (e, n) {
        t = n.thumb, t || "image" !== n.type || (t = n.src), s.push('&lt;a href="javascript:;" tabindex="0" data-index="' + e + '"' + (t &amp;&amp; t.length ? ' style="background-image:url(' + t + ')"' : 'class="fancybox-thumbs-missing"') + "&gt;&lt;/a&gt;");
      }), o.$list[0].innerHTML = s.join(""), "x" === o.opts.axis &amp;&amp; o.$list.width(parseInt(o.$grid.css("padding-right"), 10) + i.group.length * o.$list.children().eq(0).outerWidth(!0));
    },
    focus: function focus(t) {
      var e,
        n,
        o = this,
        i = o.$list,
        a = o.$grid;
      o.instance.current &amp;&amp; (e = i.children().removeClass("fancybox-thumbs-active").filter('[data-index="' + o.instance.current.index + '"]').addClass("fancybox-thumbs-active"), n = e.position(), "y" === o.opts.axis &amp;&amp; (n.top &lt; 0 || n.top &gt; i.height() - e.outerHeight()) ? i.stop().animate({
        scrollTop: i.scrollTop() + n.top
      }, t) : "x" === o.opts.axis &amp;&amp; (n.left &lt; a.scrollLeft() || n.left &gt; a.scrollLeft() + (a.width() - e.outerWidth())) &amp;&amp; i.parent().stop().animate({
        scrollLeft: n.left
      }, t));
    },
    update: function update() {
      var t = this;
      t.instance.$refs.container.toggleClass("fancybox-show-thumbs", this.isVisible), t.isVisible ? (t.$grid || t.create(), t.instance.trigger("onThumbsShow"), t.focus(0)) : t.$grid &amp;&amp; t.instance.trigger("onThumbsHide"), t.instance.update();
    },
    hide: function hide() {
      this.isVisible = !1, this.update();
    },
    show: function show() {
      this.isVisible = !0, this.update();
    },
    toggle: function toggle() {
      this.isVisible = !this.isVisible, this.update();
    }
  }), e(t).on({
    "onInit.fb": function onInitFb(t, e) {
      var n;
      e &amp;&amp; !e.Thumbs &amp;&amp; (n = new o(e), n.isActive &amp;&amp; !0 === n.opts.autoStart &amp;&amp; n.show());
    },
    "beforeShow.fb": function beforeShowFb(t, e, n, o) {
      var i = e &amp;&amp; e.Thumbs;
      i &amp;&amp; i.isVisible &amp;&amp; i.focus(o ? 0 : 250);
    },
    "afterKeydown.fb": function afterKeydownFb(t, e, n, o, i) {
      var a = e &amp;&amp; e.Thumbs;
      a &amp;&amp; a.isActive &amp;&amp; 71 === i &amp;&amp; (o.preventDefault(), a.toggle());
    },
    "beforeClose.fb": function beforeCloseFb(t, e) {
      var n = e &amp;&amp; e.Thumbs;
      n &amp;&amp; n.isVisible &amp;&amp; !1 !== n.opts.hideOnClose &amp;&amp; n.$grid.hide();
    }
  });
}(document, jQuery), function (t, e) {
  "use strict";

  function n(t) {
    var e = {
      "&amp;": "&amp;amp;",
      "&lt;": "&amp;lt;",
      "&gt;": "&amp;gt;",
      '"': "&amp;quot;",
      "'": "&amp;#39;",
      "/": "&amp;#x2F;",
      "`": "&amp;#x60;",
      "=": "&amp;#x3D;"
    };
    return String(t).replace(/[&amp;&lt;&gt;"'`=\/]/g, function (t) {
      return e[t];
    });
  }
  e.extend(!0, e.fancybox.defaults, {
    btnTpl: {
      share: '&lt;button data-fancybox-share class="fancybox-button fancybox-button--share" title="{{SHARE}}"&gt;&lt;svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"&gt;&lt;path d="M2.55 19c1.4-8.4 9.1-9.8 11.9-9.8V5l7 7-7 6.3v-3.5c-2.8 0-10.5 2.1-11.9 4.2z"/&gt;&lt;/svg&gt;&lt;/button&gt;'
    },
    share: {
      url: function url(t, e) {
        return !t.currentHash &amp;&amp; "inline" !== e.type &amp;&amp; "html" !== e.type &amp;&amp; (e.origSrc || e.src) || window.location;
      },
      tpl: '&lt;div class="fancybox-share"&gt;&lt;h1&gt;{{SHARE}}&lt;/h1&gt;&lt;p&gt;&lt;a class="fancybox-share__button fancybox-share__button--fb" href="https://www.facebook.com/sharer/sharer.php?u={{url}}"&gt;&lt;svg viewBox="0 0 512 512" xmlns="http://www.w3.org/2000/svg"&gt;&lt;path d="m287 456v-299c0-21 6-35 35-35h38v-63c-7-1-29-3-55-3-54 0-91 33-91 94v306m143-254h-205v72h196" /&gt;&lt;/svg&gt;&lt;span&gt;Facebook&lt;/span&gt;&lt;/a&gt;&lt;a class="fancybox-share__button fancybox-share__button--tw" href="https://twitter.com/intent/tweet?url={{url}}&amp;text={{descr}}"&gt;&lt;svg viewBox="0 0 512 512" xmlns="http://www.w3.org/2000/svg"&gt;&lt;path d="m456 133c-14 7-31 11-47 13 17-10 30-27 37-46-15 10-34 16-52 20-61-62-157-7-141 75-68-3-129-35-169-85-22 37-11 86 26 109-13 0-26-4-37-9 0 39 28 72 65 80-12 3-25 4-37 2 10 33 41 57 77 57-42 30-77 38-122 34 170 111 378-32 359-208 16-11 30-25 41-42z" /&gt;&lt;/svg&gt;&lt;span&gt;Twitter&lt;/span&gt;&lt;/a&gt;&lt;a class="fancybox-share__button fancybox-share__button--pt" href="https://www.pinterest.com/pin/create/button/?url={{url}}&amp;description={{descr}}&amp;media={{media}}"&gt;&lt;svg viewBox="0 0 512 512" xmlns="http://www.w3.org/2000/svg"&gt;&lt;path d="m265 56c-109 0-164 78-164 144 0 39 15 74 47 87 5 2 10 0 12-5l4-19c2-6 1-8-3-13-9-11-15-25-15-45 0-58 43-110 113-110 62 0 96 38 96 88 0 67-30 122-73 122-24 0-42-19-36-44 6-29 20-60 20-81 0-19-10-35-31-35-25 0-44 26-44 60 0 21 7 36 7 36l-30 125c-8 37-1 83 0 87 0 3 4 4 5 2 2-3 32-39 42-75l16-64c8 16 31 29 56 29 74 0 124-67 124-157 0-69-58-132-146-132z" fill="#fff"/&gt;&lt;/svg&gt;&lt;span&gt;Pinterest&lt;/span&gt;&lt;/a&gt;&lt;/p&gt;&lt;p&gt;&lt;input class="fancybox-share__input" type="text" value="{{url_raw}}" onclick="select()" /&gt;&lt;/p&gt;&lt;/div&gt;'
    }
  }), e(t).on("click", "[data-fancybox-share]", function () {
    var t,
      o,
      i = e.fancybox.getInstance(),
      a = i.current || null;
    a &amp;&amp; ("function" === e.type(a.opts.share.url) &amp;&amp; (t = a.opts.share.url.apply(a, [i, a])), o = a.opts.share.tpl.replace(/\{\{media\}\}/g, "image" === a.type ? encodeURIComponent(a.src) : "").replace(/\{\{url\}\}/g, encodeURIComponent(t)).replace(/\{\{url_raw\}\}/g, n(t)).replace(/\{\{descr\}\}/g, i.$caption ? encodeURIComponent(i.$caption.text()) : ""), e.fancybox.open({
      src: i.translate(i, o),
      type: "html",
      opts: {
        touch: !1,
        animationEffect: !1,
        afterLoad: function afterLoad(t, e) {
          i.$refs.container.one("beforeClose.fb", function () {
            t.close(null, 0);
          }), e.$content.find(".fancybox-share__button").click(function () {
            return window.open(this.href, "Share", "width=550, height=450"), !1;
          });
        },
        mobile: {
          autoFocus: !1
        }
      }
    }));
  });
}(document, jQuery), function (t, e, n) {
  "use strict";

  function o() {
    var e = t.location.hash.substr(1),
      n = e.split("-"),
      o = n.length &gt; 1 &amp;&amp; /^\+?\d+$/.test(n[n.length - 1]) ? parseInt(n.pop(-1), 10) || 1 : 1,
      i = n.join("-");
    return {
      hash: e,
      index: o &lt; 1 ? 1 : o,
      gallery: i
    };
  }
  function i(t) {
    "" !== t.gallery &amp;&amp; n("[data-fancybox='" + n.escapeSelector(t.gallery) + "']").eq(t.index - 1).focus().trigger("click.fb-start");
  }
  function a(t) {
    var e, n;
    return !!t &amp;&amp; (e = t.current ? t.current.opts : t.opts, "" !== (n = e.hash || (e.$orig ? e.$orig.data("fancybox") || e.$orig.data("fancybox-trigger") : "")) &amp;&amp; n);
  }
  n.escapeSelector || (n.escapeSelector = function (t) {
    return (t + "").replace(/([\0-\x1f\x7f]|^-?\d)|^-$|[^\x80-\uFFFF\w-]/g, function (t, e) {
      return e ? "\0" === t ? "ï¿½" : t.slice(0, -1) + "\\" + t.charCodeAt(t.length - 1).toString(16) + " " : "\\" + t;
    });
  }), n(function () {
    !1 !== n.fancybox.defaults.hash &amp;&amp; (n(e).on({
      "onInit.fb": function onInitFb(t, e) {
        var n, i;
        !1 !== e.group[e.currIndex].opts.hash &amp;&amp; (n = o(), (i = a(e)) &amp;&amp; n.gallery &amp;&amp; i == n.gallery &amp;&amp; (e.currIndex = n.index - 1));
      },
      "beforeShow.fb": function beforeShowFb(n, o, i, s) {
        var r;
        i &amp;&amp; !1 !== i.opts.hash &amp;&amp; (r = a(o)) &amp;&amp; (o.currentHash = r + (o.group.length &gt; 1 ? "-" + (i.index + 1) : ""), t.location.hash !== "#" + o.currentHash &amp;&amp; (s &amp;&amp; !o.origHash &amp;&amp; (o.origHash = t.location.hash), o.hashTimer &amp;&amp; clearTimeout(o.hashTimer), o.hashTimer = setTimeout(function () {
          "replaceState" in t.history ? (t.history[s ? "pushState" : "replaceState"]({}, e.title, t.location.pathname + t.location.search + "#" + o.currentHash), s &amp;&amp; (o.hasCreatedHistory = !0)) : t.location.hash = o.currentHash, o.hashTimer = null;
        }, 300)));
      },
      "beforeClose.fb": function beforeCloseFb(n, o, i) {
        i &amp;&amp; !1 !== i.opts.hash &amp;&amp; (clearTimeout(o.hashTimer), o.currentHash &amp;&amp; o.hasCreatedHistory ? t.history.back() : o.currentHash &amp;&amp; ("replaceState" in t.history ? t.history.replaceState({}, e.title, t.location.pathname + t.location.search + (o.origHash || "")) : t.location.hash = o.origHash), o.currentHash = null);
      }
    }), n(t).on("hashchange.fb", function () {
      var t = o(),
        e = null;
      n.each(n(".fancybox-container").get().reverse(), function (t, o) {
        var i = n(o).data("FancyBox");
        if (i &amp;&amp; i.currentHash) return e = i, !1;
      }), e ? e.currentHash === t.gallery + "-" + t.index || 1 === t.index &amp;&amp; e.currentHash == t.gallery || (e.currentHash = null, e.close()) : "" !== t.gallery &amp;&amp; i(t);
    }), setTimeout(function () {
      n.fancybox.getInstance() || i(o());
    }, 50));
  });
}(window, document, jQuery), function (t, e) {
  "use strict";

  var n = new Date().getTime();
  e(t).on({
    "onInit.fb": function onInitFb(t, e, o) {
      e.$refs.stage.on("mousewheel DOMMouseScroll wheel MozMousePixelScroll", function (t) {
        var o = e.current,
          i = new Date().getTime();
        e.group.length &lt; 2 || !1 === o.opts.wheel || "auto" === o.opts.wheel &amp;&amp; "image" !== o.type || (t.preventDefault(), t.stopPropagation(), o.$slide.hasClass("fancybox-animated") || (t = t.originalEvent || t, i - n &lt; 250 || (n = i, e[(-t.deltaY || -t.deltaX || t.wheelDelta || -t.detail) &lt; 0 ? "next" : "previous"]())));
      });
    }
  });
}(document, jQuery);

/***/ }),

/***/ "./resources/_Theme/assets/js/jquery.meanmenu.js":
/*!*******************************************************!*\
  !*** ./resources/_Theme/assets/js/jquery.meanmenu.js ***!
  \*******************************************************/
/***/ (() =&gt; {

/*!
* jQuery meanMenu v2.0.8
* @Copyright (C) 2012-2014 Chris Wharton @ MeanThemes (https://github.com/meanthemes/meanMenu)
*
*/
/*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* THIS SOFTWARE AND DOCUMENTATION IS PROVIDED "AS IS," AND COPYRIGHT
* HOLDERS MAKE NO REPRESENTATIONS OR WARRANTIES, EXPRESS OR IMPLIED,
* INCLUDING BUT NOT LIMITED TO, WARRANTIES OF MERCHANTABILITY OR
* FITNESS FOR ANY PARTICULAR PURPOSE OR THAT THE USE OF THE SOFTWARE
* OR DOCUMENTATION WILL NOT INFRINGE ANY THIRD PARTY PATENTS,
* COPYRIGHTS, TRADEMARKS OR OTHER RIGHTS.COPYRIGHT HOLDERS WILL NOT
* BE LIABLE FOR ANY DIRECT, INDIRECT, SPECIAL OR CONSEQUENTIAL
* DAMAGES ARISING OUT OF ANY USE OF THE SOFTWARE OR DOCUMENTATION.
*
* You should have received a copy of the GNU General Public License
* along with this program. If not, see &lt;http://gnu.org/licenses/&gt;.
*
* Find more information at http://www.meanthemes.com/plugins/meanmenu/
*
*/
(function ($) {
  "use strict";

  $.fn.meanmenu = function (options) {
    var defaults = {
      meanMenuTarget: jQuery(this),
      // Target the current HTML markup you wish to replace
      meanMenuContainer: 'body',
      // Choose where meanmenu will be placed within the HTML
      meanMenuClose: "X",
      // single character you want to represent the close menu button
      meanMenuCloseSize: "18px",
      // set font size of close button
      meanMenuOpen: "&lt;span /&gt;&lt;span /&gt;&lt;span /&gt;",
      // text/markup you want when menu is closed
      meanRevealPosition: "right",
      // left right or center positions
      meanRevealPositionDistance: "0",
      // Tweak the position of the menu
      meanRevealColour: "",
      // override CSS colours for the reveal background
      meanScreenWidth: "480",
      // set the screen width you want meanmenu to kick in at
      meanNavPush: "",
      // set a height here in px, em or % if you want to budge your layout now the navigation is missing.
      meanShowChildren: true,
      // true to show children in the menu, false to hide them
      meanExpandableChildren: true,
      // true to allow expand/collapse children
      meanRemoveAttrs: false,
      // true to remove classes and IDs, false to keep them
      onePage: false,
      // set to true for one page sites
      meanDisplay: "block",
      // override display method for table cell based layouts e.g. table-cell
      removeElements: "" // set to hide page elements
    };

    options = $.extend(defaults, options);

    // get browser width
    var currentWidth = window.innerWidth || document.documentElement.clientWidth;
    return this.each(function () {
      var meanMenu = options.meanMenuTarget;
      var meanContainer = options.meanMenuContainer;
      var meanMenuClose = options.meanMenuClose;
      var meanMenuCloseSize = options.meanMenuCloseSize;
      var meanMenuOpen = options.meanMenuOpen;
      var meanRevealPosition = options.meanRevealPosition;
      var meanRevealPositionDistance = options.meanRevealPositionDistance;
      var meanRevealColour = options.meanRevealColour;
      var meanScreenWidth = options.meanScreenWidth;
      var meanNavPush = options.meanNavPush;
      var meanRevealClass = ".meanmenu-reveal";
      var meanShowChildren = options.meanShowChildren;
      var meanExpandableChildren = options.meanExpandableChildren;
      var meanExpand = options.meanExpand;
      var meanRemoveAttrs = options.meanRemoveAttrs;
      var onePage = options.onePage;
      var meanDisplay = options.meanDisplay;
      var removeElements = options.removeElements;

      //detect known mobile/tablet usage
      var isMobile = false;
      if (navigator.userAgent.match(/iPhone/i) || navigator.userAgent.match(/iPod/i) || navigator.userAgent.match(/iPad/i) || navigator.userAgent.match(/Android/i) || navigator.userAgent.match(/Blackberry/i) || navigator.userAgent.match(/Windows Phone/i)) {
        isMobile = true;
      }
      if (navigator.userAgent.match(/MSIE 8/i) || navigator.userAgent.match(/MSIE 7/i)) {
        // add scrollbar for IE7 &amp; 8 to stop breaking resize function on small content sites
        jQuery('html').css("overflow-y", "scroll");
      }
      var meanRevealPos = "";
      var meanCentered = function meanCentered() {
        if (meanRevealPosition === "center") {
          var newWidth = window.innerWidth || document.documentElement.clientWidth;
          var meanCenter = newWidth / 2 - 22 + "px";
          meanRevealPos = "left:" + meanCenter + ";right:auto;";
          if (!isMobile) {
            jQuery('.meanmenu-reveal').css("left", meanCenter);
          } else {
            jQuery('.meanmenu-reveal').animate({
              left: meanCenter
            });
          }
        }
      };
      var menuOn = false;
      var meanMenuExist = false;
      if (meanRevealPosition === "right") {
        meanRevealPos = "right:" + meanRevealPositionDistance + ";left:auto;";
      }
      if (meanRevealPosition === "left") {
        meanRevealPos = "left:" + meanRevealPositionDistance + ";right:auto;";
      }
      // run center function
      meanCentered();

      // set all styles for mean-reveal
      var $navreveal = "";
      var meanInner = function meanInner() {
        // get last class name
        if (jQuery($navreveal).is(".meanmenu-reveal.meanclose")) {
          $navreveal.html(meanMenuClose);
        } else {
          $navreveal.html(meanMenuOpen);
        }
      };

      // re-instate original nav (and call this on window.width functions)
      var meanOriginal = function meanOriginal() {
        jQuery('.mean-bar,.mean-push').remove();
        jQuery(meanContainer).removeClass("mean-container");
        jQuery(meanMenu).css('display', meanDisplay);
        menuOn = false;
        meanMenuExist = false;
        jQuery(removeElements).removeClass('mean-remove');
      };

      // navigation reveal
      var showMeanMenu = function showMeanMenu() {
        var meanStyles = "background:" + meanRevealColour + ";color:" + meanRevealColour + ";" + meanRevealPos;
        if (currentWidth &lt;= meanScreenWidth) {
          jQuery(removeElements).addClass('mean-remove');
          meanMenuExist = true;
          // add class to body so we don't need to worry about media queries here, all CSS is wrapped in '.mean-container'
          jQuery(meanContainer).addClass("mean-container");
          jQuery('.mean-container').prepend('&lt;div class="mean-bar"&gt;&lt;a href="#nav" class="meanmenu-reveal" style="' + meanStyles + '"&gt;Show Navigation&lt;/a&gt;&lt;nav class="mean-nav"&gt;&lt;/nav&gt;&lt;/div&gt;');

          //push meanMenu navigation into .mean-nav
          var meanMenuContents = jQuery(meanMenu).html();
          jQuery('.mean-nav').html(meanMenuContents);

          // remove all classes from EVERYTHING inside meanmenu nav
          if (meanRemoveAttrs) {
            jQuery('nav.mean-nav ul, nav.mean-nav ul *').each(function () {
              // First check if this has mean-remove class
              if (jQuery(this).is('.mean-remove')) {
                jQuery(this).attr('class', 'mean-remove');
              } else {
                jQuery(this).removeAttr("class");
              }
              jQuery(this).removeAttr("id");
            });
          }

          // push in a holder div (this can be used if removal of nav is causing layout issues)
          jQuery(meanMenu).before('&lt;div class="mean-push" /&gt;');
          jQuery('.mean-push').css("margin-top", meanNavPush);

          // hide current navigation and reveal mean nav link
          jQuery(meanMenu).hide();
          jQuery(".meanmenu-reveal").show();

          // turn 'X' on or off
          jQuery(meanRevealClass).html(meanMenuOpen);
          $navreveal = jQuery(meanRevealClass);

          //hide mean-nav ul
          jQuery('.mean-nav ul').hide();

          // hide sub nav
          if (meanShowChildren) {
            // allow expandable sub nav(s)
            if (meanExpandableChildren) {
              jQuery('.mean-nav ul ul').each(function () {
                if (jQuery(this).children().length) {
                  jQuery(this, 'li:first').parent().append('&lt;a class="mean-expand" href="#" style="font-size: ' + meanMenuCloseSize + '"&gt;' + meanExpand + '&lt;/a&gt;');
                }
              });
              jQuery('.mean-expand').on("click", function (e) {
                e.preventDefault();
                if (jQuery(this).hasClass("mean-clicked")) {
                  jQuery(this).prev('ul').slideUp(300, function () {});
                  jQuery(this).parent().removeClass('dropdown-opened');
                } else {
                  jQuery(this).prev('ul').slideDown(300, function () {});
                  jQuery(this).parent().addClass('dropdown-opened');
                }
                jQuery(this).toggleClass("mean-clicked");
              });
            } else {
              jQuery('.mean-nav ul ul').show();
            }
          } else {
            jQuery('.mean-nav ul ul').hide();
          }

          // add last class to tidy up borders
          jQuery('.mean-nav ul li').last().addClass('mean-last');
          $navreveal.removeClass("meanclose");
          jQuery($navreveal).click(function (e) {
            e.preventDefault();
            if (menuOn === false) {
              $navreveal.css("text-align", "center");
              $navreveal.css("text-indent", "0");
              $navreveal.css("font-size", meanMenuCloseSize);
              jQuery('.mean-nav ul:first').slideDown();
              menuOn = true;
            } else {
              jQuery('.mean-nav ul:first').slideUp();
              menuOn = false;
            }
            $navreveal.toggleClass("meanclose");
            meanInner();
            jQuery(removeElements).addClass('mean-remove');
          });

          // for one page websites, reset all variables...
          if (onePage) {
            jQuery('.mean-nav ul &gt; li &gt; a:first-child').on("click", function () {
              jQuery('.mean-nav ul:first').slideUp();
              menuOn = false;
              jQuery($navreveal).toggleClass("meanclose").html(meanMenuOpen);
            });
          }
        } else {
          meanOriginal();
        }
      };
      if (!isMobile) {
        // reset menu on resize above meanScreenWidth
        jQuery(window).resize(function () {
          currentWidth = window.innerWidth || document.documentElement.clientWidth;
          if (currentWidth &gt; meanScreenWidth) {
            meanOriginal();
          } else {
            meanOriginal();
          }
          if (currentWidth &lt;= meanScreenWidth) {
            showMeanMenu();
            meanCentered();
          } else {
            meanOriginal();
          }
        });
      }
      jQuery(window).resize(function () {
        // get browser width
        currentWidth = window.innerWidth || document.documentElement.clientWidth;
        if (!isMobile) {
          meanOriginal();
          if (currentWidth &lt;= meanScreenWidth) {
            showMeanMenu();
            meanCentered();
          }
        } else {
          meanCentered();
          if (currentWidth &lt;= meanScreenWidth) {
            if (meanMenuExist === false) {
              showMeanMenu();
            }
          } else {
            meanOriginal();
          }
        }
      });

      // run main menuMenu function on load
      showMeanMenu();
    });
  };
})(jQuery);

/***/ }),

/***/ "./resources/_Theme/assets/js/main.js":
/*!********************************************!*\
  !*** ./resources/_Theme/assets/js/main.js ***!
  \********************************************/
/***/ (() =&gt; {

/***************************************************
==================== JS INDEX ======================
****************************************************
01. PreLoader Js
02. Mobile Menu Js
03. Sidebar Js
04. Cart Toggle Js
05. Search Js
06. Sticky Header Js
07. Data Background Js
08. Testimonial Slider Js
09. Slider Js (Home 3)
10. Brand Js
11. Tesimonial Js
12. Course Slider Js
13. Masonary Js
14. Wow Js
15. Data width Js
16. Cart Quantity Js
17. Show Login Toggle Js
18. Show Coupon Toggle Js
19. Create An Account Toggle Js
20. Shipping Box Toggle Js
21. Counter Js
22. Parallax Js
23. InHover Active Js

****************************************************/

(function ($) {
  "use strict";

  var windowOn = $(window);
  ////////////////////////////////////////////////////
  // 01. PreLoader Js
  windowOn.on('load', function () {
    $("#loading").fadeOut(500);
  });

  ////////////////////////////////////////////////////
  // 02. Mobile Menu Js
  $('#mobile-menu').meanmenu({
    meanMenuContainer: '.mobile-menu',
    meanScreenWidth: "1199",
    meanExpand: ['&lt;i class="fal fa-plus"&gt;&lt;/i&gt;']
  });

  ////////////////////////////////////////////////////
  // 03. Sidebar Js
  $("#sidebar-toggle").on("click", function () {
    $(".sidebar__area").addClass("sidebar-opened");
    $(".body-overlay").addClass("opened");
  });
  $(".sidebar__close-btn").on("click", function () {
    $(".sidebar__area").removeClass("sidebar-opened");
    $(".body-overlay").removeClass("opened");
  });

  ////////////////////////////////////////////////////
  // 04. Cart Toggle Js
  $(".cart-toggle-btn").on("click", function () {
    $(".cartmini__wrapper").addClass("opened");
    $(".body-overlay").addClass("opened");
  });
  $(".cartmini__close-btn").on("click", function () {
    $(".cartmini__wrapper").removeClass("opened");
    $(".body-overlay").removeClass("opened");
  });
  $(".body-overlay").on("click", function () {
    $(".cartmini__wrapper").removeClass("opened");
    $(".sidebar__area").removeClass("sidebar-opened");
    $(".header__search-3").removeClass("search-opened");
    $(".body-overlay").removeClass("opened");
  });

  ////////////////////////////////////////////////////
  // 05. Search Js
  $(".search-toggle").on("click", function () {
    $(".header__search-3").addClass("search-opened");
    $(".body-overlay").addClass("opened");
  });
  $(".header__search-3-btn-close").on("click", function () {
    $(".header__search-3").removeClass("search-opened");
    $(".body-overlay").removeClass("opened");
  });

  ////////////////////////////////////////////////////
  // 06. Sticky Header Js
  windowOn.on('scroll', function () {
    var scroll = $(window).scrollTop();
    if (scroll &lt; 100) {
      $("#header-sticky").removeClass("sticky");
    } else {
      $("#header-sticky").addClass("sticky");
    }
  });

  ////////////////////////////////////////////////////
  // 07. Data Background Js
  $("[data-background").each(function () {
    $(this).css("background-image", "url( " + $(this).attr("data-background") + "  )");
  });

  ////////////////////////////////////////////////////
  // 08. Testimonial Slider Js
  //var swiper = new Swiper('.testimonial__slider', {
  //	navigation: {
  //		nextEl: '.swiper-button-next',
  //		prevEl: '.swiper-button-prev',
  //	},
  //});

  ////////////////////////////////////////////////////
  // 09. Slider Js (Home 3)
  var galleryThumbs = new Swiper('.slider__nav', {
    spaceBetween: 0,
    slidesPerView: 4,
    freeMode: true,
    watchSlidesVisibility: true,
    watchSlidesProgress: true
  });
  var galleryTop = new Swiper('.slider__wrapper', {
    spaceBetween: 0,
    effect: 'fade',
    loop: true,
    navigation: {
      nextEl: '.swiper-button-next',
      prevEl: '.swiper-button-prev'
    },
    thumbs: {
      swiper: galleryThumbs
    }
  });

  ////////////////////////////////////////////////////
  // 10. Brand Js
  var swiper = new Swiper('.brand__slider', {
    slidesPerView: 6,
    spaceBetween: 30,
    centeredSlides: true,
    loop: true,
    pagination: {
      el: '.swiper-pagination',
      clickable: true
    },
    navigation: {
      nextEl: '.swiper-button-next',
      prevEl: '.swiper-button-prev'
    }
  });

  ////////////////////////////////////////////////////
  // 11. Tesimonial Js
  var tesimonialThumb = new Swiper('.testimonial-nav', {
    spaceBetween: 20,
    slidesPerView: 3,
    loop: true,
    freeMode: true,
    loopedSlides: 3,
    //looped slides should be the same
    watchSlidesVisibility: true,
    watchSlidesProgress: true,
    centeredSlides: true,
    pagination: {
      el: ".swiper-pagination",
      clickable: true
    }
  });
  var testimonialText = new Swiper('.testimonial-text', {
    spaceBetween: 0,
    loop: true,
    loopedSlides: 5,
    //looped slides should be the same
    navigation: {
      nextEl: '.swiper-button-next',
      prevEl: '.swiper-button-prev'
    },
    thumbs: {
      swiper: tesimonialThumb
    }
  });

  ////////////////////////////////////////////////////
  // 12. Course Slider Js
  var swiper = new Swiper('.course__slider', {
    spaceBetween: 30,
    slidesPerView: 2,
    breakpoints: {
      '768': {
        slidesPerView: 2
      },
      '576': {
        slidesPerView: 1
      },
      '0': {
        slidesPerView: 1
      }
    },
    pagination: {
      el: '.swiper-pagination',
      clickable: true
    }
  });

  ////////////////////////////////////////////////////
  // 13. Masonary Js
  $('.grid').imagesLoaded(function () {
    // init Isotope
    var $grid = $('.grid').isotope({
      itemSelector: '.grid-item',
      percentPosition: true,
      masonry: {
        // use outer width of grid-sizer for columnWidth
        columnWidth: '.grid-item'
      }
    });

    // filter items on button click
    $('.masonary-menu').on('click', 'button', function () {
      var filterValue = $(this).attr('data-filter');
      $grid.isotope({
        filter: filterValue
      });
    });

    //for menu active class
    $('.masonary-menu button').on('click', function (event) {
      $(this).siblings('.active').removeClass('active');
      $(this).addClass('active');
      event.preventDefault();
    });
  });

  ////////////////////////////////////////////////////
  // 14. Wow Js
  new WOW().init();

  ////////////////////////////////////////////////////
  // 15. Data width Js
  $("[data-width]").each(function () {
    $(this).css("width", $(this).attr("data-width"));
  });

  ////////////////////////////////////////////////////
  // 16. Cart Quantity Js
  $('.cart-minus').click(function () {
    var $input = $(this).parent().find('input');
    var count = parseInt($input.val()) - 1;
    count = count &lt; 1 ? 1 : count;
    $input.val(count);
    $input.change();
    return false;
  });
  $('.cart-plus').click(function () {
    var $input = $(this).parent().find('input');
    $input.val(parseInt($input.val()) + 1);
    $input.change();
    return false;
  });

  ////////////////////////////////////////////////////
  // 17. Show Login Toggle Js
  $('#showlogin').on('click', function () {
    $('#checkout-login').slideToggle(900);
  });

  ////////////////////////////////////////////////////
  // 18. Show Coupon Toggle Js
  $('#showcoupon').on('click', function () {
    $('#checkout_coupon').slideToggle(900);
  });

  ////////////////////////////////////////////////////
  // 19. Create An Account Toggle Js
  $('#cbox').on('click', function () {
    $('#cbox_info').slideToggle(900);
  });

  ////////////////////////////////////////////////////
  // 20. Shipping Box Toggle Js
  $('#ship-box').on('click', function () {
    $('#ship-box-info').slideToggle(1000);
  });

  ////////////////////////////////////////////////////
  // 21. Counter Js
  $('.counter').counterUp({
    delay: 10,
    time: 1000
  });

  ////////////////////////////////////////////////////
  // 22. Parallax Js
  if ($('.scene').length &gt; 0) {
    $('.scene').parallax({
      scalarX: 10.0,
      scalarY: 15.0
    });
  }
  ;

  ////////////////////////////////////////////////////
  // 23. InHover Active Js
  $('.hover__active').on('mouseenter', function () {
    $(this).addClass('active').parent().siblings().find('.hover__active').removeClass('active');
  });
})(jQuery);

/***/ }),

/***/ "./resources/_Theme/assets/js/owl.carousel.min.js":
/*!********************************************************!*\
  !*** ./resources/_Theme/assets/js/owl.carousel.min.js ***!
  \********************************************************/
/***/ (() =&gt; {

function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o &amp;&amp; "function" == typeof Symbol &amp;&amp; o.constructor === Symbol &amp;&amp; o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); }
/**
 * Owl Carousel v2.2.1
 * Copyright 2013-2017 David Deutsch
 * Licensed under  ()
 */
!function (a, b, c, d) {
  function e(b, c) {
    this.settings = null, this.options = a.extend({}, e.Defaults, c), this.$element = a(b), this._handlers = {}, this._plugins = {}, this._supress = {}, this._current = null, this._speed = null, this._coordinates = [], this._breakpoint = null, this._width = null, this._items = [], this._clones = [], this._mergers = [], this._widths = [], this._invalidated = {}, this._pipe = [], this._drag = {
      time: null,
      target: null,
      pointer: null,
      stage: {
        start: null,
        current: null
      },
      direction: null
    }, this._states = {
      current: {},
      tags: {
        initializing: ["busy"],
        animating: ["busy"],
        dragging: ["interacting"]
      }
    }, a.each(["onResize", "onThrottledResize"], a.proxy(function (b, c) {
      this._handlers[c] = a.proxy(this[c], this);
    }, this)), a.each(e.Plugins, a.proxy(function (a, b) {
      this._plugins[a.charAt(0).toLowerCase() + a.slice(1)] = new b(this);
    }, this)), a.each(e.Workers, a.proxy(function (b, c) {
      this._pipe.push({
        filter: c.filter,
        run: a.proxy(c.run, this)
      });
    }, this)), this.setup(), this.initialize();
  }
  e.Defaults = {
    items: 3,
    loop: !1,
    center: !1,
    rewind: !1,
    mouseDrag: !0,
    touchDrag: !0,
    pullDrag: !0,
    freeDrag: !1,
    margin: 0,
    stagePadding: 0,
    merge: !1,
    mergeFit: !0,
    autoWidth: !1,
    startPosition: 0,
    rtl: !1,
    smartSpeed: 250,
    fluidSpeed: !1,
    dragEndSpeed: !1,
    responsive: {},
    responsiveRefreshRate: 200,
    responsiveBaseElement: b,
    fallbackEasing: "swing",
    info: !1,
    nestedItemSelector: !1,
    itemElement: "div",
    stageElement: "div",
    refreshClass: "owl-refresh",
    loadedClass: "owl-loaded",
    loadingClass: "owl-loading",
    rtlClass: "owl-rtl",
    responsiveClass: "owl-responsive",
    dragClass: "owl-drag",
    itemClass: "owl-item",
    stageClass: "owl-stage",
    stageOuterClass: "owl-stage-outer",
    grabClass: "owl-grab"
  }, e.Width = {
    Default: "default",
    Inner: "inner",
    Outer: "outer"
  }, e.Type = {
    Event: "event",
    State: "state"
  }, e.Plugins = {}, e.Workers = [{
    filter: ["width", "settings"],
    run: function run() {
      this._width = this.$element.width();
    }
  }, {
    filter: ["width", "items", "settings"],
    run: function run(a) {
      a.current = this._items &amp;&amp; this._items[this.relative(this._current)];
    }
  }, {
    filter: ["items", "settings"],
    run: function run() {
      this.$stage.children(".cloned").remove();
    }
  }, {
    filter: ["width", "items", "settings"],
    run: function run(a) {
      var b = this.settings.margin || "",
        c = !this.settings.autoWidth,
        d = this.settings.rtl,
        e = {
          width: "auto",
          "margin-left": d ? b : "",
          "margin-right": d ? "" : b
        };
      !c &amp;&amp; this.$stage.children().css(e), a.css = e;
    }
  }, {
    filter: ["width", "items", "settings"],
    run: function run(a) {
      var b = (this.width() / this.settings.items).toFixed(3) - this.settings.margin,
        c = null,
        d = this._items.length,
        e = !this.settings.autoWidth,
        f = [];
      for (a.items = {
        merge: !1,
        width: b
      }; d--;) c = this._mergers[d], c = this.settings.mergeFit &amp;&amp; Math.min(c, this.settings.items) || c, a.items.merge = c &gt; 1 || a.items.merge, f[d] = e ? b * c : this._items[d].width();
      this._widths = f;
    }
  }, {
    filter: ["items", "settings"],
    run: function run() {
      var b = [],
        c = this._items,
        d = this.settings,
        e = Math.max(2 * d.items, 4),
        f = 2 * Math.ceil(c.length / 2),
        g = d.loop &amp;&amp; c.length ? d.rewind ? e : Math.max(e, f) : 0,
        h = "",
        i = "";
      for (g /= 2; g--;) b.push(this.normalize(b.length / 2, !0)), h += c[b[b.length - 1]][0].outerHTML, b.push(this.normalize(c.length - 1 - (b.length - 1) / 2, !0)), i = c[b[b.length - 1]][0].outerHTML + i;
      this._clones = b, a(h).addClass("cloned").appendTo(this.$stage), a(i).addClass("cloned").prependTo(this.$stage);
    }
  }, {
    filter: ["width", "items", "settings"],
    run: function run() {
      for (var a = this.settings.rtl ? 1 : -1, b = this._clones.length + this._items.length, c = -1, d = 0, e = 0, f = []; ++c &lt; b;) d = f[c - 1] || 0, e = this._widths[this.relative(c)] + this.settings.margin, f.push(d + e * a);
      this._coordinates = f;
    }
  }, {
    filter: ["width", "items", "settings"],
    run: function run() {
      var a = this.settings.stagePadding,
        b = this._coordinates,
        c = {
          width: Math.ceil(Math.abs(b[b.length - 1])) + 2 * a,
          "padding-left": a || "",
          "padding-right": a || ""
        };
      this.$stage.css(c);
    }
  }, {
    filter: ["width", "items", "settings"],
    run: function run(a) {
      var b = this._coordinates.length,
        c = !this.settings.autoWidth,
        d = this.$stage.children();
      if (c &amp;&amp; a.items.merge) for (; b--;) a.css.width = this._widths[this.relative(b)], d.eq(b).css(a.css);else c &amp;&amp; (a.css.width = a.items.width, d.css(a.css));
    }
  }, {
    filter: ["items"],
    run: function run() {
      this._coordinates.length &lt; 1 &amp;&amp; this.$stage.removeAttr("style");
    }
  }, {
    filter: ["width", "items", "settings"],
    run: function run(a) {
      a.current = a.current ? this.$stage.children().index(a.current) : 0, a.current = Math.max(this.minimum(), Math.min(this.maximum(), a.current)), this.reset(a.current);
    }
  }, {
    filter: ["position"],
    run: function run() {
      this.animate(this.coordinates(this._current));
    }
  }, {
    filter: ["width", "position", "items", "settings"],
    run: function run() {
      var a,
        b,
        c,
        d,
        e = this.settings.rtl ? 1 : -1,
        f = 2 * this.settings.stagePadding,
        g = this.coordinates(this.current()) + f,
        h = g + this.width() * e,
        i = [];
      for (c = 0, d = this._coordinates.length; c &lt; d; c++) a = this._coordinates[c - 1] || 0, b = Math.abs(this._coordinates[c]) + f * e, (this.op(a, "&lt;=", g) &amp;&amp; this.op(a, "&gt;", h) || this.op(b, "&lt;", g) &amp;&amp; this.op(b, "&gt;", h)) &amp;&amp; i.push(c);
      this.$stage.children(".active").removeClass("active"), this.$stage.children(":eq(" + i.join("), :eq(") + ")").addClass("active"), this.settings.center &amp;&amp; (this.$stage.children(".center").removeClass("center"), this.$stage.children().eq(this.current()).addClass("center"));
    }
  }], e.prototype.initialize = function () {
    if (this.enter("initializing"), this.trigger("initialize"), this.$element.toggleClass(this.settings.rtlClass, this.settings.rtl), this.settings.autoWidth &amp;&amp; !this.is("pre-loading")) {
      var b, c, e;
      b = this.$element.find("img"), c = this.settings.nestedItemSelector ? "." + this.settings.nestedItemSelector : d, e = this.$element.children(c).width(), b.length &amp;&amp; e &lt;= 0 &amp;&amp; this.preloadAutoWidthImages(b);
    }
    this.$element.addClass(this.options.loadingClass), this.$stage = a("&lt;" + this.settings.stageElement + ' class="' + this.settings.stageClass + '"/&gt;').wrap('&lt;div class="' + this.settings.stageOuterClass + '"/&gt;'), this.$element.append(this.$stage.parent()), this.replace(this.$element.children().not(this.$stage.parent())), this.$element.is(":visible") ? this.refresh() : this.invalidate("width"), this.$element.removeClass(this.options.loadingClass).addClass(this.options.loadedClass), this.registerEventHandlers(), this.leave("initializing"), this.trigger("initialized");
  }, e.prototype.setup = function () {
    var b = this.viewport(),
      c = this.options.responsive,
      d = -1,
      e = null;
    c ? (a.each(c, function (a) {
      a &lt;= b &amp;&amp; a &gt; d &amp;&amp; (d = Number(a));
    }), e = a.extend({}, this.options, c[d]), "function" == typeof e.stagePadding &amp;&amp; (e.stagePadding = e.stagePadding()), delete e.responsive, e.responsiveClass &amp;&amp; this.$element.attr("class", this.$element.attr("class").replace(new RegExp("(" + this.options.responsiveClass + "-)\\S+\\s", "g"), "$1" + d))) : e = a.extend({}, this.options), this.trigger("change", {
      property: {
        name: "settings",
        value: e
      }
    }), this._breakpoint = d, this.settings = e, this.invalidate("settings"), this.trigger("changed", {
      property: {
        name: "settings",
        value: this.settings
      }
    });
  }, e.prototype.optionsLogic = function () {
    this.settings.autoWidth &amp;&amp; (this.settings.stagePadding = !1, this.settings.merge = !1);
  }, e.prototype.prepare = function (b) {
    var c = this.trigger("prepare", {
      content: b
    });
    return c.data || (c.data = a("&lt;" + this.settings.itemElement + "/&gt;").addClass(this.options.itemClass).append(b)), this.trigger("prepared", {
      content: c.data
    }), c.data;
  }, e.prototype.update = function () {
    for (var b = 0, c = this._pipe.length, d = a.proxy(function (a) {
        return this[a];
      }, this._invalidated), e = {}; b &lt; c;) (this._invalidated.all || a.grep(this._pipe[b].filter, d).length &gt; 0) &amp;&amp; this._pipe[b].run(e), b++;
    this._invalidated = {}, !this.is("valid") &amp;&amp; this.enter("valid");
  }, e.prototype.width = function (a) {
    switch (a = a || e.Width.Default) {
      case e.Width.Inner:
      case e.Width.Outer:
        return this._width;
      default:
        return this._width - 2 * this.settings.stagePadding + this.settings.margin;
    }
  }, e.prototype.refresh = function () {
    this.enter("refreshing"), this.trigger("refresh"), this.setup(), this.optionsLogic(), this.$element.addClass(this.options.refreshClass), this.update(), this.$element.removeClass(this.options.refreshClass), this.leave("refreshing"), this.trigger("refreshed");
  }, e.prototype.onThrottledResize = function () {
    b.clearTimeout(this.resizeTimer), this.resizeTimer = b.setTimeout(this._handlers.onResize, this.settings.responsiveRefreshRate);
  }, e.prototype.onResize = function () {
    return !!this._items.length &amp;&amp; this._width !== this.$element.width() &amp;&amp; !!this.$element.is(":visible") &amp;&amp; (this.enter("resizing"), this.trigger("resize").isDefaultPrevented() ? (this.leave("resizing"), !1) : (this.invalidate("width"), this.refresh(), this.leave("resizing"), void this.trigger("resized")));
  }, e.prototype.registerEventHandlers = function () {
    a.support.transition &amp;&amp; this.$stage.on(a.support.transition.end + ".owl.core", a.proxy(this.onTransitionEnd, this)), this.settings.responsive !== !1 &amp;&amp; this.on(b, "resize", this._handlers.onThrottledResize), this.settings.mouseDrag &amp;&amp; (this.$element.addClass(this.options.dragClass), this.$stage.on("mousedown.owl.core", a.proxy(this.onDragStart, this)), this.$stage.on("dragstart.owl.core selectstart.owl.core", function () {
      return !1;
    })), this.settings.touchDrag &amp;&amp; (this.$stage.on("touchstart.owl.core", a.proxy(this.onDragStart, this)), this.$stage.on("touchcancel.owl.core", a.proxy(this.onDragEnd, this)));
  }, e.prototype.onDragStart = function (b) {
    var d = null;
    3 !== b.which &amp;&amp; (a.support.transform ? (d = this.$stage.css("transform").replace(/.*\(|\)| /g, "").split(","), d = {
      x: d[16 === d.length ? 12 : 4],
      y: d[16 === d.length ? 13 : 5]
    }) : (d = this.$stage.position(), d = {
      x: this.settings.rtl ? d.left + this.$stage.width() - this.width() + this.settings.margin : d.left,
      y: d.top
    }), this.is("animating") &amp;&amp; (a.support.transform ? this.animate(d.x) : this.$stage.stop(), this.invalidate("position")), this.$element.toggleClass(this.options.grabClass, "mousedown" === b.type), this.speed(0), this._drag.time = new Date().getTime(), this._drag.target = a(b.target), this._drag.stage.start = d, this._drag.stage.current = d, this._drag.pointer = this.pointer(b), a(c).on("mouseup.owl.core touchend.owl.core", a.proxy(this.onDragEnd, this)), a(c).one("mousemove.owl.core touchmove.owl.core", a.proxy(function (b) {
      var d = this.difference(this._drag.pointer, this.pointer(b));
      a(c).on("mousemove.owl.core touchmove.owl.core", a.proxy(this.onDragMove, this)), Math.abs(d.x) &lt; Math.abs(d.y) &amp;&amp; this.is("valid") || (b.preventDefault(), this.enter("dragging"), this.trigger("drag"));
    }, this)));
  }, e.prototype.onDragMove = function (a) {
    var b = null,
      c = null,
      d = null,
      e = this.difference(this._drag.pointer, this.pointer(a)),
      f = this.difference(this._drag.stage.start, e);
    this.is("dragging") &amp;&amp; (a.preventDefault(), this.settings.loop ? (b = this.coordinates(this.minimum()), c = this.coordinates(this.maximum() + 1) - b, f.x = ((f.x - b) % c + c) % c + b) : (b = this.settings.rtl ? this.coordinates(this.maximum()) : this.coordinates(this.minimum()), c = this.settings.rtl ? this.coordinates(this.minimum()) : this.coordinates(this.maximum()), d = this.settings.pullDrag ? -1 * e.x / 5 : 0, f.x = Math.max(Math.min(f.x, b + d), c + d)), this._drag.stage.current = f, this.animate(f.x));
  }, e.prototype.onDragEnd = function (b) {
    var d = this.difference(this._drag.pointer, this.pointer(b)),
      e = this._drag.stage.current,
      f = d.x &gt; 0 ^ this.settings.rtl ? "left" : "right";
    a(c).off(".owl.core"), this.$element.removeClass(this.options.grabClass), (0 !== d.x &amp;&amp; this.is("dragging") || !this.is("valid")) &amp;&amp; (this.speed(this.settings.dragEndSpeed || this.settings.smartSpeed), this.current(this.closest(e.x, 0 !== d.x ? f : this._drag.direction)), this.invalidate("position"), this.update(), this._drag.direction = f, (Math.abs(d.x) &gt; 3 || new Date().getTime() - this._drag.time &gt; 300) &amp;&amp; this._drag.target.one("click.owl.core", function () {
      return !1;
    })), this.is("dragging") &amp;&amp; (this.leave("dragging"), this.trigger("dragged"));
  }, e.prototype.closest = function (b, c) {
    var d = -1,
      e = 30,
      f = this.width(),
      g = this.coordinates();
    return this.settings.freeDrag || a.each(g, a.proxy(function (a, h) {
      return "left" === c &amp;&amp; b &gt; h - e &amp;&amp; b &lt; h + e ? d = a : "right" === c &amp;&amp; b &gt; h - f - e &amp;&amp; b &lt; h - f + e ? d = a + 1 : this.op(b, "&lt;", h) &amp;&amp; this.op(b, "&gt;", g[a + 1] || h - f) &amp;&amp; (d = "left" === c ? a + 1 : a), d === -1;
    }, this)), this.settings.loop || (this.op(b, "&gt;", g[this.minimum()]) ? d = b = this.minimum() : this.op(b, "&lt;", g[this.maximum()]) &amp;&amp; (d = b = this.maximum())), d;
  }, e.prototype.animate = function (b) {
    var c = this.speed() &gt; 0;
    this.is("animating") &amp;&amp; this.onTransitionEnd(), c &amp;&amp; (this.enter("animating"), this.trigger("translate")), a.support.transform3d &amp;&amp; a.support.transition ? this.$stage.css({
      transform: "translate3d(" + b + "px,0px,0px)",
      transition: this.speed() / 1e3 + "s"
    }) : c ? this.$stage.animate({
      left: b + "px"
    }, this.speed(), this.settings.fallbackEasing, a.proxy(this.onTransitionEnd, this)) : this.$stage.css({
      left: b + "px"
    });
  }, e.prototype.is = function (a) {
    return this._states.current[a] &amp;&amp; this._states.current[a] &gt; 0;
  }, e.prototype.current = function (a) {
    if (a === d) return this._current;
    if (0 === this._items.length) return d;
    if (a = this.normalize(a), this._current !== a) {
      var b = this.trigger("change", {
        property: {
          name: "position",
          value: a
        }
      });
      b.data !== d &amp;&amp; (a = this.normalize(b.data)), this._current = a, this.invalidate("position"), this.trigger("changed", {
        property: {
          name: "position",
          value: this._current
        }
      });
    }
    return this._current;
  }, e.prototype.invalidate = function (b) {
    return "string" === a.type(b) &amp;&amp; (this._invalidated[b] = !0, this.is("valid") &amp;&amp; this.leave("valid")), a.map(this._invalidated, function (a, b) {
      return b;
    });
  }, e.prototype.reset = function (a) {
    a = this.normalize(a), a !== d &amp;&amp; (this._speed = 0, this._current = a, this.suppress(["translate", "translated"]), this.animate(this.coordinates(a)), this.release(["translate", "translated"]));
  }, e.prototype.normalize = function (a, b) {
    var c = this._items.length,
      e = b ? 0 : this._clones.length;
    return !this.isNumeric(a) || c &lt; 1 ? a = d : (a &lt; 0 || a &gt;= c + e) &amp;&amp; (a = ((a - e / 2) % c + c) % c + e / 2), a;
  }, e.prototype.relative = function (a) {
    return a -= this._clones.length / 2, this.normalize(a, !0);
  }, e.prototype.maximum = function (a) {
    var b,
      c,
      d,
      e = this.settings,
      f = this._coordinates.length;
    if (e.loop) f = this._clones.length / 2 + this._items.length - 1;else if (e.autoWidth || e.merge) {
      for (b = this._items.length, c = this._items[--b].width(), d = this.$element.width(); b-- &amp;&amp; (c += this._items[b].width() + this.settings.margin, !(c &gt; d)););
      f = b + 1;
    } else f = e.center ? this._items.length - 1 : this._items.length - e.items;
    return a &amp;&amp; (f -= this._clones.length / 2), Math.max(f, 0);
  }, e.prototype.minimum = function (a) {
    return a ? 0 : this._clones.length / 2;
  }, e.prototype.items = function (a) {
    return a === d ? this._items.slice() : (a = this.normalize(a, !0), this._items[a]);
  }, e.prototype.mergers = function (a) {
    return a === d ? this._mergers.slice() : (a = this.normalize(a, !0), this._mergers[a]);
  }, e.prototype.clones = function (b) {
    var c = this._clones.length / 2,
      e = c + this._items.length,
      f = function f(a) {
        return a % 2 === 0 ? e + a / 2 : c - (a + 1) / 2;
      };
    return b === d ? a.map(this._clones, function (a, b) {
      return f(b);
    }) : a.map(this._clones, function (a, c) {
      return a === b ? f(c) : null;
    });
  }, e.prototype.speed = function (a) {
    return a !== d &amp;&amp; (this._speed = a), this._speed;
  }, e.prototype.coordinates = function (b) {
    var c,
      e = 1,
      f = b - 1;
    return b === d ? a.map(this._coordinates, a.proxy(function (a, b) {
      return this.coordinates(b);
    }, this)) : (this.settings.center ? (this.settings.rtl &amp;&amp; (e = -1, f = b + 1), c = this._coordinates[b], c += (this.width() - c + (this._coordinates[f] || 0)) / 2 * e) : c = this._coordinates[f] || 0, c = Math.ceil(c));
  }, e.prototype.duration = function (a, b, c) {
    return 0 === c ? 0 : Math.min(Math.max(Math.abs(b - a), 1), 6) * Math.abs(c || this.settings.smartSpeed);
  }, e.prototype.to = function (a, b) {
    var c = this.current(),
      d = null,
      e = a - this.relative(c),
      f = (e &gt; 0) - (e &lt; 0),
      g = this._items.length,
      h = this.minimum(),
      i = this.maximum();
    this.settings.loop ? (!this.settings.rewind &amp;&amp; Math.abs(e) &gt; g / 2 &amp;&amp; (e += f * -1 * g), a = c + e, d = ((a - h) % g + g) % g + h, d !== a &amp;&amp; d - e &lt;= i &amp;&amp; d - e &gt; 0 &amp;&amp; (c = d - e, a = d, this.reset(c))) : this.settings.rewind ? (i += 1, a = (a % i + i) % i) : a = Math.max(h, Math.min(i, a)), this.speed(this.duration(c, a, b)), this.current(a), this.$element.is(":visible") &amp;&amp; this.update();
  }, e.prototype.next = function (a) {
    a = a || !1, this.to(this.relative(this.current()) + 1, a);
  }, e.prototype.prev = function (a) {
    a = a || !1, this.to(this.relative(this.current()) - 1, a);
  }, e.prototype.onTransitionEnd = function (a) {
    if (a !== d &amp;&amp; (a.stopPropagation(), (a.target || a.srcElement || a.originalTarget) !== this.$stage.get(0))) return !1;
    this.leave("animating"), this.trigger("translated");
  }, e.prototype.viewport = function () {
    var d;
    return this.options.responsiveBaseElement !== b ? d = a(this.options.responsiveBaseElement).width() : b.innerWidth ? d = b.innerWidth : c.documentElement &amp;&amp; c.documentElement.clientWidth ? d = c.documentElement.clientWidth : console.warn("Can not detect viewport width."), d;
  }, e.prototype.replace = function (b) {
    this.$stage.empty(), this._items = [], b &amp;&amp; (b = b instanceof jQuery ? b : a(b)), this.settings.nestedItemSelector &amp;&amp; (b = b.find("." + this.settings.nestedItemSelector)), b.filter(function () {
      return 1 === this.nodeType;
    }).each(a.proxy(function (a, b) {
      b = this.prepare(b), this.$stage.append(b), this._items.push(b), this._mergers.push(1 * b.find("[data-merge]").addBack("[data-merge]").attr("data-merge") || 1);
    }, this)), this.reset(this.isNumeric(this.settings.startPosition) ? this.settings.startPosition : 0), this.invalidate("items");
  }, e.prototype.add = function (b, c) {
    var e = this.relative(this._current);
    c = c === d ? this._items.length : this.normalize(c, !0), b = b instanceof jQuery ? b : a(b), this.trigger("add", {
      content: b,
      position: c
    }), b = this.prepare(b), 0 === this._items.length || c === this._items.length ? (0 === this._items.length &amp;&amp; this.$stage.append(b), 0 !== this._items.length &amp;&amp; this._items[c - 1].after(b), this._items.push(b), this._mergers.push(1 * b.find("[data-merge]").addBack("[data-merge]").attr("data-merge") || 1)) : (this._items[c].before(b), this._items.splice(c, 0, b), this._mergers.splice(c, 0, 1 * b.find("[data-merge]").addBack("[data-merge]").attr("data-merge") || 1)), this._items[e] &amp;&amp; this.reset(this._items[e].index()), this.invalidate("items"), this.trigger("added", {
      content: b,
      position: c
    });
  }, e.prototype.remove = function (a) {
    a = this.normalize(a, !0), a !== d &amp;&amp; (this.trigger("remove", {
      content: this._items[a],
      position: a
    }), this._items[a].remove(), this._items.splice(a, 1), this._mergers.splice(a, 1), this.invalidate("items"), this.trigger("removed", {
      content: null,
      position: a
    }));
  }, e.prototype.preloadAutoWidthImages = function (b) {
    b.each(a.proxy(function (b, c) {
      this.enter("pre-loading"), c = a(c), a(new Image()).one("load", a.proxy(function (a) {
        c.attr("src", a.target.src), c.css("opacity", 1), this.leave("pre-loading"), !this.is("pre-loading") &amp;&amp; !this.is("initializing") &amp;&amp; this.refresh();
      }, this)).attr("src", c.attr("src") || c.attr("data-src") || c.attr("data-src-retina"));
    }, this));
  }, e.prototype.destroy = function () {
    this.$element.off(".owl.core"), this.$stage.off(".owl.core"), a(c).off(".owl.core"), this.settings.responsive !== !1 &amp;&amp; (b.clearTimeout(this.resizeTimer), this.off(b, "resize", this._handlers.onThrottledResize));
    for (var d in this._plugins) this._plugins[d].destroy();
    this.$stage.children(".cloned").remove(), this.$stage.unwrap(), this.$stage.children().contents().unwrap(), this.$stage.children().unwrap(), this.$element.removeClass(this.options.refreshClass).removeClass(this.options.loadingClass).removeClass(this.options.loadedClass).removeClass(this.options.rtlClass).removeClass(this.options.dragClass).removeClass(this.options.grabClass).attr("class", this.$element.attr("class").replace(new RegExp(this.options.responsiveClass + "-\\S+\\s", "g"), "")).removeData("owl.carousel");
  }, e.prototype.op = function (a, b, c) {
    var d = this.settings.rtl;
    switch (b) {
      case "&lt;":
        return d ? a &gt; c : a &lt; c;
      case "&gt;":
        return d ? a &lt; c : a &gt; c;
      case "&gt;=":
        return d ? a &lt;= c : a &gt;= c;
      case "&lt;=":
        return d ? a &gt;= c : a &lt;= c;
    }
  }, e.prototype.on = function (a, b, c, d) {
    a.addEventListener ? a.addEventListener(b, c, d) : a.attachEvent &amp;&amp; a.attachEvent("on" + b, c);
  }, e.prototype.off = function (a, b, c, d) {
    a.removeEventListener ? a.removeEventListener(b, c, d) : a.detachEvent &amp;&amp; a.detachEvent("on" + b, c);
  }, e.prototype.trigger = function (b, c, d, f, g) {
    var h = {
        item: {
          count: this._items.length,
          index: this.current()
        }
      },
      i = a.camelCase(a.grep(["on", b, d], function (a) {
        return a;
      }).join("-").toLowerCase()),
      j = a.Event([b, "owl", d || "carousel"].join(".").toLowerCase(), a.extend({
        relatedTarget: this
      }, h, c));
    return this._supress[b] || (a.each(this._plugins, function (a, b) {
      b.onTrigger &amp;&amp; b.onTrigger(j);
    }), this.register({
      type: e.Type.Event,
      name: b
    }), this.$element.trigger(j), this.settings &amp;&amp; "function" == typeof this.settings[i] &amp;&amp; this.settings[i].call(this, j)), j;
  }, e.prototype.enter = function (b) {
    a.each([b].concat(this._states.tags[b] || []), a.proxy(function (a, b) {
      this._states.current[b] === d &amp;&amp; (this._states.current[b] = 0), this._states.current[b]++;
    }, this));
  }, e.prototype.leave = function (b) {
    a.each([b].concat(this._states.tags[b] || []), a.proxy(function (a, b) {
      this._states.current[b]--;
    }, this));
  }, e.prototype.register = function (b) {
    if (b.type === e.Type.Event) {
      if (a.event.special[b.name] || (a.event.special[b.name] = {}), !a.event.special[b.name].owl) {
        var c = a.event.special[b.name]._default;
        a.event.special[b.name]._default = function (a) {
          return !c || !c.apply || a.namespace &amp;&amp; a.namespace.indexOf("owl") !== -1 ? a.namespace &amp;&amp; a.namespace.indexOf("owl") &gt; -1 : c.apply(this, arguments);
        }, a.event.special[b.name].owl = !0;
      }
    } else b.type === e.Type.State &amp;&amp; (this._states.tags[b.name] ? this._states.tags[b.name] = this._states.tags[b.name].concat(b.tags) : this._states.tags[b.name] = b.tags, this._states.tags[b.name] = a.grep(this._states.tags[b.name], a.proxy(function (c, d) {
      return a.inArray(c, this._states.tags[b.name]) === d;
    }, this)));
  }, e.prototype.suppress = function (b) {
    a.each(b, a.proxy(function (a, b) {
      this._supress[b] = !0;
    }, this));
  }, e.prototype.release = function (b) {
    a.each(b, a.proxy(function (a, b) {
      delete this._supress[b];
    }, this));
  }, e.prototype.pointer = function (a) {
    var c = {
      x: null,
      y: null
    };
    return a = a.originalEvent || a || b.event, a = a.touches &amp;&amp; a.touches.length ? a.touches[0] : a.changedTouches &amp;&amp; a.changedTouches.length ? a.changedTouches[0] : a, a.pageX ? (c.x = a.pageX, c.y = a.pageY) : (c.x = a.clientX, c.y = a.clientY), c;
  }, e.prototype.isNumeric = function (a) {
    return !isNaN(parseFloat(a));
  }, e.prototype.difference = function (a, b) {
    return {
      x: a.x - b.x,
      y: a.y - b.y
    };
  }, a.fn.owlCarousel = function (b) {
    var c = Array.prototype.slice.call(arguments, 1);
    return this.each(function () {
      var d = a(this),
        f = d.data("owl.carousel");
      f || (f = new e(this, "object" == _typeof(b) &amp;&amp; b), d.data("owl.carousel", f), a.each(["next", "prev", "to", "destroy", "refresh", "replace", "add", "remove"], function (b, c) {
        f.register({
          type: e.Type.Event,
          name: c
        }), f.$element.on(c + ".owl.carousel.core", a.proxy(function (a) {
          a.namespace &amp;&amp; a.relatedTarget !== this &amp;&amp; (this.suppress([c]), f[c].apply(this, [].slice.call(arguments, 1)), this.release([c]));
        }, f));
      })), "string" == typeof b &amp;&amp; "_" !== b.charAt(0) &amp;&amp; f[b].apply(f, c);
    });
  }, a.fn.owlCarousel.Constructor = e;
}(window.Zepto || window.jQuery, window, document), function (a, b, c, d) {
  var e = function e(b) {
    this._core = b, this._interval = null, this._visible = null, this._handlers = {
      "initialized.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this._core.settings.autoRefresh &amp;&amp; this.watch();
      }, this)
    }, this._core.options = a.extend({}, e.Defaults, this._core.options), this._core.$element.on(this._handlers);
  };
  e.Defaults = {
    autoRefresh: !0,
    autoRefreshInterval: 500
  }, e.prototype.watch = function () {
    this._interval || (this._visible = this._core.$element.is(":visible"), this._interval = b.setInterval(a.proxy(this.refresh, this), this._core.settings.autoRefreshInterval));
  }, e.prototype.refresh = function () {
    this._core.$element.is(":visible") !== this._visible &amp;&amp; (this._visible = !this._visible, this._core.$element.toggleClass("owl-hidden", !this._visible), this._visible &amp;&amp; this._core.invalidate("width") &amp;&amp; this._core.refresh());
  }, e.prototype.destroy = function () {
    var a, c;
    b.clearInterval(this._interval);
    for (a in this._handlers) this._core.$element.off(a, this._handlers[a]);
    for (c in Object.getOwnPropertyNames(this)) "function" != typeof this[c] &amp;&amp; (this[c] = null);
  }, a.fn.owlCarousel.Constructor.Plugins.AutoRefresh = e;
}(window.Zepto || window.jQuery, window, document), function (a, b, c, d) {
  var e = function e(b) {
    this._core = b, this._loaded = [], this._handlers = {
      "initialized.owl.carousel change.owl.carousel resized.owl.carousel": a.proxy(function (b) {
        if (b.namespace &amp;&amp; this._core.settings &amp;&amp; this._core.settings.lazyLoad &amp;&amp; (b.property &amp;&amp; "position" == b.property.name || "initialized" == b.type)) for (var c = this._core.settings, e = c.center &amp;&amp; Math.ceil(c.items / 2) || c.items, f = c.center &amp;&amp; e * -1 || 0, g = (b.property &amp;&amp; b.property.value !== d ? b.property.value : this._core.current()) + f, h = this._core.clones().length, i = a.proxy(function (a, b) {
            this.load(b);
          }, this); f++ &lt; e;) this.load(h / 2 + this._core.relative(g)), h &amp;&amp; a.each(this._core.clones(this._core.relative(g)), i), g++;
      }, this)
    }, this._core.options = a.extend({}, e.Defaults, this._core.options), this._core.$element.on(this._handlers);
  };
  e.Defaults = {
    lazyLoad: !1
  }, e.prototype.load = function (c) {
    var d = this._core.$stage.children().eq(c),
      e = d &amp;&amp; d.find(".owl-lazy");
    !e || a.inArray(d.get(0), this._loaded) &gt; -1 || (e.each(a.proxy(function (c, d) {
      var e,
        f = a(d),
        g = b.devicePixelRatio &gt; 1 &amp;&amp; f.attr("data-src-retina") || f.attr("data-src");
      this._core.trigger("load", {
        element: f,
        url: g
      }, "lazy"), f.is("img") ? f.one("load.owl.lazy", a.proxy(function () {
        f.css("opacity", 1), this._core.trigger("loaded", {
          element: f,
          url: g
        }, "lazy");
      }, this)).attr("src", g) : (e = new Image(), e.onload = a.proxy(function () {
        f.css({
          "background-image": 'url("' + g + '")',
          opacity: "1"
        }), this._core.trigger("loaded", {
          element: f,
          url: g
        }, "lazy");
      }, this), e.src = g);
    }, this)), this._loaded.push(d.get(0)));
  }, e.prototype.destroy = function () {
    var a, b;
    for (a in this.handlers) this._core.$element.off(a, this.handlers[a]);
    for (b in Object.getOwnPropertyNames(this)) "function" != typeof this[b] &amp;&amp; (this[b] = null);
  }, a.fn.owlCarousel.Constructor.Plugins.Lazy = e;
}(window.Zepto || window.jQuery, window, document), function (a, b, c, d) {
  var e = function e(b) {
    this._core = b, this._handlers = {
      "initialized.owl.carousel refreshed.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this._core.settings.autoHeight &amp;&amp; this.update();
      }, this),
      "changed.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this._core.settings.autoHeight &amp;&amp; "position" == a.property.name &amp;&amp; this.update();
      }, this),
      "loaded.owl.lazy": a.proxy(function (a) {
        a.namespace &amp;&amp; this._core.settings.autoHeight &amp;&amp; a.element.closest("." + this._core.settings.itemClass).index() === this._core.current() &amp;&amp; this.update();
      }, this)
    }, this._core.options = a.extend({}, e.Defaults, this._core.options), this._core.$element.on(this._handlers);
  };
  e.Defaults = {
    autoHeight: !1,
    autoHeightClass: "owl-height"
  }, e.prototype.update = function () {
    var b = this._core._current,
      c = b + this._core.settings.items,
      d = this._core.$stage.children().toArray().slice(b, c),
      e = [],
      f = 0;
    a.each(d, function (b, c) {
      e.push(a(c).height());
    }), f = Math.max.apply(null, e), this._core.$stage.parent().height(f).addClass(this._core.settings.autoHeightClass);
  }, e.prototype.destroy = function () {
    var a, b;
    for (a in this._handlers) this._core.$element.off(a, this._handlers[a]);
    for (b in Object.getOwnPropertyNames(this)) "function" != typeof this[b] &amp;&amp; (this[b] = null);
  }, a.fn.owlCarousel.Constructor.Plugins.AutoHeight = e;
}(window.Zepto || window.jQuery, window, document), function (a, b, c, d) {
  var e = function e(b) {
    this._core = b, this._videos = {}, this._playing = null, this._handlers = {
      "initialized.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this._core.register({
          type: "state",
          name: "playing",
          tags: ["interacting"]
        });
      }, this),
      "resize.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this._core.settings.video &amp;&amp; this.isInFullScreen() &amp;&amp; a.preventDefault();
      }, this),
      "refreshed.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this._core.is("resizing") &amp;&amp; this._core.$stage.find(".cloned .owl-video-frame").remove();
      }, this),
      "changed.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; "position" === a.property.name &amp;&amp; this._playing &amp;&amp; this.stop();
      }, this),
      "prepared.owl.carousel": a.proxy(function (b) {
        if (b.namespace) {
          var c = a(b.content).find(".owl-video");
          c.length &amp;&amp; (c.css("display", "none"), this.fetch(c, a(b.content)));
        }
      }, this)
    }, this._core.options = a.extend({}, e.Defaults, this._core.options), this._core.$element.on(this._handlers), this._core.$element.on("click.owl.video", ".owl-video-play-icon", a.proxy(function (a) {
      this.play(a);
    }, this));
  };
  e.Defaults = {
    video: !1,
    videoHeight: !1,
    videoWidth: !1
  }, e.prototype.fetch = function (a, b) {
    var c = function () {
        return a.attr("data-vimeo-id") ? "vimeo" : a.attr("data-vzaar-id") ? "vzaar" : "youtube";
      }(),
      d = a.attr("data-vimeo-id") || a.attr("data-youtube-id") || a.attr("data-vzaar-id"),
      e = a.attr("data-width") || this._core.settings.videoWidth,
      f = a.attr("data-height") || this._core.settings.videoHeight,
      g = a.attr("href");
    if (!g) throw new Error("Missing video URL.");
    if (d = g.match(/(http:|https:|)\/\/(player.|www.|app.)?(vimeo\.com|youtu(be\.com|\.be|be\.googleapis\.com)|vzaar\.com)\/(video\/|videos\/|embed\/|channels\/.+\/|groups\/.+\/|watch\?v=|v\/)?([A-Za-z0-9._%-]*)(\&amp;\S+)?/), d[3].indexOf("youtu") &gt; -1) c = "youtube";else if (d[3].indexOf("vimeo") &gt; -1) c = "vimeo";else {
      if (!(d[3].indexOf("vzaar") &gt; -1)) throw new Error("Video URL not supported.");
      c = "vzaar";
    }
    d = d[6], this._videos[g] = {
      type: c,
      id: d,
      width: e,
      height: f
    }, b.attr("data-video", g), this.thumbnail(a, this._videos[g]);
  }, e.prototype.thumbnail = function (b, c) {
    var d,
      e,
      f,
      g = c.width &amp;&amp; c.height ? 'style="width:' + c.width + "px;height:" + c.height + 'px;"' : "",
      h = b.find("img"),
      i = "src",
      j = "",
      k = this._core.settings,
      l = function l(a) {
        e = '&lt;div class="owl-video-play-icon"&gt;&lt;/div&gt;', d = k.lazyLoad ? '&lt;div class="owl-video-tn ' + j + '" ' + i + '="' + a + '"&gt;&lt;/div&gt;' : '&lt;div class="owl-video-tn" style="opacity:1;background-image:url(' + a + ')"&gt;&lt;/div&gt;', b.after(d), b.after(e);
      };
    if (b.wrap('&lt;div class="owl-video-wrapper"' + g + "&gt;&lt;/div&gt;"), this._core.settings.lazyLoad &amp;&amp; (i = "data-src", j = "owl-lazy"), h.length) return l(h.attr(i)), h.remove(), !1;
    "youtube" === c.type ? (f = "//img.youtube.com/vi/" + c.id + "/hqdefault.jpg", l(f)) : "vimeo" === c.type ? a.ajax({
      type: "GET",
      url: "//vimeo.com/api/v2/video/" + c.id + ".json",
      jsonp: "callback",
      dataType: "jsonp",
      success: function success(a) {
        f = a[0].thumbnail_large, l(f);
      }
    }) : "vzaar" === c.type &amp;&amp; a.ajax({
      type: "GET",
      url: "//vzaar.com/api/videos/" + c.id + ".json",
      jsonp: "callback",
      dataType: "jsonp",
      success: function success(a) {
        f = a.framegrab_url, l(f);
      }
    });
  }, e.prototype.stop = function () {
    this._core.trigger("stop", null, "video"), this._playing.find(".owl-video-frame").remove(), this._playing.removeClass("owl-video-playing"), this._playing = null, this._core.leave("playing"), this._core.trigger("stopped", null, "video");
  }, e.prototype.play = function (b) {
    var c,
      d = a(b.target),
      e = d.closest("." + this._core.settings.itemClass),
      f = this._videos[e.attr("data-video")],
      g = f.width || "100%",
      h = f.height || this._core.$stage.height();
    this._playing || (this._core.enter("playing"), this._core.trigger("play", null, "video"), e = this._core.items(this._core.relative(e.index())), this._core.reset(e.index()), "youtube" === f.type ? c = '&lt;iframe width="' + g + '" height="' + h + '" src="//www.youtube.com/embed/' + f.id + "?autoplay=1&amp;rel=0&amp;v=" + f.id + '" frameborder="0" allowfullscreen&gt;&lt;/iframe&gt;' : "vimeo" === f.type ? c = '&lt;iframe src="//player.vimeo.com/video/' + f.id + '?autoplay=1" width="' + g + '" height="' + h + '" frameborder="0" webkitallowfullscreen mozallowfullscreen allowfullscreen&gt;&lt;/iframe&gt;' : "vzaar" === f.type &amp;&amp; (c = '&lt;iframe frameborder="0"height="' + h + '"width="' + g + '" allowfullscreen mozallowfullscreen webkitAllowFullScreen src="//view.vzaar.com/' + f.id + '/player?autoplay=true"&gt;&lt;/iframe&gt;'), a('&lt;div class="owl-video-frame"&gt;' + c + "&lt;/div&gt;").insertAfter(e.find(".owl-video")), this._playing = e.addClass("owl-video-playing"));
  }, e.prototype.isInFullScreen = function () {
    var b = c.fullscreenElement || c.mozFullScreenElement || c.webkitFullscreenElement;
    return b &amp;&amp; a(b).parent().hasClass("owl-video-frame");
  }, e.prototype.destroy = function () {
    var a, b;
    this._core.$element.off("click.owl.video");
    for (a in this._handlers) this._core.$element.off(a, this._handlers[a]);
    for (b in Object.getOwnPropertyNames(this)) "function" != typeof this[b] &amp;&amp; (this[b] = null);
  }, a.fn.owlCarousel.Constructor.Plugins.Video = e;
}(window.Zepto || window.jQuery, window, document), function (a, b, c, d) {
  var e = function e(b) {
    this.core = b, this.core.options = a.extend({}, e.Defaults, this.core.options), this.swapping = !0, this.previous = d, this.next = d, this.handlers = {
      "change.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; "position" == a.property.name &amp;&amp; (this.previous = this.core.current(), this.next = a.property.value);
      }, this),
      "drag.owl.carousel dragged.owl.carousel translated.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; (this.swapping = "translated" == a.type);
      }, this),
      "translate.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this.swapping &amp;&amp; (this.core.options.animateOut || this.core.options.animateIn) &amp;&amp; this.swap();
      }, this)
    }, this.core.$element.on(this.handlers);
  };
  e.Defaults = {
    animateOut: !1,
    animateIn: !1
  }, e.prototype.swap = function () {
    if (1 === this.core.settings.items &amp;&amp; a.support.animation &amp;&amp; a.support.transition) {
      this.core.speed(0);
      var b,
        c = a.proxy(this.clear, this),
        d = this.core.$stage.children().eq(this.previous),
        e = this.core.$stage.children().eq(this.next),
        f = this.core.settings.animateIn,
        g = this.core.settings.animateOut;
      this.core.current() !== this.previous &amp;&amp; (g &amp;&amp; (b = this.core.coordinates(this.previous) - this.core.coordinates(this.next), d.one(a.support.animation.end, c).css({
        left: b + "px"
      }).addClass("animated owl-animated-out").addClass(g)), f &amp;&amp; e.one(a.support.animation.end, c).addClass("animated owl-animated-in").addClass(f));
    }
  }, e.prototype.clear = function (b) {
    a(b.target).css({
      left: ""
    }).removeClass("animated owl-animated-out owl-animated-in").removeClass(this.core.settings.animateIn).removeClass(this.core.settings.animateOut), this.core.onTransitionEnd();
  }, e.prototype.destroy = function () {
    var a, b;
    for (a in this.handlers) this.core.$element.off(a, this.handlers[a]);
    for (b in Object.getOwnPropertyNames(this)) "function" != typeof this[b] &amp;&amp; (this[b] = null);
  }, a.fn.owlCarousel.Constructor.Plugins.Animate = e;
}(window.Zepto || window.jQuery, window, document), function (a, b, c, d) {
  var e = function e(b) {
    this._core = b, this._timeout = null, this._paused = !1, this._handlers = {
      "changed.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; "settings" === a.property.name ? this._core.settings.autoplay ? this.play() : this.stop() : a.namespace &amp;&amp; "position" === a.property.name &amp;&amp; this._core.settings.autoplay &amp;&amp; this._setAutoPlayInterval();
      }, this),
      "initialized.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this._core.settings.autoplay &amp;&amp; this.play();
      }, this),
      "play.owl.autoplay": a.proxy(function (a, b, c) {
        a.namespace &amp;&amp; this.play(b, c);
      }, this),
      "stop.owl.autoplay": a.proxy(function (a) {
        a.namespace &amp;&amp; this.stop();
      }, this),
      "mouseover.owl.autoplay": a.proxy(function () {
        this._core.settings.autoplayHoverPause &amp;&amp; this._core.is("rotating") &amp;&amp; this.pause();
      }, this),
      "mouseleave.owl.autoplay": a.proxy(function () {
        this._core.settings.autoplayHoverPause &amp;&amp; this._core.is("rotating") &amp;&amp; this.play();
      }, this),
      "touchstart.owl.core": a.proxy(function () {
        this._core.settings.autoplayHoverPause &amp;&amp; this._core.is("rotating") &amp;&amp; this.pause();
      }, this),
      "touchend.owl.core": a.proxy(function () {
        this._core.settings.autoplayHoverPause &amp;&amp; this.play();
      }, this)
    }, this._core.$element.on(this._handlers), this._core.options = a.extend({}, e.Defaults, this._core.options);
  };
  e.Defaults = {
    autoplay: !1,
    autoplayTimeout: 5e3,
    autoplayHoverPause: !1,
    autoplaySpeed: !1
  }, e.prototype.play = function (a, b) {
    this._paused = !1, this._core.is("rotating") || (this._core.enter("rotating"), this._setAutoPlayInterval());
  }, e.prototype._getNextTimeout = function (d, e) {
    return this._timeout &amp;&amp; b.clearTimeout(this._timeout), b.setTimeout(a.proxy(function () {
      this._paused || this._core.is("busy") || this._core.is("interacting") || c.hidden || this._core.next(e || this._core.settings.autoplaySpeed);
    }, this), d || this._core.settings.autoplayTimeout);
  }, e.prototype._setAutoPlayInterval = function () {
    this._timeout = this._getNextTimeout();
  }, e.prototype.stop = function () {
    this._core.is("rotating") &amp;&amp; (b.clearTimeout(this._timeout), this._core.leave("rotating"));
  }, e.prototype.pause = function () {
    this._core.is("rotating") &amp;&amp; (this._paused = !0);
  }, e.prototype.destroy = function () {
    var a, b;
    this.stop();
    for (a in this._handlers) this._core.$element.off(a, this._handlers[a]);
    for (b in Object.getOwnPropertyNames(this)) "function" != typeof this[b] &amp;&amp; (this[b] = null);
  }, a.fn.owlCarousel.Constructor.Plugins.autoplay = e;
}(window.Zepto || window.jQuery, window, document), function (a, b, c, d) {
  "use strict";

  var e = function e(b) {
    this._core = b, this._initialized = !1, this._pages = [], this._controls = {}, this._templates = [], this.$element = this._core.$element, this._overrides = {
      next: this._core.next,
      prev: this._core.prev,
      to: this._core.to
    }, this._handlers = {
      "prepared.owl.carousel": a.proxy(function (b) {
        b.namespace &amp;&amp; this._core.settings.dotsData &amp;&amp; this._templates.push('&lt;div class="' + this._core.settings.dotClass + '"&gt;' + a(b.content).find("[data-dot]").addBack("[data-dot]").attr("data-dot") + "&lt;/div&gt;");
      }, this),
      "added.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this._core.settings.dotsData &amp;&amp; this._templates.splice(a.position, 0, this._templates.pop());
      }, this),
      "remove.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this._core.settings.dotsData &amp;&amp; this._templates.splice(a.position, 1);
      }, this),
      "changed.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; "position" == a.property.name &amp;&amp; this.draw();
      }, this),
      "initialized.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; !this._initialized &amp;&amp; (this._core.trigger("initialize", null, "navigation"), this.initialize(), this.update(), this.draw(), this._initialized = !0, this._core.trigger("initialized", null, "navigation"));
      }, this),
      "refreshed.owl.carousel": a.proxy(function (a) {
        a.namespace &amp;&amp; this._initialized &amp;&amp; (this._core.trigger("refresh", null, "navigation"), this.update(), this.draw(), this._core.trigger("refreshed", null, "navigation"));
      }, this)
    }, this._core.options = a.extend({}, e.Defaults, this._core.options), this.$element.on(this._handlers);
  };
  e.Defaults = {
    nav: !1,
    navText: ["prev", "next"],
    navSpeed: !1,
    navElement: "div",
    navContainer: !1,
    navContainerClass: "owl-nav",
    navClass: ["owl-prev", "owl-next"],
    slideBy: 1,
    dotClass: "owl-dot",
    dotsClass: "owl-dots",
    dots: !0,
    dotsEach: !1,
    dotsData: !1,
    dotsSpeed: !1,
    dotsContainer: !1
  }, e.prototype.initialize = function () {
    var b,
      c = this._core.settings;
    this._controls.$relative = (c.navContainer ? a(c.navContainer) : a("&lt;div&gt;").addClass(c.navContainerClass).appendTo(this.$element)).addClass("disabled"), this._controls.$previous = a("&lt;" + c.navElement + "&gt;").addClass(c.navClass[0]).html(c.navText[0]).prependTo(this._controls.$relative).on("click", a.proxy(function (a) {
      this.prev(c.navSpeed);
    }, this)), this._controls.$next = a("&lt;" + c.navElement + "&gt;").addClass(c.navClass[1]).html(c.navText[1]).appendTo(this._controls.$relative).on("click", a.proxy(function (a) {
      this.next(c.navSpeed);
    }, this)), c.dotsData || (this._templates = [a("&lt;div&gt;").addClass(c.dotClass).append(a("&lt;span&gt;")).prop("outerHTML")]), this._controls.$absolute = (c.dotsContainer ? a(c.dotsContainer) : a("&lt;div&gt;").addClass(c.dotsClass).appendTo(this.$element)).addClass("disabled"), this._controls.$absolute.on("click", "div", a.proxy(function (b) {
      var d = a(b.target).parent().is(this._controls.$absolute) ? a(b.target).index() : a(b.target).parent().index();
      b.preventDefault(), this.to(d, c.dotsSpeed);
    }, this));
    for (b in this._overrides) this._core[b] = a.proxy(this[b], this);
  }, e.prototype.destroy = function () {
    var a, b, c, d;
    for (a in this._handlers) this.$element.off(a, this._handlers[a]);
    for (b in this._controls) this._controls[b].remove();
    for (d in this.overides) this._core[d] = this._overrides[d];
    for (c in Object.getOwnPropertyNames(this)) "function" != typeof this[c] &amp;&amp; (this[c] = null);
  }, e.prototype.update = function () {
    var a,
      b,
      c,
      d = this._core.clones().length / 2,
      e = d + this._core.items().length,
      f = this._core.maximum(!0),
      g = this._core.settings,
      h = g.center || g.autoWidth || g.dotsData ? 1 : g.dotsEach || g.items;
    if ("page" !== g.slideBy &amp;&amp; (g.slideBy = Math.min(g.slideBy, g.items)), g.dots || "page" == g.slideBy) for (this._pages = [], a = d, b = 0, c = 0; a &lt; e; a++) {
      if (b &gt;= h || 0 === b) {
        if (this._pages.push({
          start: Math.min(f, a - d),
          end: a - d + h - 1
        }), Math.min(f, a - d) === f) break;
        b = 0, ++c;
      }
      b += this._core.mergers(this._core.relative(a));
    }
  }, e.prototype.draw = function () {
    var b,
      c = this._core.settings,
      d = this._core.items().length &lt;= c.items,
      e = this._core.relative(this._core.current()),
      f = c.loop || c.rewind;
    this._controls.$relative.toggleClass("disabled", !c.nav || d), c.nav &amp;&amp; (this._controls.$previous.toggleClass("disabled", !f &amp;&amp; e &lt;= this._core.minimum(!0)), this._controls.$next.toggleClass("disabled", !f &amp;&amp; e &gt;= this._core.maximum(!0))), this._controls.$absolute.toggleClass("disabled", !c.dots || d), c.dots &amp;&amp; (b = this._pages.length - this._controls.$absolute.children().length, c.dotsData &amp;&amp; 0 !== b ? this._controls.$absolute.html(this._templates.join("")) : b &gt; 0 ? this._controls.$absolute.append(new Array(b + 1).join(this._templates[0])) : b &lt; 0 &amp;&amp; this._controls.$absolute.children().slice(b).remove(), this._controls.$absolute.find(".active").removeClass("active"), this._controls.$absolute.children().eq(a.inArray(this.current(), this._pages)).addClass("active"));
  }, e.prototype.onTrigger = function (b) {
    var c = this._core.settings;
    b.page = {
      index: a.inArray(this.current(), this._pages),
      count: this._pages.length,
      size: c &amp;&amp; (c.center || c.autoWidth || c.dotsData ? 1 : c.dotsEach || c.items)
    };
  }, e.prototype.current = function () {
    var b = this._core.relative(this._core.current());
    return a.grep(this._pages, a.proxy(function (a, c) {
      return a.start &lt;= b &amp;&amp; a.end &gt;= b;
    }, this)).pop();
  }, e.prototype.getPosition = function (b) {
    var c,
      d,
      e = this._core.settings;
    return "page" == e.slideBy ? (c = a.inArray(this.current(), this._pages), d = this._pages.length, b ? ++c : --c, c = this._pages[(c % d + d) % d].start) : (c = this._core.relative(this._core.current()), d = this._core.items().length, b ? c += e.slideBy : c -= e.slideBy), c;
  }, e.prototype.next = function (b) {
    a.proxy(this._overrides.to, this._core)(this.getPosition(!0), b);
  }, e.prototype.prev = function (b) {
    a.proxy(this._overrides.to, this._core)(this.getPosition(!1), b);
  }, e.prototype.to = function (b, c, d) {
    var e;
    !d &amp;&amp; this._pages.length ? (e = this._pages.length, a.proxy(this._overrides.to, this._core)(this._pages[(b % e + e) % e].start, c)) : a.proxy(this._overrides.to, this._core)(b, c);
  }, a.fn.owlCarousel.Constructor.Plugins.Navigation = e;
}(window.Zepto || window.jQuery, window, document), function (a, b, c, d) {
  "use strict";

  var e = function e(c) {
    this._core = c, this._hashes = {}, this.$element = this._core.$element, this._handlers = {
      "initialized.owl.carousel": a.proxy(function (c) {
        c.namespace &amp;&amp; "URLHash" === this._core.settings.startPosition &amp;&amp; a(b).trigger("hashchange.owl.navigation");
      }, this),
      "prepared.owl.carousel": a.proxy(function (b) {
        if (b.namespace) {
          var c = a(b.content).find("[data-hash]").addBack("[data-hash]").attr("data-hash");
          if (!c) return;
          this._hashes[c] = b.content;
        }
      }, this),
      "changed.owl.carousel": a.proxy(function (c) {
        if (c.namespace &amp;&amp; "position" === c.property.name) {
          var d = this._core.items(this._core.relative(this._core.current())),
            e = a.map(this._hashes, function (a, b) {
              return a === d ? b : null;
            }).join();
          if (!e || b.location.hash.slice(1) === e) return;
          b.location.hash = e;
        }
      }, this)
    }, this._core.options = a.extend({}, e.Defaults, this._core.options), this.$element.on(this._handlers), a(b).on("hashchange.owl.navigation", a.proxy(function (a) {
      var c = b.location.hash.substring(1),
        e = this._core.$stage.children(),
        f = this._hashes[c] &amp;&amp; e.index(this._hashes[c]);
      f !== d &amp;&amp; f !== this._core.current() &amp;&amp; this._core.to(this._core.relative(f), !1, !0);
    }, this));
  };
  e.Defaults = {
    URLhashListener: !1
  }, e.prototype.destroy = function () {
    var c, d;
    a(b).off("hashchange.owl.navigation");
    for (c in this._handlers) this._core.$element.off(c, this._handlers[c]);
    for (d in Object.getOwnPropertyNames(this)) "function" != typeof this[d] &amp;&amp; (this[d] = null);
  }, a.fn.owlCarousel.Constructor.Plugins.Hash = e;
}(window.Zepto || window.jQuery, window, document), function (a, b, c, d) {
  function e(b, c) {
    var e = !1,
      f = b.charAt(0).toUpperCase() + b.slice(1);
    return a.each((b + " " + h.join(f + " ") + f).split(" "), function (a, b) {
      if (g[b] !== d) return e = !c || b, !1;
    }), e;
  }
  function f(a) {
    return e(a, !0);
  }
  var g = a("&lt;support&gt;").get(0).style,
    h = "Webkit Moz O ms".split(" "),
    i = {
      transition: {
        end: {
          WebkitTransition: "webkitTransitionEnd",
          MozTransition: "transitionend",
          OTransition: "oTransitionEnd",
          transition: "transitionend"
        }
      },
      animation: {
        end: {
          WebkitAnimation: "webkitAnimationEnd",
          MozAnimation: "animationend",
          OAnimation: "oAnimationEnd",
          animation: "animationend"
        }
      }
    },
    j = {
      csstransforms: function csstransforms() {
        return !!e("transform");
      },
      csstransforms3d: function csstransforms3d() {
        return !!e("perspective");
      },
      csstransitions: function csstransitions() {
        return !!e("transition");
      },
      cssanimations: function cssanimations() {
        return !!e("animation");
      }
    };
  j.csstransitions() &amp;&amp; (a.support.transition = new String(f("transition")), a.support.transition.end = i.transition.end[a.support.transition]), j.cssanimations() &amp;&amp; (a.support.animation = new String(f("animation")), a.support.animation.end = i.animation.end[a.support.animation]), j.csstransforms() &amp;&amp; (a.support.transform = new String(f("transform")), a.support.transform3d = j.csstransforms3d());
}(window.Zepto || window.jQuery, window, document);

/***/ }),

/***/ "./resources/_Theme/assets/js/parallax.min.js":
/*!****************************************************!*\
  !*** ./resources/_Theme/assets/js/parallax.min.js ***!
  \****************************************************/
/***/ (() =&gt; {

/**
 * jQuery || Zepto Parallax Plugin
 * @author Matthew Wagerfield - @wagerfield
 * @description Creates a parallax effect between an array of layers,
 *              driving the motion from the gyroscope output of a smartdevice.
 *              If no gyroscope is available, the cursor position is used.
 */
;
(function ($, window, document, undefined) {
  // Strict Mode
  'use strict';

  // Constants
  var NAME = 'parallax';
  var MAGIC_NUMBER = 30;
  var DEFAULTS = {
    relativeInput: false,
    clipRelativeInput: false,
    calibrationThreshold: 100,
    calibrationDelay: 500,
    supportDelay: 500,
    calibrateX: false,
    calibrateY: true,
    invertX: true,
    invertY: true,
    limitX: false,
    limitY: false,
    scalarX: 10.0,
    scalarY: 10.0,
    frictionX: 0.1,
    frictionY: 0.1,
    originX: 0.5,
    originY: 0.5,
    pointerEvents: true,
    precision: 1
  };
  function Plugin(element, options) {
    // DOM Context
    this.element = element;

    // Selections
    this.$context = $(element).data('api', this);
    this.$layers = this.$context.find('.layer');

    // Data Extraction
    var data = {
      calibrateX: this.$context.data('calibrate-x') || null,
      calibrateY: this.$context.data('calibrate-y') || null,
      invertX: this.$context.data('invert-x') || null,
      invertY: this.$context.data('invert-y') || null,
      limitX: parseFloat(this.$context.data('limit-x')) || null,
      limitY: parseFloat(this.$context.data('limit-y')) || null,
      scalarX: parseFloat(this.$context.data('scalar-x')) || null,
      scalarY: parseFloat(this.$context.data('scalar-y')) || null,
      frictionX: parseFloat(this.$context.data('friction-x')) || null,
      frictionY: parseFloat(this.$context.data('friction-y')) || null,
      originX: parseFloat(this.$context.data('origin-x')) || null,
      originY: parseFloat(this.$context.data('origin-y')) || null,
      pointerEvents: this.$context.data('pointer-events') || true,
      precision: parseFloat(this.$context.data('precision')) || 1
    };

    // Delete Null Data Values
    for (var key in data) {
      if (data[key] === null) delete data[key];
    }

    // Compose Settings Object
    $.extend(this, DEFAULTS, options, data);

    // States
    this.calibrationTimer = null;
    this.calibrationFlag = true;
    this.enabled = false;
    this.depthsX = [];
    this.depthsY = [];
    this.raf = null;

    // Element Bounds
    this.bounds = null;
    this.ex = 0;
    this.ey = 0;
    this.ew = 0;
    this.eh = 0;

    // Element Center
    this.ecx = 0;
    this.ecy = 0;

    // Element Range
    this.erx = 0;
    this.ery = 0;

    // Calibration
    this.cx = 0;
    this.cy = 0;

    // Input
    this.ix = 0;
    this.iy = 0;

    // Motion
    this.mx = 0;
    this.my = 0;

    // Velocity
    this.vx = 0;
    this.vy = 0;

    // Callbacks
    this.onMouseMove = this.onMouseMove.bind(this);
    this.onDeviceOrientation = this.onDeviceOrientation.bind(this);
    this.onOrientationTimer = this.onOrientationTimer.bind(this);
    this.onCalibrationTimer = this.onCalibrationTimer.bind(this);
    this.onAnimationFrame = this.onAnimationFrame.bind(this);
    this.onWindowResize = this.onWindowResize.bind(this);

    // Initialise
    this.initialise();
  }
  Plugin.prototype.transformSupport = function (value) {
    var element = document.createElement('div');
    var propertySupport = false;
    var propertyValue = null;
    var featureSupport = false;
    var cssProperty = null;
    var jsProperty = null;
    for (var i = 0, l = this.vendors.length; i &lt; l; i++) {
      if (this.vendors[i] !== null) {
        cssProperty = this.vendors[i][0] + 'transform';
        jsProperty = this.vendors[i][1] + 'Transform';
      } else {
        cssProperty = 'transform';
        jsProperty = 'transform';
      }
      if (element.style[jsProperty] !== undefined) {
        propertySupport = true;
        break;
      }
    }
    switch (value) {
      case '2D':
        featureSupport = propertySupport;
        break;
      case '3D':
        if (propertySupport) {
          var body = document.body || document.createElement('body');
          var documentElement = document.documentElement;
          var documentOverflow = documentElement.style.overflow;
          var isCreatedBody = false;
          if (!document.body) {
            isCreatedBody = true;
            documentElement.style.overflow = 'hidden';
            documentElement.appendChild(body);
            body.style.overflow = 'hidden';
            body.style.background = '';
          }
          body.appendChild(element);
          element.style[jsProperty] = 'translate3d(1px,1px,1px)';
          propertyValue = window.getComputedStyle(element).getPropertyValue(cssProperty);
          featureSupport = propertyValue !== undefined &amp;&amp; propertyValue.length &gt; 0 &amp;&amp; propertyValue !== "none";
          documentElement.style.overflow = documentOverflow;
          body.removeChild(element);
          if (isCreatedBody) {
            body.removeAttribute('style');
            body.parentNode.removeChild(body);
          }
        }
        break;
    }
    return featureSupport;
  };
  Plugin.prototype.ww = null;
  Plugin.prototype.wh = null;
  Plugin.prototype.wcx = null;
  Plugin.prototype.wcy = null;
  Plugin.prototype.wrx = null;
  Plugin.prototype.wry = null;
  Plugin.prototype.portrait = null;
  Plugin.prototype.desktop = !navigator.userAgent.match(/(iPhone|iPod|iPad|Android|BlackBerry|BB10|mobi|tablet|opera mini|nexus 7)/i);
  Plugin.prototype.vendors = [null, ['-webkit-', 'webkit'], ['-moz-', 'Moz'], ['-o-', 'O'], ['-ms-', 'ms']];
  Plugin.prototype.motionSupport = !!window.DeviceMotionEvent;
  Plugin.prototype.orientationSupport = !!window.DeviceOrientationEvent;
  Plugin.prototype.orientationStatus = 0;
  Plugin.prototype.transform2DSupport = Plugin.prototype.transformSupport('2D');
  Plugin.prototype.transform3DSupport = Plugin.prototype.transformSupport('3D');
  Plugin.prototype.propertyCache = {};
  Plugin.prototype.initialise = function () {
    // Configure Styles
    if (this.$context.css('position') === 'static') {
      this.$context.css({
        position: 'relative'
      });
    }

    // Pointer events
    if (!this.pointerEvents) {
      this.$context.css({
        pointerEvents: 'none'
      });
    }

    // Hardware Accelerate Context
    this.accelerate(this.$context);

    // Setup
    this.updateLayers();
    this.updateDimensions();
    this.enable();
    this.queueCalibration(this.calibrationDelay);
  };
  Plugin.prototype.updateLayers = function () {
    // Cache Layer Elements
    this.$layers = this.$context.find('.layer');
    this.depthsX = [];
    this.depthsY = [];

    // Configure Layer Styles
    this.$layers.css({
      position: 'absolute',
      display: 'block',
      left: 0,
      top: 0
    });
    this.$layers.first().css({
      position: 'relative'
    });

    // Hardware Accelerate Layers
    this.accelerate(this.$layers);

    // Cache Depths
    this.$layers.each($.proxy(function (index, element) {
      //Graceful fallback on depth if depth-x or depth-y is absent
      var depth = $(element).data('depth') || 0;
      this.depthsX.push($(element).data('depth-x') || depth);
      this.depthsY.push($(element).data('depth-y') || depth);
    }, this));
  };
  Plugin.prototype.updateDimensions = function () {
    this.ww = window.innerWidth;
    this.wh = window.innerHeight;
    this.wcx = this.ww * this.originX;
    this.wcy = this.wh * this.originY;
    this.wrx = Math.max(this.wcx, this.ww - this.wcx);
    this.wry = Math.max(this.wcy, this.wh - this.wcy);
  };
  Plugin.prototype.updateBounds = function () {
    this.bounds = this.element.getBoundingClientRect();
    this.ex = this.bounds.left;
    this.ey = this.bounds.top;
    this.ew = this.bounds.width;
    this.eh = this.bounds.height;
    this.ecx = this.ew * this.originX;
    this.ecy = this.eh * this.originY;
    this.erx = Math.max(this.ecx, this.ew - this.ecx);
    this.ery = Math.max(this.ecy, this.eh - this.ecy);
  };
  Plugin.prototype.queueCalibration = function (delay) {
    clearTimeout(this.calibrationTimer);
    this.calibrationTimer = setTimeout(this.onCalibrationTimer, delay);
  };
  Plugin.prototype.enable = function () {
    if (!this.enabled) {
      this.enabled = true;
      if (this.orientationSupport) {
        this.portrait = null;
        window.addEventListener('deviceorientation', this.onDeviceOrientation);
        setTimeout(this.onOrientationTimer, this.supportDelay);
      } else {
        this.cx = 0;
        this.cy = 0;
        this.portrait = false;
        window.addEventListener('mousemove', this.onMouseMove);
      }
      window.addEventListener('resize', this.onWindowResize);
      this.raf = requestAnimationFrame(this.onAnimationFrame);
    }
  };
  Plugin.prototype.disable = function () {
    if (this.enabled) {
      this.enabled = false;
      if (this.orientationSupport) {
        window.removeEventListener('deviceorientation', this.onDeviceOrientation);
      } else {
        window.removeEventListener('mousemove', this.onMouseMove);
      }
      window.removeEventListener('resize', this.onWindowResize);
      cancelAnimationFrame(this.raf);
    }
  };
  Plugin.prototype.calibrate = function (x, y) {
    this.calibrateX = x === undefined ? this.calibrateX : x;
    this.calibrateY = y === undefined ? this.calibrateY : y;
  };
  Plugin.prototype.invert = function (x, y) {
    this.invertX = x === undefined ? this.invertX : x;
    this.invertY = y === undefined ? this.invertY : y;
  };
  Plugin.prototype.friction = function (x, y) {
    this.frictionX = x === undefined ? this.frictionX : x;
    this.frictionY = y === undefined ? this.frictionY : y;
  };
  Plugin.prototype.scalar = function (x, y) {
    this.scalarX = x === undefined ? this.scalarX : x;
    this.scalarY = y === undefined ? this.scalarY : y;
  };
  Plugin.prototype.limit = function (x, y) {
    this.limitX = x === undefined ? this.limitX : x;
    this.limitY = y === undefined ? this.limitY : y;
  };
  Plugin.prototype.origin = function (x, y) {
    this.originX = x === undefined ? this.originX : x;
    this.originY = y === undefined ? this.originY : y;
  };
  Plugin.prototype.clamp = function (value, min, max) {
    value = Math.max(value, min);
    value = Math.min(value, max);
    return value;
  };
  Plugin.prototype.css = function (element, property, value) {
    var jsProperty = this.propertyCache[property];
    if (!jsProperty) {
      for (var i = 0, l = this.vendors.length; i &lt; l; i++) {
        if (this.vendors[i] !== null) {
          jsProperty = $.camelCase(this.vendors[i][1] + '-' + property);
        } else {
          jsProperty = property;
        }
        if (element.style[jsProperty] !== undefined) {
          this.propertyCache[property] = jsProperty;
          break;
        }
      }
    }
    element.style[jsProperty] = value;
  };
  Plugin.prototype.accelerate = function ($element) {
    for (var i = 0, l = $element.length; i &lt; l; i++) {
      var element = $element[i];
      this.css(element, 'transform', 'translate3d(0,0,0)');
      this.css(element, 'transform-style', 'preserve-3d');
      this.css(element, 'backface-visibility', 'hidden');
    }
  };
  Plugin.prototype.setPosition = function (element, x, y) {
    x += 'px';
    y += 'px';
    if (this.transform3DSupport) {
      this.css(element, 'transform', 'translate3d(' + x + ',' + y + ',0)');
    } else if (this.transform2DSupport) {
      this.css(element, 'transform', 'translate(' + x + ',' + y + ')');
    } else {
      element.style.left = x;
      element.style.top = y;
    }
  };
  Plugin.prototype.onOrientationTimer = function (event) {
    if (this.orientationSupport &amp;&amp; this.orientationStatus === 0) {
      this.disable();
      this.orientationSupport = false;
      this.enable();
    }
  };
  Plugin.prototype.onCalibrationTimer = function (event) {
    this.calibrationFlag = true;
  };
  Plugin.prototype.onWindowResize = function (event) {
    this.updateDimensions();
  };
  Plugin.prototype.onAnimationFrame = function () {
    this.updateBounds();
    var dx = this.ix - this.cx;
    var dy = this.iy - this.cy;
    if (Math.abs(dx) &gt; this.calibrationThreshold || Math.abs(dy) &gt; this.calibrationThreshold) {
      this.queueCalibration(0);
    }
    if (this.portrait) {
      this.mx = this.calibrateX ? dy : this.iy;
      this.my = this.calibrateY ? dx : this.ix;
    } else {
      this.mx = this.calibrateX ? dx : this.ix;
      this.my = this.calibrateY ? dy : this.iy;
    }
    this.mx *= this.ew * (this.scalarX / 100);
    this.my *= this.eh * (this.scalarY / 100);
    if (!isNaN(parseFloat(this.limitX))) {
      this.mx = this.clamp(this.mx, -this.limitX, this.limitX);
    }
    if (!isNaN(parseFloat(this.limitY))) {
      this.my = this.clamp(this.my, -this.limitY, this.limitY);
    }
    this.vx += (this.mx - this.vx) * this.frictionX;
    this.vy += (this.my - this.vy) * this.frictionY;
    for (var i = 0, l = this.$layers.length; i &lt; l; i++) {
      var depthX = this.depthsX[i];
      var depthY = this.depthsY[i];
      var layer = this.$layers[i];
      var xOffset = this.vx * (depthX * (this.invertX ? -1 : 1));
      var yOffset = this.vy * (depthY * (this.invertY ? -1 : 1));
      this.setPosition(layer, xOffset, yOffset);
    }
    this.raf = requestAnimationFrame(this.onAnimationFrame);
  };
  Plugin.prototype.onDeviceOrientation = function (event) {
    // Validate environment and event properties.
    if (!this.desktop &amp;&amp; event.beta !== null &amp;&amp; event.gamma !== null) {
      // Set orientation status.
      this.orientationStatus = 1;

      // Extract Rotation
      var x = (event.beta || 0) / MAGIC_NUMBER; //  -90 :: 90
      var y = (event.gamma || 0) / MAGIC_NUMBER; // -180 :: 180

      // Detect Orientation Change
      var portrait = window.innerHeight &gt; window.innerWidth;
      if (this.portrait !== portrait) {
        this.portrait = portrait;
        this.calibrationFlag = true;
      }

      // Set Calibration
      if (this.calibrationFlag) {
        this.calibrationFlag = false;
        this.cx = x;
        this.cy = y;
      }

      // Set Input
      this.ix = x;
      this.iy = y;
    }
  };
  Plugin.prototype.onMouseMove = function (event) {
    // Cache mouse coordinates.
    var clientX = event.clientX;
    var clientY = event.clientY;

    // Calculate Mouse Input
    if (!this.orientationSupport &amp;&amp; this.relativeInput) {
      // Clip mouse coordinates inside element bounds.
      if (this.clipRelativeInput) {
        clientX = Math.max(clientX, this.ex);
        clientX = Math.min(clientX, this.ex + this.ew);
        clientY = Math.max(clientY, this.ey);
        clientY = Math.min(clientY, this.ey + this.eh);
      }

      // Calculate input relative to the element.
      this.ix = (clientX - this.ex - this.ecx) / this.erx;
      this.iy = (clientY - this.ey - this.ecy) / this.ery;
    } else {
      // Calculate input relative to the window.
      this.ix = (clientX - this.wcx) / this.wrx;
      this.iy = (clientY - this.wcy) / this.wry;
    }
  };
  var API = {
    enable: Plugin.prototype.enable,
    disable: Plugin.prototype.disable,
    updateLayers: Plugin.prototype.updateLayers,
    calibrate: Plugin.prototype.calibrate,
    friction: Plugin.prototype.friction,
    invert: Plugin.prototype.invert,
    scalar: Plugin.prototype.scalar,
    limit: Plugin.prototype.limit,
    origin: Plugin.prototype.origin
  };
  $.fn[NAME] = function (value) {
    var args = arguments;
    return this.each(function () {
      var $this = $(this);
      var plugin = $this.data(NAME);
      if (!plugin) {
        plugin = new Plugin(this, value);
        $this.data(NAME, plugin);
      }
      if (API[value]) {
        plugin[value].apply(plugin, Array.prototype.slice.call(args, 1));
      }
    });
  };
})(window.jQuery || window.Zepto, window, document);

/***/ }),

/***/ "./resources/_Theme/assets/js/vendor/waypoints.min.js":
/*!************************************************************!*\
  !*** ./resources/_Theme/assets/js/vendor/waypoints.min.js ***!
  \************************************************************/
/***/ (() =&gt; {

/*!
Waypoints - 4.0.0
Copyright Â© 2011-2015 Caleb Troughton
Licensed under the MIT license.
https://github.com/imakewebthings/waypoints/blob/master/licenses.txt
*/
!function () {
  "use strict";

  function t(o) {
    if (!o) throw new Error("No options passed to Waypoint constructor");
    if (!o.element) throw new Error("No element option passed to Waypoint constructor");
    if (!o.handler) throw new Error("No handler option passed to Waypoint constructor");
    this.key = "waypoint-" + e, this.options = t.Adapter.extend({}, t.defaults, o), this.element = this.options.element, this.adapter = new t.Adapter(this.element), this.callback = o.handler, this.axis = this.options.horizontal ? "horizontal" : "vertical", this.enabled = this.options.enabled, this.triggerPoint = null, this.group = t.Group.findOrCreate({
      name: this.options.group,
      axis: this.axis
    }), this.context = t.Context.findOrCreateByElement(this.options.context), t.offsetAliases[this.options.offset] &amp;&amp; (this.options.offset = t.offsetAliases[this.options.offset]), this.group.add(this), this.context.add(this), i[this.key] = this, e += 1;
  }
  var e = 0,
    i = {};
  t.prototype.queueTrigger = function (t) {
    this.group.queueTrigger(this, t);
  }, t.prototype.trigger = function (t) {
    this.enabled &amp;&amp; this.callback &amp;&amp; this.callback.apply(this, t);
  }, t.prototype.destroy = function () {
    this.context.remove(this), this.group.remove(this), delete i[this.key];
  }, t.prototype.disable = function () {
    return this.enabled = !1, this;
  }, t.prototype.enable = function () {
    return this.context.refresh(), this.enabled = !0, this;
  }, t.prototype.next = function () {
    return this.group.next(this);
  }, t.prototype.previous = function () {
    return this.group.previous(this);
  }, t.invokeAll = function (t) {
    var e = [];
    for (var o in i) e.push(i[o]);
    for (var n = 0, r = e.length; r &gt; n; n++) e[n][t]();
  }, t.destroyAll = function () {
    t.invokeAll("destroy");
  }, t.disableAll = function () {
    t.invokeAll("disable");
  }, t.enableAll = function () {
    t.invokeAll("enable");
  }, t.refreshAll = function () {
    t.Context.refreshAll();
  }, t.viewportHeight = function () {
    return window.innerHeight || document.documentElement.clientHeight;
  }, t.viewportWidth = function () {
    return document.documentElement.clientWidth;
  }, t.adapters = [], t.defaults = {
    context: window,
    continuous: !0,
    enabled: !0,
    group: "default",
    horizontal: !1,
    offset: 0
  }, t.offsetAliases = {
    "bottom-in-view": function bottomInView() {
      return this.context.innerHeight() - this.adapter.outerHeight();
    },
    "right-in-view": function rightInView() {
      return this.context.innerWidth() - this.adapter.outerWidth();
    }
  }, window.Waypoint = t;
}(), function () {
  "use strict";

  function t(t) {
    window.setTimeout(t, 1e3 / 60);
  }
  function e(t) {
    this.element = t, this.Adapter = n.Adapter, this.adapter = new this.Adapter(t), this.key = "waypoint-context-" + i, this.didScroll = !1, this.didResize = !1, this.oldScroll = {
      x: this.adapter.scrollLeft(),
      y: this.adapter.scrollTop()
    }, this.waypoints = {
      vertical: {},
      horizontal: {}
    }, t.waypointContextKey = this.key, o[t.waypointContextKey] = this, i += 1, this.createThrottledScrollHandler(), this.createThrottledResizeHandler();
  }
  var i = 0,
    o = {},
    n = window.Waypoint,
    r = window.onload;
  e.prototype.add = function (t) {
    var e = t.options.horizontal ? "horizontal" : "vertical";
    this.waypoints[e][t.key] = t, this.refresh();
  }, e.prototype.checkEmpty = function () {
    var t = this.Adapter.isEmptyObject(this.waypoints.horizontal),
      e = this.Adapter.isEmptyObject(this.waypoints.vertical);
    t &amp;&amp; e &amp;&amp; (this.adapter.off(".waypoints"), delete o[this.key]);
  }, e.prototype.createThrottledResizeHandler = function () {
    function t() {
      e.handleResize(), e.didResize = !1;
    }
    var e = this;
    this.adapter.on("resize.waypoints", function () {
      e.didResize || (e.didResize = !0, n.requestAnimationFrame(t));
    });
  }, e.prototype.createThrottledScrollHandler = function () {
    function t() {
      e.handleScroll(), e.didScroll = !1;
    }
    var e = this;
    this.adapter.on("scroll.waypoints", function () {
      (!e.didScroll || n.isTouch) &amp;&amp; (e.didScroll = !0, n.requestAnimationFrame(t));
    });
  }, e.prototype.handleResize = function () {
    n.Context.refreshAll();
  }, e.prototype.handleScroll = function () {
    var t = {},
      e = {
        horizontal: {
          newScroll: this.adapter.scrollLeft(),
          oldScroll: this.oldScroll.x,
          forward: "right",
          backward: "left"
        },
        vertical: {
          newScroll: this.adapter.scrollTop(),
          oldScroll: this.oldScroll.y,
          forward: "down",
          backward: "up"
        }
      };
    for (var i in e) {
      var o = e[i],
        n = o.newScroll &gt; o.oldScroll,
        r = n ? o.forward : o.backward;
      for (var s in this.waypoints[i]) {
        var a = this.waypoints[i][s],
          l = o.oldScroll &lt; a.triggerPoint,
          h = o.newScroll &gt;= a.triggerPoint,
          p = l &amp;&amp; h,
          u = !l &amp;&amp; !h;
        (p || u) &amp;&amp; (a.queueTrigger(r), t[a.group.id] = a.group);
      }
    }
    for (var c in t) t[c].flushTriggers();
    this.oldScroll = {
      x: e.horizontal.newScroll,
      y: e.vertical.newScroll
    };
  }, e.prototype.innerHeight = function () {
    return this.element == this.element.window ? n.viewportHeight() : this.adapter.innerHeight();
  }, e.prototype.remove = function (t) {
    delete this.waypoints[t.axis][t.key], this.checkEmpty();
  }, e.prototype.innerWidth = function () {
    return this.element == this.element.window ? n.viewportWidth() : this.adapter.innerWidth();
  }, e.prototype.destroy = function () {
    var t = [];
    for (var e in this.waypoints) for (var i in this.waypoints[e]) t.push(this.waypoints[e][i]);
    for (var o = 0, n = t.length; n &gt; o; o++) t[o].destroy();
  }, e.prototype.refresh = function () {
    var t,
      e = this.element == this.element.window,
      i = e ? void 0 : this.adapter.offset(),
      o = {};
    this.handleScroll(), t = {
      horizontal: {
        contextOffset: e ? 0 : i.left,
        contextScroll: e ? 0 : this.oldScroll.x,
        contextDimension: this.innerWidth(),
        oldScroll: this.oldScroll.x,
        forward: "right",
        backward: "left",
        offsetProp: "left"
      },
      vertical: {
        contextOffset: e ? 0 : i.top,
        contextScroll: e ? 0 : this.oldScroll.y,
        contextDimension: this.innerHeight(),
        oldScroll: this.oldScroll.y,
        forward: "down",
        backward: "up",
        offsetProp: "top"
      }
    };
    for (var r in t) {
      var s = t[r];
      for (var a in this.waypoints[r]) {
        var l,
          h,
          p,
          u,
          c,
          d = this.waypoints[r][a],
          f = d.options.offset,
          w = d.triggerPoint,
          y = 0,
          g = null == w;
        d.element !== d.element.window &amp;&amp; (y = d.adapter.offset()[s.offsetProp]), "function" == typeof f ? f = f.apply(d) : "string" == typeof f &amp;&amp; (f = parseFloat(f), d.options.offset.indexOf("%") &gt; -1 &amp;&amp; (f = Math.ceil(s.contextDimension * f / 100))), l = s.contextScroll - s.contextOffset, d.triggerPoint = y + l - f, h = w &lt; s.oldScroll, p = d.triggerPoint &gt;= s.oldScroll, u = h &amp;&amp; p, c = !h &amp;&amp; !p, !g &amp;&amp; u ? (d.queueTrigger(s.backward), o[d.group.id] = d.group) : !g &amp;&amp; c ? (d.queueTrigger(s.forward), o[d.group.id] = d.group) : g &amp;&amp; s.oldScroll &gt;= d.triggerPoint &amp;&amp; (d.queueTrigger(s.forward), o[d.group.id] = d.group);
      }
    }
    return n.requestAnimationFrame(function () {
      for (var t in o) o[t].flushTriggers();
    }), this;
  }, e.findOrCreateByElement = function (t) {
    return e.findByElement(t) || new e(t);
  }, e.refreshAll = function () {
    for (var t in o) o[t].refresh();
  }, e.findByElement = function (t) {
    return o[t.waypointContextKey];
  }, window.onload = function () {
    r &amp;&amp; r(), e.refreshAll();
  }, n.requestAnimationFrame = function (e) {
    var i = window.requestAnimationFrame || window.mozRequestAnimationFrame || window.webkitRequestAnimationFrame || t;
    i.call(window, e);
  }, n.Context = e;
}(), function () {
  "use strict";

  function t(t, e) {
    return t.triggerPoint - e.triggerPoint;
  }
  function e(t, e) {
    return e.triggerPoint - t.triggerPoint;
  }
  function i(t) {
    this.name = t.name, this.axis = t.axis, this.id = this.name + "-" + this.axis, this.waypoints = [], this.clearTriggerQueues(), o[this.axis][this.name] = this;
  }
  var o = {
      vertical: {},
      horizontal: {}
    },
    n = window.Waypoint;
  i.prototype.add = function (t) {
    this.waypoints.push(t);
  }, i.prototype.clearTriggerQueues = function () {
    this.triggerQueues = {
      up: [],
      down: [],
      left: [],
      right: []
    };
  }, i.prototype.flushTriggers = function () {
    for (var i in this.triggerQueues) {
      var o = this.triggerQueues[i],
        n = "up" === i || "left" === i;
      o.sort(n ? e : t);
      for (var r = 0, s = o.length; s &gt; r; r += 1) {
        var a = o[r];
        (a.options.continuous || r === o.length - 1) &amp;&amp; a.trigger([i]);
      }
    }
    this.clearTriggerQueues();
  }, i.prototype.next = function (e) {
    this.waypoints.sort(t);
    var i = n.Adapter.inArray(e, this.waypoints),
      o = i === this.waypoints.length - 1;
    return o ? null : this.waypoints[i + 1];
  }, i.prototype.previous = function (e) {
    this.waypoints.sort(t);
    var i = n.Adapter.inArray(e, this.waypoints);
    return i ? this.waypoints[i - 1] : null;
  }, i.prototype.queueTrigger = function (t, e) {
    this.triggerQueues[e].push(t);
  }, i.prototype.remove = function (t) {
    var e = n.Adapter.inArray(t, this.waypoints);
    e &gt; -1 &amp;&amp; this.waypoints.splice(e, 1);
  }, i.prototype.first = function () {
    return this.waypoints[0];
  }, i.prototype.last = function () {
    return this.waypoints[this.waypoints.length - 1];
  }, i.findOrCreate = function (t) {
    return o[t.axis][t.name] || new i(t);
  }, n.Group = i;
}(), function () {
  "use strict";

  function t(t) {
    this.$element = e(t);
  }
  var e = window.jQuery,
    i = window.Waypoint;
  e.each(["innerHeight", "innerWidth", "off", "offset", "on", "outerHeight", "outerWidth", "scrollLeft", "scrollTop"], function (e, i) {
    t.prototype[i] = function () {
      var t = Array.prototype.slice.call(arguments);
      return this.$element[i].apply(this.$element, t);
    };
  }), e.each(["extend", "inArray", "isEmptyObject"], function (i, o) {
    t[o] = e[o];
  }), i.adapters.push({
    name: "jquery",
    Adapter: t
  }), i.Adapter = t;
}(), function () {
  "use strict";

  function t(t) {
    return function () {
      var i = [],
        o = arguments[0];
      return t.isFunction(arguments[0]) &amp;&amp; (o = t.extend({}, arguments[1]), o.handler = arguments[0]), this.each(function () {
        var n = t.extend({}, o, {
          element: this
        });
        "string" == typeof n.context &amp;&amp; (n.context = t(this).closest(n.context)[0]), i.push(new e(n));
      }), i;
    };
  }
  var e = window.Waypoint;
  window.jQuery &amp;&amp; (window.jQuery.fn.waypoint = t(window.jQuery)), window.Zepto &amp;&amp; (window.Zepto.fn.waypoint = t(window.Zepto));
}();

/***/ }),

/***/ "./resources/_Theme/assets/js/wow.min.js":
/*!***********************************************!*\
  !*** ./resources/_Theme/assets/js/wow.min.js ***!
  \***********************************************/
/***/ (function() {

/*! WOW - v1.1.3 - 2016-05-06
* Copyright (c) 2016 Matthieu Aussaguel;*/(function () {
  var a,
    b,
    c,
    d,
    e,
    f = function f(a, b) {
      return function () {
        return a.apply(b, arguments);
      };
    },
    g = [].indexOf || function (a) {
      for (var b = 0, c = this.length; c &gt; b; b++) if (b in this &amp;&amp; this[b] === a) return b;
      return -1;
    };
  b = function () {
    function a() {}
    return a.prototype.extend = function (a, b) {
      var c, d;
      for (c in b) d = b[c], null == a[c] &amp;&amp; (a[c] = d);
      return a;
    }, a.prototype.isMobile = function (a) {
      return /Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(a);
    }, a.prototype.createEvent = function (a, b, c, d) {
      var e;
      return null == b &amp;&amp; (b = !1), null == c &amp;&amp; (c = !1), null == d &amp;&amp; (d = null), null != document.createEvent ? (e = document.createEvent("CustomEvent"), e.initCustomEvent(a, b, c, d)) : null != document.createEventObject ? (e = document.createEventObject(), e.eventType = a) : e.eventName = a, e;
    }, a.prototype.emitEvent = function (a, b) {
      return null != a.dispatchEvent ? a.dispatchEvent(b) : b in (null != a) ? a[b]() : "on" + b in (null != a) ? a["on" + b]() : void 0;
    }, a.prototype.addEvent = function (a, b, c) {
      return null != a.addEventListener ? a.addEventListener(b, c, !1) : null != a.attachEvent ? a.attachEvent("on" + b, c) : a[b] = c;
    }, a.prototype.removeEvent = function (a, b, c) {
      return null != a.removeEventListener ? a.removeEventListener(b, c, !1) : null != a.detachEvent ? a.detachEvent("on" + b, c) : delete a[b];
    }, a.prototype.innerHeight = function () {
      return "innerHeight" in window ? window.innerHeight : document.documentElement.clientHeight;
    }, a;
  }(), c = this.WeakMap || this.MozWeakMap || (c = function () {
    function a() {
      this.keys = [], this.values = [];
    }
    return a.prototype.get = function (a) {
      var b, c, d, e, f;
      for (f = this.keys, b = d = 0, e = f.length; e &gt; d; b = ++d) if (c = f[b], c === a) return this.values[b];
    }, a.prototype.set = function (a, b) {
      var c, d, e, f, g;
      for (g = this.keys, c = e = 0, f = g.length; f &gt; e; c = ++e) if (d = g[c], d === a) return void (this.values[c] = b);
      return this.keys.push(a), this.values.push(b);
    }, a;
  }()), a = this.MutationObserver || this.WebkitMutationObserver || this.MozMutationObserver || (a = function () {
    function a() {
      "undefined" != typeof console &amp;&amp; null !== console &amp;&amp; console.warn("MutationObserver is not supported by your browser."), "undefined" != typeof console &amp;&amp; null !== console &amp;&amp; console.warn("WOW.js cannot detect dom mutations, please call .sync() after loading new content.");
    }
    return a.notSupported = !0, a.prototype.observe = function () {}, a;
  }()), d = this.getComputedStyle || function (a, b) {
    return this.getPropertyValue = function (b) {
      var c;
      return "float" === b &amp;&amp; (b = "styleFloat"), e.test(b) &amp;&amp; b.replace(e, function (a, b) {
        return b.toUpperCase();
      }), (null != (c = a.currentStyle) ? c[b] : void 0) || null;
    }, this;
  }, e = /(\-([a-z]){1})/g, this.WOW = function () {
    function e(a) {
      null == a &amp;&amp; (a = {}), this.scrollCallback = f(this.scrollCallback, this), this.scrollHandler = f(this.scrollHandler, this), this.resetAnimation = f(this.resetAnimation, this), this.start = f(this.start, this), this.scrolled = !0, this.config = this.util().extend(a, this.defaults), null != a.scrollContainer &amp;&amp; (this.config.scrollContainer = document.querySelector(a.scrollContainer)), this.animationNameCache = new c(), this.wowEvent = this.util().createEvent(this.config.boxClass);
    }
    return e.prototype.defaults = {
      boxClass: "wow",
      animateClass: "animated",
      offset: 0,
      mobile: !0,
      live: !0,
      callback: null,
      scrollContainer: null
    }, e.prototype.init = function () {
      var a;
      return this.element = window.document.documentElement, "interactive" === (a = document.readyState) || "complete" === a ? this.start() : this.util().addEvent(document, "DOMContentLoaded", this.start), this.finished = [];
    }, e.prototype.start = function () {
      var b, c, d, e;
      if (this.stopped = !1, this.boxes = function () {
        var a, c, d, e;
        for (d = this.element.querySelectorAll("." + this.config.boxClass), e = [], a = 0, c = d.length; c &gt; a; a++) b = d[a], e.push(b);
        return e;
      }.call(this), this.all = function () {
        var a, c, d, e;
        for (d = this.boxes, e = [], a = 0, c = d.length; c &gt; a; a++) b = d[a], e.push(b);
        return e;
      }.call(this), this.boxes.length) if (this.disabled()) this.resetStyle();else for (e = this.boxes, c = 0, d = e.length; d &gt; c; c++) b = e[c], this.applyStyle(b, !0);
      return this.disabled() || (this.util().addEvent(this.config.scrollContainer || window, "scroll", this.scrollHandler), this.util().addEvent(window, "resize", this.scrollHandler), this.interval = setInterval(this.scrollCallback, 50)), this.config.live ? new a(function (a) {
        return function (b) {
          var c, d, e, f, g;
          for (g = [], c = 0, d = b.length; d &gt; c; c++) f = b[c], g.push(function () {
            var a, b, c, d;
            for (c = f.addedNodes || [], d = [], a = 0, b = c.length; b &gt; a; a++) e = c[a], d.push(this.doSync(e));
            return d;
          }.call(a));
          return g;
        };
      }(this)).observe(document.body, {
        childList: !0,
        subtree: !0
      }) : void 0;
    }, e.prototype.stop = function () {
      return this.stopped = !0, this.util().removeEvent(this.config.scrollContainer || window, "scroll", this.scrollHandler), this.util().removeEvent(window, "resize", this.scrollHandler), null != this.interval ? clearInterval(this.interval) : void 0;
    }, e.prototype.sync = function (b) {
      return a.notSupported ? this.doSync(this.element) : void 0;
    }, e.prototype.doSync = function (a) {
      var b, c, d, e, f;
      if (null == a &amp;&amp; (a = this.element), 1 === a.nodeType) {
        for (a = a.parentNode || a, e = a.querySelectorAll("." + this.config.boxClass), f = [], c = 0, d = e.length; d &gt; c; c++) b = e[c], g.call(this.all, b) &lt; 0 ? (this.boxes.push(b), this.all.push(b), this.stopped || this.disabled() ? this.resetStyle() : this.applyStyle(b, !0), f.push(this.scrolled = !0)) : f.push(void 0);
        return f;
      }
    }, e.prototype.show = function (a) {
      return this.applyStyle(a), a.className = a.className + " " + this.config.animateClass, null != this.config.callback &amp;&amp; this.config.callback(a), this.util().emitEvent(a, this.wowEvent), this.util().addEvent(a, "animationend", this.resetAnimation), this.util().addEvent(a, "oanimationend", this.resetAnimation), this.util().addEvent(a, "webkitAnimationEnd", this.resetAnimation), this.util().addEvent(a, "MSAnimationEnd", this.resetAnimation), a;
    }, e.prototype.applyStyle = function (a, b) {
      var c, d, e;
      return d = a.getAttribute("data-wow-duration"), c = a.getAttribute("data-wow-delay"), e = a.getAttribute("data-wow-iteration"), this.animate(function (f) {
        return function () {
          return f.customStyle(a, b, d, c, e);
        };
      }(this));
    }, e.prototype.animate = function () {
      return "requestAnimationFrame" in window ? function (a) {
        return window.requestAnimationFrame(a);
      } : function (a) {
        return a();
      };
    }(), e.prototype.resetStyle = function () {
      var a, b, c, d, e;
      for (d = this.boxes, e = [], b = 0, c = d.length; c &gt; b; b++) a = d[b], e.push(a.style.visibility = "visible");
      return e;
    }, e.prototype.resetAnimation = function (a) {
      var b;
      return a.type.toLowerCase().indexOf("animationend") &gt;= 0 ? (b = a.target || a.srcElement, b.className = b.className.replace(this.config.animateClass, "").trim()) : void 0;
    }, e.prototype.customStyle = function (a, b, c, d, e) {
      return b &amp;&amp; this.cacheAnimationName(a), a.style.visibility = b ? "hidden" : "visible", c &amp;&amp; this.vendorSet(a.style, {
        animationDuration: c
      }), d &amp;&amp; this.vendorSet(a.style, {
        animationDelay: d
      }), e &amp;&amp; this.vendorSet(a.style, {
        animationIterationCount: e
      }), this.vendorSet(a.style, {
        animationName: b ? "none" : this.cachedAnimationName(a)
      }), a;
    }, e.prototype.vendors = ["moz", "webkit"], e.prototype.vendorSet = function (a, b) {
      var c, d, e, f;
      d = [];
      for (c in b) e = b[c], a["" + c] = e, d.push(function () {
        var b, d, g, h;
        for (g = this.vendors, h = [], b = 0, d = g.length; d &gt; b; b++) f = g[b], h.push(a["" + f + c.charAt(0).toUpperCase() + c.substr(1)] = e);
        return h;
      }.call(this));
      return d;
    }, e.prototype.vendorCSS = function (a, b) {
      var c, e, f, g, h, i;
      for (h = d(a), g = h.getPropertyCSSValue(b), f = this.vendors, c = 0, e = f.length; e &gt; c; c++) i = f[c], g = g || h.getPropertyCSSValue("-" + i + "-" + b);
      return g;
    }, e.prototype.animationName = function (a) {
      var b;
      try {
        b = this.vendorCSS(a, "animation-name").cssText;
      } catch (c) {
        b = d(a).getPropertyValue("animation-name");
      }
      return "none" === b ? "" : b;
    }, e.prototype.cacheAnimationName = function (a) {
      return this.animationNameCache.set(a, this.animationName(a));
    }, e.prototype.cachedAnimationName = function (a) {
      return this.animationNameCache.get(a);
    }, e.prototype.scrollHandler = function () {
      return this.scrolled = !0;
    }, e.prototype.scrollCallback = function () {
      var a;
      return !this.scrolled || (this.scrolled = !1, this.boxes = function () {
        var b, c, d, e;
        for (d = this.boxes, e = [], b = 0, c = d.length; c &gt; b; b++) a = d[b], a &amp;&amp; (this.isVisible(a) ? this.show(a) : e.push(a));
        return e;
      }.call(this), this.boxes.length || this.config.live) ? void 0 : this.stop();
    }, e.prototype.offsetTop = function (a) {
      for (var b; void 0 === a.offsetTop;) a = a.parentNode;
      for (b = a.offsetTop; a = a.offsetParent;) b += a.offsetTop;
      return b;
    }, e.prototype.isVisible = function (a) {
      var b, c, d, e, f;
      return c = a.getAttribute("data-wow-offset") || this.config.offset, f = this.config.scrollContainer &amp;&amp; this.config.scrollContainer.scrollTop || window.pageYOffset, e = f + Math.min(this.element.clientHeight, this.util().innerHeight()) - c, d = this.offsetTop(a), b = d + a.clientHeight, e &gt;= d &amp;&amp; b &gt;= f;
    }, e.prototype.util = function () {
      return null != this._util ? this._util : this._util = new b();
    }, e.prototype.disabled = function () {
      return !this.config.mobile &amp;&amp; this.util().isMobile(navigator.userAgent);
    }, e;
  }();
}).call(this);

/***/ }),

/***/ "./resources/js/main.js":
/*!******************************!*\
  !*** ./resources/js/main.js ***!
  \******************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! vue */ "./node_modules/vue/dist/vue.esm.js");
/* harmony import */ var _App__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./App */ "./resources/js/App.vue");
/* harmony import */ var _router__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./router */ "./resources/js/router.js");
/* harmony import */ var axios__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! axios */ "./node_modules/axios/index.js");
/* harmony import */ var axios__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(axios__WEBPACK_IMPORTED_MODULE_2__);
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var _store__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./store */ "./resources/js/store/index.js");
/* harmony import */ var _mixins_utility__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./mixins/utility */ "./resources/js/mixins/utility.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! vue-sweetalert2 */ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js");
/* harmony import */ var vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5___default = /*#__PURE__*/__webpack_require__.n(vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5__);
/* harmony import */ var sweetalert2_dist_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! sweetalert2/dist/sweetalert2.min.css */ "./node_modules/sweetalert2/dist/sweetalert2.min.css");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/index.js");
/* harmony import */ var bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! bootstrap-vue */ "./node_modules/bootstrap-vue/esm/icons/plugin.js");
/* harmony import */ var bootstrap_vue_dist_bootstrap_vue_css__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! bootstrap-vue/dist/bootstrap-vue.css */ "./node_modules/bootstrap-vue/dist/bootstrap-vue.css");
/* harmony import */ var vue_croppa_dist_vue_croppa_css__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! vue-croppa/dist/vue-croppa.css */ "./node_modules/vue-croppa/dist/vue-croppa.css");
/* harmony import */ var vue_croppa__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! vue-croppa */ "./node_modules/vue-croppa/dist/vue-croppa.js");
/* harmony import */ var vue_croppa__WEBPACK_IMPORTED_MODULE_9___default = /*#__PURE__*/__webpack_require__.n(vue_croppa__WEBPACK_IMPORTED_MODULE_9__);













var axiosIns = axios__WEBPACK_IMPORTED_MODULE_2___default().create({
  // You can add your headers here
});
vue__WEBPACK_IMPORTED_MODULE_10__["default"].prototype.$http = axiosIns;
vue__WEBPACK_IMPORTED_MODULE_10__["default"].prototype.$http.interceptors.request.use(function (config) {
  config.headers.Authorization = _store__WEBPACK_IMPORTED_MODULE_3__["default"].getters["token"];
  return config;
});
vue__WEBPACK_IMPORTED_MODULE_10__["default"].use(vuex__WEBPACK_IMPORTED_MODULE_11__["default"]);
vue__WEBPACK_IMPORTED_MODULE_10__["default"].use((vue_sweetalert2__WEBPACK_IMPORTED_MODULE_5___default()));
vue__WEBPACK_IMPORTED_MODULE_10__["default"].use(bootstrap_vue__WEBPACK_IMPORTED_MODULE_12__.BootstrapVue);
vue__WEBPACK_IMPORTED_MODULE_10__["default"].use(bootstrap_vue__WEBPACK_IMPORTED_MODULE_13__.IconsPlugin);
vue__WEBPACK_IMPORTED_MODULE_10__["default"].use((vue_croppa__WEBPACK_IMPORTED_MODULE_9___default()));
new vue__WEBPACK_IMPORTED_MODULE_10__["default"]({
  el: '#app',
  router: _router__WEBPACK_IMPORTED_MODULE_1__.router,
  store: _store__WEBPACK_IMPORTED_MODULE_3__["default"],
  mixins: ['utility'],
  render: function render(h) {
    return h(_App__WEBPACK_IMPORTED_MODULE_0__["default"]);
  }
});

/***/ }),

/***/ "./resources/js/mixins/priceListMixin.js":
/*!***********************************************!*\
  !*** ./resources/js/mixins/priceListMixin.js ***!
  \***********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  data: function data() {
    return {
      priceList: [{
        min: 0,
        max: 0
      }, {
        min: 0,
        max: 400
      }, {
        min: 400,
        max: 800
      }, {
        min: 800,
        max: 0
      }]
    };
  }
});

/***/ }),

/***/ "./resources/js/mixins/starListMixin.js":
/*!**********************************************!*\
  !*** ./resources/js/mixins/starListMixin.js ***!
  \**********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  data: function data() {
    return {
      starList: [{
        text: 'â­ï¸â­ï¸â­ï¸â­ï¸â­ï¸',
        value: 5
      }, {
        text: 'â­ï¸â­ï¸â­ï¸â­ï¸',
        value: 4
      }, {
        text: 'â­ï¸â­ï¸â­ï¸',
        value: 3
      }, {
        text: 'â­ï¸â­ï¸',
        value: 2
      }, {
        text: 'â­ï¸',
        value: 1
      }]
    };
  }
});

/***/ }),

/***/ "./resources/js/mixins/utility.js":
/*!****************************************!*\
  !*** ./resources/js/mixins/utility.js ***!
  \****************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue */ "./node_modules/vue/dist/vue.esm.js");

vue__WEBPACK_IMPORTED_MODULE_0__["default"].mixin({
  methods: {
    focus: function focus(elementId) {
      var delay = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 300;
      setTimeout(function () {
        document.getElementById(elementId).focus();
      }, delay);
    },
    cloneObject: function cloneObject(data) {
      return JSON.parse(JSON.stringify(data));
    },
    startChatAnywhere: function startChatAnywhere(receiverUserId) {
      alert('chat starting with ' + receiverUserId);
      this.$emit('chat-anywhere', receiverUserId);
    },
    isObjectEmpty: function isObjectEmpty(someObject) {
      return !Object.keys(someObject).length;
    },
    justDecimal: function justDecimal(num) {
      num = parseFloat(num).toFixed(2);
      return num.toString().split('.')[1];
    },
    percentage: function percentage(num, total) {
      return num / total * 100;
    },
    validateUrl: function validateUrl(url) {
      var pattern = new RegExp('^(https?:\\/\\/)?' +
      // protocol
      '((([a-z\\d]([a-z\\d-]*[a-z\\d])*)\\.)+[a-z]{2,}|' +
      // domain name
      '((\\d{1,3}\\.){3}\\d{1,3}))' +
      // OR ip (v4) address
      '(\\:\\d+)?(\\/[-a-z\\d%_.~+]*)*' +
      // port and path
      '(\\?[;&amp;a-z\\d%_.~+=-]*)?' +
      // query string
      '(\\#[-a-z\\d_]*)?$', 'i'); // fragment locator
      return !!pattern.test(url);
    }
  }
});

/***/ }),

/***/ "./resources/js/router.js":
/*!********************************!*\
  !*** ./resources/js/router.js ***!
  \********************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   router: () =&gt; (/* binding */ router)
/* harmony export */ });
/* harmony import */ var vue__WEBPACK_IMPORTED_MODULE_32__ = __webpack_require__(/*! vue */ "./node_modules/vue/dist/vue.esm.js");
/* harmony import */ var vue_router__WEBPACK_IMPORTED_MODULE_33__ = __webpack_require__(/*! vue-router */ "./node_modules/vue-router/dist/vue-router.esm.js");
/* harmony import */ var _components_HomePage_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./components/HomePage.vue */ "./resources/js/components/HomePage.vue");
/* harmony import */ var _components_About_vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./components/About.vue */ "./resources/js/components/About.vue");
/* harmony import */ var _components_Courses_vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./components/Courses.vue */ "./resources/js/components/Courses.vue");
/* harmony import */ var _components_Blog_vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./components/Blog.vue */ "./resources/js/components/Blog.vue");
/* harmony import */ var _components_Faq_vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./components/Faq.vue */ "./resources/js/components/Faq.vue");
/* harmony import */ var _components_BlogDetails_vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./components/BlogDetails.vue */ "./resources/js/components/BlogDetails.vue");
/* harmony import */ var _components_BlogNew_vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./components/BlogNew.vue */ "./resources/js/components/BlogNew.vue");
/* harmony import */ var _components_BlogMyPosts_vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./components/BlogMyPosts.vue */ "./resources/js/components/BlogMyPosts.vue");
/* harmony import */ var _components_Contact_vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./components/Contact.vue */ "./resources/js/components/Contact.vue");
/* harmony import */ var _components_SignIn_vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./components/SignIn.vue */ "./resources/js/components/SignIn.vue");
/* harmony import */ var _components_ForgetPassword_vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./components/ForgetPassword.vue */ "./resources/js/components/ForgetPassword.vue");
/* harmony import */ var _components_ResetPassword_vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./components/ResetPassword.vue */ "./resources/js/components/ResetPassword.vue");
/* harmony import */ var _components_SignUp_vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ./components/SignUp.vue */ "./resources/js/components/SignUp.vue");
/* harmony import */ var _components_PageNotFound_vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ./components/PageNotFound.vue */ "./resources/js/components/PageNotFound.vue");
/* harmony import */ var _components_Account_EditProfile__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ./components/Account/EditProfile */ "./resources/js/components/Account/EditProfile.vue");
/* harmony import */ var _components_Account_WeeklySchedule__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ./components/Account/WeeklySchedule */ "./resources/js/components/Account/WeeklySchedule.vue");
/* harmony import */ var _components_Admin_Settings__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ./components/Admin/Settings */ "./resources/js/components/Admin/Settings.vue");
/* harmony import */ var _components_FreeLessonRequests__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ./components/FreeLessonRequests */ "./resources/js/components/FreeLessonRequests.vue");
/* harmony import */ var _components_StudentFreeLessonRequests__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ./components/StudentFreeLessonRequests */ "./resources/js/components/StudentFreeLessonRequests.vue");
/* harmony import */ var _components_IncomingMoneyOrder__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ./components/IncomingMoneyOrder */ "./resources/js/components/IncomingMoneyOrder.vue");
/* harmony import */ var _components_StudentSchedule__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ./components/StudentSchedule */ "./resources/js/components/StudentSchedule.vue");
/* harmony import */ var _components_TeacherSchedule__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ./components/TeacherSchedule */ "./resources/js/components/TeacherSchedule.vue");
/* harmony import */ var _components_BookForStudent__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ./components/BookForStudent */ "./resources/js/components/BookForStudent.vue");
/* harmony import */ var _components_Admin_Students__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ./components/Admin/Students */ "./resources/js/components/Admin/Students.vue");
/* harmony import */ var _components_Admin_Teachers__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ./components/Admin/Teachers */ "./resources/js/components/Admin/Teachers.vue");
/* harmony import */ var _components_Admin_BlogPosts__WEBPACK_IMPORTED_MODULE_25__ = __webpack_require__(/*! ./components/Admin/BlogPosts */ "./resources/js/components/Admin/BlogPosts.vue");
/* harmony import */ var _components_Admin_LessonDocuments__WEBPACK_IMPORTED_MODULE_26__ = __webpack_require__(/*! ./components/Admin/LessonDocuments */ "./resources/js/components/Admin/LessonDocuments.vue");
/* harmony import */ var _components_Admin_Reviews_vue__WEBPACK_IMPORTED_MODULE_27__ = __webpack_require__(/*! ./components/Admin/Reviews.vue */ "./resources/js/components/Admin/Reviews.vue");
/* harmony import */ var _components_Admin_Faqs__WEBPACK_IMPORTED_MODULE_28__ = __webpack_require__(/*! ./components/Admin/Faqs */ "./resources/js/components/Admin/Faqs.vue");
/* harmony import */ var _components_Admin_FreeLessonRequestApprovals__WEBPACK_IMPORTED_MODULE_29__ = __webpack_require__(/*! ./components/Admin/FreeLessonRequestApprovals */ "./resources/js/components/Admin/FreeLessonRequestApprovals.vue");
/* harmony import */ var _components_TeacherDetails__WEBPACK_IMPORTED_MODULE_30__ = __webpack_require__(/*! ./components/TeacherDetails */ "./resources/js/components/TeacherDetails.vue");
/* harmony import */ var _components_Account_CustomPaymentUrls__WEBPACK_IMPORTED_MODULE_31__ = __webpack_require__(/*! ./components/Account/CustomPaymentUrls */ "./resources/js/components/Account/CustomPaymentUrls.vue");



































vue__WEBPACK_IMPORTED_MODULE_32__["default"].use(vue_router__WEBPACK_IMPORTED_MODULE_33__["default"]);
var router = new vue_router__WEBPACK_IMPORTED_MODULE_33__["default"]({
  mode: 'history',
  routes: [{
    path: '/',
    name: 'home',
    component: _components_HomePage_vue__WEBPACK_IMPORTED_MODULE_0__["default"]
  }, {
    path: '/odeme_yap/:payment_slug',
    name: 'homePayment',
    component: _components_HomePage_vue__WEBPACK_IMPORTED_MODULE_0__["default"]
  }, {
    path: '/egitmenlerimiz',
    name: 'courses',
    component: _components_Courses_vue__WEBPACK_IMPORTED_MODULE_2__["default"]
  }, {
    path: '/dersler/:searchKey',
    name: 'quickSearch',
    component: _components_Courses_vue__WEBPACK_IMPORTED_MODULE_2__["default"]
  }, {
    path: '/dersler/sayfa/:page_number',
    name: 'coursesPages',
    component: _components_Courses_vue__WEBPACK_IMPORTED_MODULE_2__["default"]
  }, {
    path: '/hakkimizda',
    name: 'about',
    component: _components_About_vue__WEBPACK_IMPORTED_MODULE_1__["default"]
  }, {
    path: '/blog',
    name: 'blog',
    component: _components_Blog_vue__WEBPACK_IMPORTED_MODULE_3__["default"]
  }, {
    path: '/sikca_sorulan_sorular',
    name: 'faq',
    component: _components_Faq_vue__WEBPACK_IMPORTED_MODULE_4__["default"]
  }, {
    path: '/blog/yeni',
    name: 'newBlog',
    component: _components_BlogNew_vue__WEBPACK_IMPORTED_MODULE_6__["default"]
  }, {
    path: '/blog/:slug/duzenle',
    name: 'editBlog',
    component: _components_BlogNew_vue__WEBPACK_IMPORTED_MODULE_6__["default"]
  }, {
    path: '/blog/:slug/incele',
    name: 'checkBlog',
    component: _components_BlogNew_vue__WEBPACK_IMPORTED_MODULE_6__["default"]
  }, {
    path: '/blog/:slug',
    name: 'blogDetails',
    component: _components_BlogDetails_vue__WEBPACK_IMPORTED_MODULE_5__["default"]
  }, {
    path: '/blog/sayfa/:page_number',
    name: 'blogPages',
    component: _components_Blog_vue__WEBPACK_IMPORTED_MODULE_3__["default"]
  }, {
    path: '/yonetim/blog_yazilarim',
    name: 'myBlog',
    component: _components_BlogMyPosts_vue__WEBPACK_IMPORTED_MODULE_7__["default"]
  }, {
    path: '/iletisim',
    name: 'contact',
    component: _components_Contact_vue__WEBPACK_IMPORTED_MODULE_8__["default"]
  }, {
    path: '/giris-yap',
    name: 'signIn',
    component: _components_SignIn_vue__WEBPACK_IMPORTED_MODULE_9__["default"]
  }, {
    path: '/parolami-unuttum',
    name: 'forgetPassword',
    component: _components_ForgetPassword_vue__WEBPACK_IMPORTED_MODULE_10__["default"]
  }, {
    path: '/parola-sifirla/:token',
    name: 'resetPassword',
    component: _components_ResetPassword_vue__WEBPACK_IMPORTED_MODULE_11__["default"]
  }, {
    path: '/kayit-ol',
    name: 'signUp',
    component: _components_SignUp_vue__WEBPACK_IMPORTED_MODULE_12__["default"]
  }, {
    path: '/hesabim/profili-duzenle',
    name: 'editProfile',
    component: _components_Account_EditProfile__WEBPACK_IMPORTED_MODULE_14__["default"]
  }, {
    path: '/hesabim/profili-duzenle/:id/:slug/',
    name: 'editUserProfile',
    component: _components_Account_EditProfile__WEBPACK_IMPORTED_MODULE_14__["default"]
  }, {
    path: '/hesabim/haftalik-program',
    name: 'weeklySchedule',
    component: _components_Account_WeeklySchedule__WEBPACK_IMPORTED_MODULE_15__["default"]
  }, {
    path: '/hesabim/serbest-odeme-linklerim',
    name: 'customPaymentUrls',
    component: _components_Account_CustomPaymentUrls__WEBPACK_IMPORTED_MODULE_31__["default"]
  }, {
    path: '/yonetim/ayarlar',
    name: 'settings',
    component: _components_Admin_Settings__WEBPACK_IMPORTED_MODULE_16__["default"]
  }, {
    path: '/yonetim/ogrenciler',
    name: 'students',
    component: _components_Admin_Students__WEBPACK_IMPORTED_MODULE_23__["default"]
  }, {
    path: '/yonetim/sikca_sorulan_sorular',
    name: 'faqs',
    component: _components_Admin_Faqs__WEBPACK_IMPORTED_MODULE_28__["default"]
  }, {
    path: '/ders_talep_havuzu',
    name: 'freeLessonRequests',
    component: _components_FreeLessonRequests__WEBPACK_IMPORTED_MODULE_17__["default"]
  }, {
    path: '/ders_taleplerim',
    name: 'studentFreeLessonRequests',
    component: _components_StudentFreeLessonRequests__WEBPACK_IMPORTED_MODULE_18__["default"]
  }, {
    path: '/hesabim/havaleler',
    name: 'incomingMoneyOrder',
    component: _components_IncomingMoneyOrder__WEBPACK_IMPORTED_MODULE_19__["default"]
  }, {
    path: '/hesabim/havaleler/:notification_id',
    name: 'approveIncomingMoneyOrder',
    component: _components_IncomingMoneyOrder__WEBPACK_IMPORTED_MODULE_19__["default"]
  }, {
    path: '/derslerim',
    name: 'teacherSchedule',
    component: _components_TeacherSchedule__WEBPACK_IMPORTED_MODULE_21__["default"]
  }, {
    path: '/hesabim/aldigim-dersler',
    name: 'studentSchedule',
    component: _components_StudentSchedule__WEBPACK_IMPORTED_MODULE_20__["default"]
  }, {
    path: '/yonetim/degerlendirmeler',
    name: 'reviews',
    component: _components_Admin_Reviews_vue__WEBPACK_IMPORTED_MODULE_27__["default"]
  }, {
    path: '/ders_rezerve_et',
    name: 'bookForStudent',
    component: _components_BookForStudent__WEBPACK_IMPORTED_MODULE_22__["default"]
  }, {
    path: '/yonetim/ogretmenler',
    name: 'teachers',
    component: _components_Admin_Teachers__WEBPACK_IMPORTED_MODULE_24__["default"]
  }, {
    path: '/yonetim/blog_yazilari',
    name: 'blogPosts',
    component: _components_Admin_BlogPosts__WEBPACK_IMPORTED_MODULE_25__["default"]
  }, {
    path: '/yonetim/ders_dokumanlari',
    name: 'lessonDocuments',
    component: _components_Admin_LessonDocuments__WEBPACK_IMPORTED_MODULE_26__["default"]
  }, {
    path: '/yonetim/ders_talep_onaylari',
    name: 'freeLessonRequestApprovals',
    component: _components_Admin_FreeLessonRequestApprovals__WEBPACK_IMPORTED_MODULE_29__["default"]
  }, {
    path: '/ogretmen/:slug',
    name: 'teacherDetails',
    component: _components_TeacherDetails__WEBPACK_IMPORTED_MODULE_30__["default"]
  }, {
    path: "*",
    component: _components_PageNotFound_vue__WEBPACK_IMPORTED_MODULE_13__["default"],
    name: '404',
    meta: {
      transition: 'slide-left'
    }
  }],
  scrollBehavior: function scrollBehavior(to, from, savedPosition) {
    if (savedPosition) {
      return savedPosition;
    } else {
      return {
        x: 0,
        y: 0
      };
    }
  } //linkActiveClass: 'router-active',
});

/***/ }),

/***/ "./resources/js/store/index.js":
/*!*************************************!*\
  !*** ./resources/js/store/index.js ***!
  \*************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! vue */ "./node_modules/vue/dist/vue.esm.js");
/* harmony import */ var vuex__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! vuex */ "./node_modules/vuex/dist/vuex.esm.js");
/* harmony import */ var vuex_persistedstate__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vuex-persistedstate */ "./node_modules/vuex-persistedstate/dist/vuex-persistedstate.es.js");
/* harmony import */ var _router__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../router */ "./resources/js/router.js");




vue__WEBPACK_IMPORTED_MODULE_2__["default"].use(vuex__WEBPACK_IMPORTED_MODULE_3__["default"], vuex_persistedstate__WEBPACK_IMPORTED_MODULE_0__["default"], _router__WEBPACK_IMPORTED_MODULE_1__.router);
var state = {
  isLoggedIn: false,
  user: {},
  token: ''
};
var getters = {
  isLoggedIn: function isLoggedIn(state) {
    return state.isLoggedIn;
  },
  user: function user(state) {
    return state.user;
  },
  token: function token(state) {
    return state.token;
  },
  userFullName: function userFullName(state) {
    return state.user.name;
  }
};
var mutations = {
  setUser: function setUser(state, user) {
    state.user = user;
  },
  setToken: function setToken(state, token) {
    state.token = token;
  },
  setLoggedIn: function setLoggedIn(state, isLoggedIn) {
    state.isLoggedIn = isLoggedIn;
  }
};
var actions = {
  setUser: function setUser(_ref, user) {
    var commit = _ref.commit;
    commit('setUser', user);
  },
  setToken: function setToken(_ref2, token) {
    var commit = _ref2.commit;
    commit('setToken', token);
  },
  setLoggedIn: function setLoggedIn(_ref3, isLoggedIn) {
    var commit = _ref3.commit;
    commit('setLoggedIn', isLoggedIn);
  },
  logout: function logout(_ref4) {
    var commit = _ref4.commit;
    commit('setUser', {});
    commit('setToken', '');
    commit('setLoggedIn', false);
    _router__WEBPACK_IMPORTED_MODULE_1__.router.push('/');
    window.location.reload();
  }
};
var store = new vuex__WEBPACK_IMPORTED_MODULE_3__["default"].Store({
  state: state,
  getters: getters,
  mutations: mutations,
  actions: actions,
  plugins: [(0,vuex_persistedstate__WEBPACK_IMPORTED_MODULE_0__["default"])({
    storage: window.sessionStorage // Use sessionStorage.clear(); when user logs out manually.
  })]
});

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (store);

/***/ }),

/***/ "./node_modules/base64-js/index.js":
/*!*****************************************!*\
  !*** ./node_modules/base64-js/index.js ***!
  \*****************************************/
/***/ ((__unused_webpack_module, exports) =&gt; {

"use strict";


exports.byteLength = byteLength
exports.toByteArray = toByteArray
exports.fromByteArray = fromByteArray

var lookup = []
var revLookup = []
var Arr = typeof Uint8Array !== 'undefined' ? Uint8Array : Array

var code = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/'
for (var i = 0, len = code.length; i &lt; len; ++i) {
  lookup[i] = code[i]
  revLookup[code.charCodeAt(i)] = i
}

// Support decoding URL-safe base64 strings, as Node.js does.
// See: https://en.wikipedia.org/wiki/Base64#URL_applications
revLookup['-'.charCodeAt(0)] = 62
revLookup['_'.charCodeAt(0)] = 63

function getLens (b64) {
  var len = b64.length

  if (len % 4 &gt; 0) {
    throw new Error('Invalid string. Length must be a multiple of 4')
  }

  // Trim off extra bytes after placeholder bytes are found
  // See: https://github.com/beatgammit/base64-js/issues/42
  var validLen = b64.indexOf('=')
  if (validLen === -1) validLen = len

  var placeHoldersLen = validLen === len
    ? 0
    : 4 - (validLen % 4)

  return [validLen, placeHoldersLen]
}

// base64 is 4/3 + up to two characters of the original data
function byteLength (b64) {
  var lens = getLens(b64)
  var validLen = lens[0]
  var placeHoldersLen = lens[1]
  return ((validLen + placeHoldersLen) * 3 / 4) - placeHoldersLen
}

function _byteLength (b64, validLen, placeHoldersLen) {
  return ((validLen + placeHoldersLen) * 3 / 4) - placeHoldersLen
}

function toByteArray (b64) {
  var tmp
  var lens = getLens(b64)
  var validLen = lens[0]
  var placeHoldersLen = lens[1]

  var arr = new Arr(_byteLength(b64, validLen, placeHoldersLen))

  var curByte = 0

  // if there are placeholders, only get up to the last complete 4 chars
  var len = placeHoldersLen &gt; 0
    ? validLen - 4
    : validLen

  var i
  for (i = 0; i &lt; len; i += 4) {
    tmp =
      (revLookup[b64.charCodeAt(i)] &lt;&lt; 18) |
      (revLookup[b64.charCodeAt(i + 1)] &lt;&lt; 12) |
      (revLookup[b64.charCodeAt(i + 2)] &lt;&lt; 6) |
      revLookup[b64.charCodeAt(i + 3)]
    arr[curByte++] = (tmp &gt;&gt; 16) &amp; 0xFF
    arr[curByte++] = (tmp &gt;&gt; 8) &amp; 0xFF
    arr[curByte++] = tmp &amp; 0xFF
  }

  if (placeHoldersLen === 2) {
    tmp =
      (revLookup[b64.charCodeAt(i)] &lt;&lt; 2) |
      (revLookup[b64.charCodeAt(i + 1)] &gt;&gt; 4)
    arr[curByte++] = tmp &amp; 0xFF
  }

  if (placeHoldersLen === 1) {
    tmp =
      (revLookup[b64.charCodeAt(i)] &lt;&lt; 10) |
      (revLookup[b64.charCodeAt(i + 1)] &lt;&lt; 4) |
      (revLookup[b64.charCodeAt(i + 2)] &gt;&gt; 2)
    arr[curByte++] = (tmp &gt;&gt; 8) &amp; 0xFF
    arr[curByte++] = tmp &amp; 0xFF
  }

  return arr
}

function tripletToBase64 (num) {
  return lookup[num &gt;&gt; 18 &amp; 0x3F] +
    lookup[num &gt;&gt; 12 &amp; 0x3F] +
    lookup[num &gt;&gt; 6 &amp; 0x3F] +
    lookup[num &amp; 0x3F]
}

function encodeChunk (uint8, start, end) {
  var tmp
  var output = []
  for (var i = start; i &lt; end; i += 3) {
    tmp =
      ((uint8[i] &lt;&lt; 16) &amp; 0xFF0000) +
      ((uint8[i + 1] &lt;&lt; 8) &amp; 0xFF00) +
      (uint8[i + 2] &amp; 0xFF)
    output.push(tripletToBase64(tmp))
  }
  return output.join('')
}

function fromByteArray (uint8) {
  var tmp
  var len = uint8.length
  var extraBytes = len % 3 // if we have 1 byte left, pad 2 bytes
  var parts = []
  var maxChunkLength = 16383 // must be multiple of 3

  // go through the array every three bytes, we'll deal with trailing stuff later
  for (var i = 0, len2 = len - extraBytes; i &lt; len2; i += maxChunkLength) {
    parts.push(encodeChunk(uint8, i, (i + maxChunkLength) &gt; len2 ? len2 : (i + maxChunkLength)))
  }

  // pad the end with zeros, but make sure to not forget the extra bytes
  if (extraBytes === 1) {
    tmp = uint8[len - 1]
    parts.push(
      lookup[tmp &gt;&gt; 2] +
      lookup[(tmp &lt;&lt; 4) &amp; 0x3F] +
      '=='
    )
  } else if (extraBytes === 2) {
    tmp = (uint8[len - 2] &lt;&lt; 8) + uint8[len - 1]
    parts.push(
      lookup[tmp &gt;&gt; 10] +
      lookup[(tmp &gt;&gt; 4) &amp; 0x3F] +
      lookup[(tmp &lt;&lt; 2) &amp; 0x3F] +
      '='
    )
  }

  return parts.join('')
}


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/bv-config.js":
/*!*****************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/bv-config.js ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVConfigPlugin: () =&gt; (/* binding */ BVConfigPlugin)
/* harmony export */ });
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");
//
// Utility Plugin for setting the configuration
//

var BVConfigPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)();

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/alert/alert.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/alert/alert.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BAlert: () =&gt; (/* binding */ BAlert),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _button_button_close__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../button/button-close */ "./node_modules/bootstrap-vue/esm/components/button/button-close.js");
/* harmony import */ var _transition_bv_transition__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../transition/bv-transition */ "./node_modules/bootstrap-vue/esm/components/transition/bv-transition.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }














 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('show', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_NUMBER_STRING,
  defaultValue: false
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event; // --- Helper methods ---
// Convert `show` value to a number


var parseCountDown = function parseCountDown(show) {
  if (show === '' || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isBoolean)(show)) {
    return 0;
  }

  show = (0,_utils_number__WEBPACK_IMPORTED_MODULE_3__.toInteger)(show, 0);
  return show &gt; 0 ? show : 0;
}; // Convert `show` value to a boolean


var parseShow = function parseShow(show) {
  if (show === '' || show === true) {
    return true;
  }

  if ((0,_utils_number__WEBPACK_IMPORTED_MODULE_3__.toInteger)(show, 0) &lt; 1) {
    // Boolean will always return false for the above comparison
    return false;
  }

  return !!show;
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.sortKeys)(_objectSpread(_objectSpread({}, modelProps), {}, {
  dismissLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Close'),
  dismissible: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  fade: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'info')
})), _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_ALERT); // --- Main component ---
// @vue/component

var BAlert = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_7__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_ALERT,
  mixins: [modelMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__.normalizeSlotMixin],
  props: props,
  data: function data() {
    return {
      countDown: 0,
      // If initially shown, we need to set these for SSR
      localShow: parseShow(this[MODEL_PROP_NAME])
    };
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue) {
    this.countDown = parseCountDown(newValue);
    this.localShow = parseShow(newValue);
  }), _defineProperty(_watch, "countDown", function countDown(newValue) {
    var _this = this;

    this.clearCountDownInterval();
    var show = this[MODEL_PROP_NAME]; // Ignore if `show` transitions to a boolean value

    if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isNumeric)(show)) {
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_9__.EVENT_NAME_DISMISS_COUNT_DOWN, newValue); // Update the v-model if needed

      if (show !== newValue) {
        this.$emit(MODEL_EVENT_NAME, newValue);
      }

      if (newValue &gt; 0) {
        this.localShow = true;
        this.$_countDownTimeout = setTimeout(function () {
          _this.countDown--;
        }, 1000);
      } else {
        // Slightly delay the hide to allow any UI updates
        this.$nextTick(function () {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_10__.requestAF)(function () {
            _this.localShow = false;
          });
        });
      }
    }
  }), _defineProperty(_watch, "localShow", function localShow(newValue) {
    var show = this[MODEL_PROP_NAME]; // Only emit dismissed events for dismissible or auto-dismissing alerts

    if (!newValue &amp;&amp; (this.dismissible || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isNumeric)(show))) {
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_9__.EVENT_NAME_DISMISSED);
    } // Only emit booleans if we weren't passed a number via v-model


    if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isNumeric)(show) &amp;&amp; show !== newValue) {
      this.$emit(MODEL_EVENT_NAME, newValue);
    }
  }), _watch),
  created: function created() {
    // Create private non-reactive props
    this.$_filterTimer = null;
    var show = this[MODEL_PROP_NAME];
    this.countDown = parseCountDown(show);
    this.localShow = parseShow(show);
  },
  beforeDestroy: function beforeDestroy() {
    this.clearCountDownInterval();
  },
  methods: {
    dismiss: function dismiss() {
      this.clearCountDownInterval();
      this.countDown = 0;
      this.localShow = false;
    },
    clearCountDownInterval: function clearCountDownInterval() {
      clearTimeout(this.$_countDownTimeout);
      this.$_countDownTimeout = null;
    }
  },
  render: function render(h) {
    var $alert = h();

    if (this.localShow) {
      var dismissible = this.dismissible,
          variant = this.variant;
      var $dismissButton = h();

      if (dismissible) {
        // Add dismiss button
        $dismissButton = h(_button_button_close__WEBPACK_IMPORTED_MODULE_11__.BButtonClose, {
          attrs: {
            'aria-label': this.dismissLabel
          },
          on: {
            click: this.dismiss
          }
        }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_12__.SLOT_NAME_DISMISS)]);
      }

      $alert = h('div', {
        staticClass: 'alert',
        class: _defineProperty({
          'alert-dismissible': dismissible
        }, "alert-".concat(variant), variant),
        attrs: {
          role: 'alert',
          'aria-live': 'polite',
          'aria-atomic': true
        },
        key: this[_vue__WEBPACK_IMPORTED_MODULE_7__.COMPONENT_UID_KEY]
      }, [$dismissButton, this.normalizeSlot()]);
    }

    return h(_transition_bv_transition__WEBPACK_IMPORTED_MODULE_13__.BVTransition, {
      props: {
        noFade: !this.fade
      }
    }, [$alert]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/alert/index.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/alert/index.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   AlertPlugin: () =&gt; (/* binding */ AlertPlugin),
/* harmony export */   BAlert: () =&gt; (/* reexport safe */ _alert__WEBPACK_IMPORTED_MODULE_1__.BAlert)
/* harmony export */ });
/* harmony import */ var _alert__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./alert */ "./node_modules/bootstrap-vue/esm/components/alert/alert.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var AlertPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BAlert: _alert__WEBPACK_IMPORTED_MODULE_1__.BAlert
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/aspect/aspect.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/aspect/aspect.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BAspect: () =&gt; (/* binding */ BAspect),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
function _slicedToArray(arr, i) { return _arrayWithHoles(arr) || _iterableToArrayLimit(arr, i) || _unsupportedIterableToArray(arr, i) || _nonIterableRest(); }

function _nonIterableRest() { throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }

function _iterableToArrayLimit(arr, i) { var _i = arr == null ? null : typeof Symbol !== "undefined" &amp;&amp; arr[Symbol.iterator] || arr["@@iterator"]; if (_i == null) return; var _arr = []; var _n = true; var _d = false; var _s, _e; try { for (_i = _i.call(arr); !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"] != null) _i["return"](); } finally { if (_d) throw _e; } } return _arr; }

function _arrayWithHoles(arr) { if (Array.isArray(arr)) return arr; }








 // --- Constants ---

var CLASS_NAME = 'b-aspect'; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  // Accepts a number (i.e. `16 / 9`, `1`, `4 / 3`)
  // Or a string (i.e. '16/9', '16:9', '4:3' '1:1')
  aspect: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, '1:1'),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_ASPECT); // --- Main component ---
// @vue/component

var BAspect = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_ASPECT,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlotMixin],
  props: props,
  computed: {
    padding: function padding() {
      var aspect = this.aspect;
      var ratio = 1;

      if (_constants_regex__WEBPACK_IMPORTED_MODULE_5__.RX_ASPECT.test(aspect)) {
        // Width and/or Height can be a decimal value below `1`, so
        // we only fallback to `1` if the value is `0` or `NaN`
        var _aspect$split$map = aspect.split(_constants_regex__WEBPACK_IMPORTED_MODULE_5__.RX_ASPECT_SEPARATOR).map(function (v) {
          return (0,_utils_number__WEBPACK_IMPORTED_MODULE_6__.toFloat)(v) || 1;
        }),
            _aspect$split$map2 = _slicedToArray(_aspect$split$map, 2),
            width = _aspect$split$map2[0],
            height = _aspect$split$map2[1];

        ratio = width / height;
      } else {
        ratio = (0,_utils_number__WEBPACK_IMPORTED_MODULE_6__.toFloat)(aspect) || 1;
      }

      return "".concat(100 / (0,_utils_math__WEBPACK_IMPORTED_MODULE_7__.mathAbs)(ratio), "%");
    }
  },
  render: function render(h) {
    var $sizer = h('div', {
      staticClass: "".concat(CLASS_NAME, "-sizer flex-grow-1"),
      style: {
        paddingBottom: this.padding,
        height: 0
      }
    });
    var $content = h('div', {
      staticClass: "".concat(CLASS_NAME, "-content flex-grow-1 w-100 mw-100"),
      style: {
        marginLeft: '-100%'
      }
    }, this.normalizeSlot());
    return h(this.tag, {
      staticClass: "".concat(CLASS_NAME, " d-flex")
    }, [$sizer, $content]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/aspect/index.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/aspect/index.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   AspectPlugin: () =&gt; (/* binding */ AspectPlugin),
/* harmony export */   BAspect: () =&gt; (/* reexport safe */ _aspect__WEBPACK_IMPORTED_MODULE_1__.BAspect)
/* harmony export */ });
/* harmony import */ var _aspect__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./aspect */ "./node_modules/bootstrap-vue/esm/components/aspect/aspect.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var AspectPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BAspect: _aspect__WEBPACK_IMPORTED_MODULE_1__.BAspect
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/avatar/avatar-group.js":
/*!**************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/avatar/avatar-group.js ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BAvatarGroup: () =&gt; (/* binding */ BAvatarGroup),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _avatar__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./avatar */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  overlap: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0.3),
  // Child avatars will prefer this prop (if set) over their own
  rounded: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_STRING, false),
  // Child avatars will always use this over their own size
  size: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // Child avatars will prefer this prop (if set) over their own
  square: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  // Child avatars will prefer this variant over their own
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_AVATAR_GROUP); // --- Main component ---
// @vue/component

var BAvatarGroup = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_AVATAR_GROUP,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlotMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvAvatarGroup: function getBvAvatarGroup() {
        return _this;
      }
    };
  },
  props: props,
  computed: {
    computedSize: function computedSize() {
      return (0,_avatar__WEBPACK_IMPORTED_MODULE_5__.computeSize)(this.size);
    },
    overlapScale: function overlapScale() {
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_6__.mathMin)((0,_utils_math__WEBPACK_IMPORTED_MODULE_6__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_7__.toFloat)(this.overlap, 0), 0), 1) / 2;
    },
    paddingStyle: function paddingStyle() {
      var value = this.computedSize;
      value = value ? "calc(".concat(value, " * ").concat(this.overlapScale, ")") : null;
      return value ? {
        paddingLeft: value,
        paddingRight: value
      } : {};
    }
  },
  render: function render(h) {
    var $inner = h('div', {
      staticClass: 'b-avatar-group-inner',
      style: this.paddingStyle
    }, this.normalizeSlot());
    return h(this.tag, {
      staticClass: 'b-avatar-group',
      attrs: {
        role: 'group'
      }
    }, [$inner]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/avatar/avatar.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BAvatar: () =&gt; (/* binding */ BAvatar),
/* harmony export */   computeSize: () =&gt; (/* binding */ computeSize),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_router__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/router */ "./node_modules/bootstrap-vue/esm/utils/router.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _icons_icon__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../icons/icon */ "./node_modules/bootstrap-vue/esm/icons/icon.js");
/* harmony import */ var _icons_icons__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../icons/icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
/* harmony import */ var _button_button__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../button/button */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }















 // --- Constants ---

var CLASS_NAME = 'b-avatar';
var SIZES = ['sm', null, 'lg'];
var FONT_SIZE_SCALE = 0.4;
var BADGE_FONT_SIZE_SCALE = FONT_SIZE_SCALE * 0.7; // --- Helper methods ---

var computeSize = function computeSize(value) {
  // Parse to number when value is a float-like string
  value = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isString)(value) &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isNumeric)(value) ? (0,_utils_number__WEBPACK_IMPORTED_MODULE_1__.toFloat)(value, 0) : value; // Convert all numbers to pixel values

  return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isNumber)(value) ? "".concat(value, "px") : value || null;
}; // --- Props ---

var linkProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.omit)(_link_link__WEBPACK_IMPORTED_MODULE_3__.props, ['active', 'event', 'routerTag']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread({}, linkProps), {}, {
  alt: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING, 'avatar'),
  ariaLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
  badge: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN_STRING, false),
  badgeLeft: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN, false),
  badgeOffset: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
  badgeTop: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN, false),
  badgeVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING, 'primary'),
  button: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN, false),
  buttonType: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING, 'button'),
  icon: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
  rounded: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN_STRING, false),
  size: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_NUMBER_STRING),
  square: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN, false),
  src: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
  text: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING, 'secondary')
})), _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_AVATAR); // --- Main component ---
// @vue/component

var BAvatar = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_7__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_AVATAR,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__.normalizeSlotMixin],
  inject: {
    getBvAvatarGroup: {
      default: function _default() {
        return function () {
          return null;
        };
      }
    }
  },
  props: props,
  data: function data() {
    return {
      localSrc: this.src || null
    };
  },
  computed: {
    bvAvatarGroup: function bvAvatarGroup() {
      return this.getBvAvatarGroup();
    },
    computedSize: function computedSize() {
      // Always use the avatar group size
      var bvAvatarGroup = this.bvAvatarGroup;
      return computeSize(bvAvatarGroup ? bvAvatarGroup.size : this.size);
    },
    computedVariant: function computedVariant() {
      var bvAvatarGroup = this.bvAvatarGroup;
      return bvAvatarGroup &amp;&amp; bvAvatarGroup.variant ? bvAvatarGroup.variant : this.variant;
    },
    computedRounded: function computedRounded() {
      var bvAvatarGroup = this.bvAvatarGroup;
      var square = bvAvatarGroup &amp;&amp; bvAvatarGroup.square ? true : this.square;
      var rounded = bvAvatarGroup &amp;&amp; bvAvatarGroup.rounded ? bvAvatarGroup.rounded : this.rounded;
      return square ? '0' : rounded === '' ? true : rounded || 'circle';
    },
    fontStyle: function fontStyle() {
      var size = this.computedSize;
      var fontSize = SIZES.indexOf(size) === -1 ? "calc(".concat(size, " * ").concat(FONT_SIZE_SCALE, ")") : null;
      return fontSize ? {
        fontSize: fontSize
      } : {};
    },
    marginStyle: function marginStyle() {
      var size = this.computedSize,
          bvAvatarGroup = this.bvAvatarGroup;
      var overlapScale = bvAvatarGroup ? bvAvatarGroup.overlapScale : 0;
      var value = size &amp;&amp; overlapScale ? "calc(".concat(size, " * -").concat(overlapScale, ")") : null;
      return value ? {
        marginLeft: value,
        marginRight: value
      } : {};
    },
    badgeStyle: function badgeStyle() {
      var size = this.computedSize,
          badgeTop = this.badgeTop,
          badgeLeft = this.badgeLeft,
          badgeOffset = this.badgeOffset;
      var offset = badgeOffset || '0px';
      return {
        fontSize: SIZES.indexOf(size) === -1 ? "calc(".concat(size, " * ").concat(BADGE_FONT_SIZE_SCALE, " )") : null,
        top: badgeTop ? offset : null,
        bottom: badgeTop ? null : offset,
        left: badgeLeft ? offset : null,
        right: badgeLeft ? null : offset
      };
    }
  },
  watch: {
    src: function src(newValue, oldValue) {
      if (newValue !== oldValue) {
        this.localSrc = newValue || null;
      }
    }
  },
  methods: {
    onImgError: function onImgError(event) {
      this.localSrc = null;
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_9__.EVENT_NAME_IMG_ERROR, event);
    },
    onClick: function onClick(event) {
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_9__.EVENT_NAME_CLICK, event);
    }
  },
  render: function render(h) {
    var _class2;

    var variant = this.computedVariant,
        disabled = this.disabled,
        rounded = this.computedRounded,
        icon = this.icon,
        src = this.localSrc,
        text = this.text,
        fontStyle = this.fontStyle,
        marginStyle = this.marginStyle,
        size = this.computedSize,
        button = this.button,
        type = this.buttonType,
        badge = this.badge,
        badgeVariant = this.badgeVariant,
        badgeStyle = this.badgeStyle;
    var link = !button &amp;&amp; (0,_utils_router__WEBPACK_IMPORTED_MODULE_10__.isLink)(this);
    var tag = button ? _button_button__WEBPACK_IMPORTED_MODULE_11__.BButton : link ? _link_link__WEBPACK_IMPORTED_MODULE_3__.BLink : 'span';
    var alt = this.alt;
    var ariaLabel = this.ariaLabel || null;
    var $content = null;

    if (this.hasNormalizedSlot()) {
      // Default slot overrides props
      $content = h('span', {
        staticClass: 'b-avatar-custom'
      }, [this.normalizeSlot()]);
    } else if (src) {
      $content = h('img', {
        style: variant ? {} : {
          width: '100%',
          height: '100%'
        },
        attrs: {
          src: src,
          alt: alt
        },
        on: {
          error: this.onImgError
        }
      });
      $content = h('span', {
        staticClass: 'b-avatar-img'
      }, [$content]);
    } else if (icon) {
      $content = h(_icons_icon__WEBPACK_IMPORTED_MODULE_12__.BIcon, {
        props: {
          icon: icon
        },
        attrs: {
          'aria-hidden': 'true',
          alt: alt
        }
      });
    } else if (text) {
      $content = h('span', {
        staticClass: 'b-avatar-text',
        style: fontStyle
      }, [h('span', text)]);
    } else {
      // Fallback default avatar content
      $content = h(_icons_icons__WEBPACK_IMPORTED_MODULE_13__.BIconPersonFill, {
        attrs: {
          'aria-hidden': 'true',
          alt: alt
        }
      });
    }

    var $badge = h();
    var hasBadgeSlot = this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_14__.SLOT_NAME_BADGE);

    if (badge || badge === '' || hasBadgeSlot) {
      var badgeText = badge === true ? '' : badge;
      $badge = h('span', {
        staticClass: 'b-avatar-badge',
        class: _defineProperty({}, "badge-".concat(badgeVariant), badgeVariant),
        style: badgeStyle
      }, [hasBadgeSlot ? this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_14__.SLOT_NAME_BADGE) : badgeText]);
    }

    var componentData = {
      staticClass: CLASS_NAME,
      class: (_class2 = {}, _defineProperty(_class2, "".concat(CLASS_NAME, "-").concat(size), size &amp;&amp; SIZES.indexOf(size) !== -1), _defineProperty(_class2, "badge-".concat(variant), !button &amp;&amp; variant), _defineProperty(_class2, "rounded", rounded === true), _defineProperty(_class2, "rounded-".concat(rounded), rounded &amp;&amp; rounded !== true), _defineProperty(_class2, "disabled", disabled), _class2),
      style: _objectSpread(_objectSpread({}, marginStyle), {}, {
        width: size,
        height: size
      }),
      attrs: {
        'aria-label': ariaLabel || null
      },
      props: button ? {
        variant: variant,
        disabled: disabled,
        type: type
      } : link ? (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.pluckProps)(linkProps, this) : {},
      on: button || link ? {
        click: this.onClick
      } : {}
    };
    return h(tag, componentData, [$content, $badge]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/avatar/index.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/avatar/index.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   AvatarPlugin: () =&gt; (/* binding */ AvatarPlugin),
/* harmony export */   BAvatar: () =&gt; (/* reexport safe */ _avatar__WEBPACK_IMPORTED_MODULE_1__.BAvatar),
/* harmony export */   BAvatarGroup: () =&gt; (/* reexport safe */ _avatar_group__WEBPACK_IMPORTED_MODULE_2__.BAvatarGroup)
/* harmony export */ });
/* harmony import */ var _avatar__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./avatar */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var _avatar_group__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./avatar-group */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar-group.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var AvatarPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BAvatar: _avatar__WEBPACK_IMPORTED_MODULE_1__.BAvatar,
    BAvatarGroup: _avatar_group__WEBPACK_IMPORTED_MODULE_2__.BAvatarGroup
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/badge/badge.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/badge/badge.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BBadge: () =&gt; (/* binding */ BBadge),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_router__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/router */ "./node_modules/bootstrap-vue/esm/utils/router.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var linkProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_link_link__WEBPACK_IMPORTED_MODULE_1__.props, ['event', 'routerTag']);
delete linkProps.href.default;
delete linkProps.to.default;
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.sortKeys)(_objectSpread(_objectSpread({}, linkProps), {}, {
  pill: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'span'),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'secondary')
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_BADGE); // --- Main component ---
// @vue/component

var BBadge = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_BADGE,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var active = props.active,
        disabled = props.disabled;
    var link = (0,_utils_router__WEBPACK_IMPORTED_MODULE_6__.isLink)(props);
    var tag = link ? _link_link__WEBPACK_IMPORTED_MODULE_1__.BLink : props.tag;
    var variant = props.variant || 'secondary';
    return h(tag, (0,_vue__WEBPACK_IMPORTED_MODULE_7__.mergeData)(data, {
      staticClass: 'badge',
      class: ["badge-".concat(variant), {
        'badge-pill': props.pill,
        active: active,
        disabled: disabled
      }],
      props: link ? (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.pluckProps)(linkProps, props) : {}
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/badge/index.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/badge/index.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BBadge: () =&gt; (/* reexport safe */ _badge__WEBPACK_IMPORTED_MODULE_1__.BBadge),
/* harmony export */   BadgePlugin: () =&gt; (/* binding */ BadgePlugin)
/* harmony export */ });
/* harmony import */ var _badge__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./badge */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var BadgePlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BBadge: _badge__WEBPACK_IMPORTED_MODULE_1__.BBadge
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb-item.js":
/*!*********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb-item.js ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BBreadcrumbItem: () =&gt; (/* binding */ BBreadcrumbItem),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _breadcrumb_link__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./breadcrumb-link */ "./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb-link.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)(_breadcrumb_link__WEBPACK_IMPORTED_MODULE_1__.props, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_BREADCRUMB_ITEM); // --- Main component ---
// @vue/component

var BBreadcrumbItem = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_BREADCRUMB_ITEM,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h('li', (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      staticClass: 'breadcrumb-item',
      class: {
        active: props.active
      }
    }), [h(_breadcrumb_link__WEBPACK_IMPORTED_MODULE_1__.BBreadcrumbLink, {
      props: props
    }, children)]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb-link.js":
/*!*********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb-link.js ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BBreadcrumbLink: () =&gt; (/* binding */ BBreadcrumbLink),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.omit)(_link_link__WEBPACK_IMPORTED_MODULE_2__.props, ['event', 'routerTag'])), {}, {
  ariaCurrent: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'location'),
  html: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  text: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_BREADCRUMB_LINK); // --- Main component ---
// @vue/component

var BBreadcrumbLink = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_BREADCRUMB_LINK,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var suppliedProps = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var active = suppliedProps.active;
    var tag = active ? 'span' : _link_link__WEBPACK_IMPORTED_MODULE_2__.BLink;
    var componentData = {
      attrs: {
        'aria-current': active ? suppliedProps.ariaCurrent : null
      },
      props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.pluckProps)(props, suppliedProps)
    };

    if (!children) {
      componentData.domProps = (0,_utils_html__WEBPACK_IMPORTED_MODULE_6__.htmlOrText)(suppliedProps.html, suppliedProps.text);
    }

    return h(tag, (0,_vue__WEBPACK_IMPORTED_MODULE_7__.mergeData)(data, componentData), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BBreadcrumb: () =&gt; (/* binding */ BBreadcrumb),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _breadcrumb_item__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./breadcrumb-item */ "./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb-item.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  items: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_BREADCRUMB); // --- Main component ---
// @vue/component

var BBreadcrumb = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_BREADCRUMB,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var items = props.items; // Build child nodes from items, if given

    var childNodes = children;

    if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_4__.isArray)(items)) {
      var activeDefined = false;
      childNodes = items.map(function (item, idx) {
        if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_4__.isObject)(item)) {
          item = {
            text: (0,_utils_string__WEBPACK_IMPORTED_MODULE_5__.toString)(item)
          };
        } // Copy the value here so we can normalize it


        var _item = item,
            active = _item.active;

        if (active) {
          activeDefined = true;
        } // Auto-detect active by position in list


        if (!active &amp;&amp; !activeDefined) {
          active = idx + 1 === items.length;
        }

        return h(_breadcrumb_item__WEBPACK_IMPORTED_MODULE_6__.BBreadcrumbItem, {
          props: _objectSpread(_objectSpread({}, item), {}, {
            active: active
          })
        });
      });
    }

    return h('ol', (0,_vue__WEBPACK_IMPORTED_MODULE_7__.mergeData)(data, {
      staticClass: 'breadcrumb'
    }), childNodes);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/breadcrumb/index.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/breadcrumb/index.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BBreadcrumb: () =&gt; (/* reexport safe */ _breadcrumb__WEBPACK_IMPORTED_MODULE_1__.BBreadcrumb),
/* harmony export */   BBreadcrumbItem: () =&gt; (/* reexport safe */ _breadcrumb_item__WEBPACK_IMPORTED_MODULE_2__.BBreadcrumbItem),
/* harmony export */   BBreadcrumbLink: () =&gt; (/* reexport safe */ _breadcrumb_link__WEBPACK_IMPORTED_MODULE_3__.BBreadcrumbLink),
/* harmony export */   BreadcrumbPlugin: () =&gt; (/* binding */ BreadcrumbPlugin)
/* harmony export */ });
/* harmony import */ var _breadcrumb__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./breadcrumb */ "./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb.js");
/* harmony import */ var _breadcrumb_item__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./breadcrumb-item */ "./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb-item.js");
/* harmony import */ var _breadcrumb_link__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./breadcrumb-link */ "./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb-link.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");




var BreadcrumbPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BBreadcrumb: _breadcrumb__WEBPACK_IMPORTED_MODULE_1__.BBreadcrumb,
    BBreadcrumbItem: _breadcrumb_item__WEBPACK_IMPORTED_MODULE_2__.BBreadcrumbItem,
    BBreadcrumbLink: _breadcrumb_link__WEBPACK_IMPORTED_MODULE_3__.BBreadcrumbLink
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/button-group/button-group.js":
/*!********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/button-group/button-group.js ***!
  \********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BButtonGroup: () =&gt; (/* binding */ BButtonGroup),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _button_button__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../button/button */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.pick)(_button_button__WEBPACK_IMPORTED_MODULE_2__.props, ['size'])), {}, {
  ariaRole: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'group'),
  size: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'div'),
  vertical: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_BUTTON_GROUP); // --- Main component ---
// @vue/component

var BButtonGroup = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_BUTTON_GROUP,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_6__.mergeData)(data, {
      class: _defineProperty({
        'btn-group': !props.vertical,
        'btn-group-vertical': props.vertical
      }, "btn-group-".concat(props.size), props.size),
      attrs: {
        role: props.ariaRole
      }
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/button-group/index.js":
/*!*************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/button-group/index.js ***!
  \*************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BButtonGroup: () =&gt; (/* reexport safe */ _button_group__WEBPACK_IMPORTED_MODULE_1__.BButtonGroup),
/* harmony export */   ButtonGroupPlugin: () =&gt; (/* binding */ ButtonGroupPlugin)
/* harmony export */ });
/* harmony import */ var _button_group__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./button-group */ "./node_modules/bootstrap-vue/esm/components/button-group/button-group.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var ButtonGroupPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BButtonGroup: _button_group__WEBPACK_IMPORTED_MODULE_1__.BButtonGroup,
    BBtnGroup: _button_group__WEBPACK_IMPORTED_MODULE_1__.BButtonGroup
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/button-toolbar/button-toolbar.js":
/*!************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/button-toolbar/button-toolbar.js ***!
  \************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BButtonToolbar: () =&gt; (/* binding */ BButtonToolbar),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");







 // --- Constants ---

var ITEM_SELECTOR = ['.btn:not(.disabled):not([disabled]):not(.dropdown-item)', '.form-control:not(.disabled):not([disabled])', 'select:not(.disabled):not([disabled])', 'input[type="checkbox"]:not(.disabled)', 'input[type="radio"]:not(.disabled)'].join(','); // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  justify: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  keyNav: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_BUTTON_TOOLBAR); // --- Main component ---
// @vue/component

var BButtonToolbar = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_BUTTON_TOOLBAR,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlotMixin],
  props: props,
  mounted: function mounted() {
    // Pre-set the tabindexes if the markup does not include
    // `tabindex="-1"` on the toolbar items
    if (this.keyNav) {
      this.getItems();
    }
  },
  methods: {
    getItems: function getItems() {
      var items = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.selectAll)(ITEM_SELECTOR, this.$el); // Ensure `tabindex="-1"` is set on every item

      items.forEach(function (item) {
        item.tabIndex = -1;
      });
      return items.filter(function (el) {
        return (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.isVisible)(el);
      });
    },
    focusFirst: function focusFirst() {
      var items = this.getItems();
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.attemptFocus)(items[0]);
    },
    focusPrev: function focusPrev(event) {
      var items = this.getItems();
      var index = items.indexOf(event.target);

      if (index &gt; -1) {
        items = items.slice(0, index).reverse();
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.attemptFocus)(items[0]);
      }
    },
    focusNext: function focusNext(event) {
      var items = this.getItems();
      var index = items.indexOf(event.target);

      if (index &gt; -1) {
        items = items.slice(index + 1);
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.attemptFocus)(items[0]);
      }
    },
    focusLast: function focusLast() {
      var items = this.getItems().reverse();
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.attemptFocus)(items[0]);
    },
    onFocusin: function onFocusin(event) {
      var $el = this.$el;

      if (event.target === $el &amp;&amp; !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.contains)($el, event.relatedTarget)) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_6__.stopEvent)(event);
        this.focusFirst(event);
      }
    },
    onKeydown: function onKeydown(event) {
      var keyCode = event.keyCode,
          shiftKey = event.shiftKey;

      if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__.CODE_UP || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__.CODE_LEFT) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_6__.stopEvent)(event);
        shiftKey ? this.focusFirst(event) : this.focusPrev(event);
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__.CODE_DOWN || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__.CODE_RIGHT) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_6__.stopEvent)(event);
        shiftKey ? this.focusLast(event) : this.focusNext(event);
      }
    }
  },
  render: function render(h) {
    var keyNav = this.keyNav;
    return h('div', {
      staticClass: 'btn-toolbar',
      class: {
        'justify-content-between': this.justify
      },
      attrs: {
        role: 'toolbar',
        tabindex: keyNav ? '0' : null
      },
      on: keyNav ? {
        focusin: this.onFocusin,
        keydown: this.onKeydown
      } : {}
    }, [this.normalizeSlot()]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/button-toolbar/index.js":
/*!***************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/button-toolbar/index.js ***!
  \***************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BButtonToolbar: () =&gt; (/* reexport safe */ _button_toolbar__WEBPACK_IMPORTED_MODULE_1__.BButtonToolbar),
/* harmony export */   ButtonToolbarPlugin: () =&gt; (/* binding */ ButtonToolbarPlugin)
/* harmony export */ });
/* harmony import */ var _button_toolbar__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./button-toolbar */ "./node_modules/bootstrap-vue/esm/components/button-toolbar/button-toolbar.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var ButtonToolbarPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BButtonToolbar: _button_toolbar__WEBPACK_IMPORTED_MODULE_1__.BButtonToolbar,
    BBtnToolbar: _button_toolbar__WEBPACK_IMPORTED_MODULE_1__.BButtonToolbar
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/button/button-close.js":
/*!**************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/button/button-close.js ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BButtonClose: () =&gt; (/* binding */ BButtonClose),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/normalize-slot */ "./node_modules/bootstrap-vue/esm/utils/normalize-slot.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }








 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  ariaLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Close'),
  content: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, '&amp;times;'),
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  textVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_BUTTON_CLOSE); // --- Main component ---
// @vue/component

var BButtonClose = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_BUTTON_CLOSE,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        slots = _ref.slots,
        scopedSlots = _ref.scopedSlots;
    var $slots = slots();
    var $scopedSlots = scopedSlots || {};
    var componentData = {
      staticClass: 'close',
      class: _defineProperty({}, "text-".concat(props.textVariant), props.textVariant),
      attrs: {
        type: 'button',
        disabled: props.disabled,
        'aria-label': props.ariaLabel ? String(props.ariaLabel) : null
      },
      on: {
        click: function click(event) {
          // Ensure click on button HTML content is also disabled

          /* istanbul ignore if: bug in JSDOM still emits click on inner element */
          if (props.disabled &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_4__.isEvent)(event)) {
            (0,_utils_events__WEBPACK_IMPORTED_MODULE_5__.stopEvent)(event);
          }
        }
      }
    }; // Careful not to override the default slot with innerHTML

    if (!(0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.hasNormalizedSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_7__.SLOT_NAME_DEFAULT, $scopedSlots, $slots)) {
      componentData.domProps = {
        innerHTML: props.content
      };
    }

    return h('button', (0,_vue__WEBPACK_IMPORTED_MODULE_8__.mergeData)(data, componentData), (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_7__.SLOT_NAME_DEFAULT, {}, $scopedSlots, $slots));
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/button/button.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/button/button.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BButton: () =&gt; (/* binding */ BButton),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_router__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/router */ "./node_modules/bootstrap-vue/esm/utils/router.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }












 // --- Props ---

var linkProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_link_link__WEBPACK_IMPORTED_MODULE_1__.props, ['event', 'routerTag']);
delete linkProps.href.default;
delete linkProps.to.default;
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.sortKeys)(_objectSpread(_objectSpread({}, linkProps), {}, {
  block: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  pill: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  // Tri-state: `true`, `false` or `null`
  // =&gt; On, off, not a toggle
  pressed: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, null),
  size: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  squared: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'button'),
  type: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'button'),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'secondary')
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_BUTTON); // --- Helper methods ---
// Focus handler for toggle buttons
// Needs class of 'focus' when focused

var handleFocus = function handleFocus(event) {
  if (event.type === 'focusin') {
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.addClass)(event.target, 'focus');
  } else if (event.type === 'focusout') {
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.removeClass)(event.target, 'focus');
  }
}; // Is the requested button a link?
// If tag prop is set to `a`, we use a &lt;b-link&gt; to get proper disabled handling


var isLink = function isLink(props) {
  return (0,_utils_router__WEBPACK_IMPORTED_MODULE_6__.isLink)(props) || (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.isTag)(props.tag, 'a');
}; // Is the button to be a toggle button?


var isToggle = function isToggle(props) {
  return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isBoolean)(props.pressed);
}; // Is the button "really" a button?


var isButton = function isButton(props) {
  return !(isLink(props) || props.tag &amp;&amp; !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.isTag)(props.tag, 'button'));
}; // Is the requested tag not a button or link?


var isNonStandardTag = function isNonStandardTag(props) {
  return !isLink(props) &amp;&amp; !isButton(props);
}; // Compute required classes (non static classes)


var computeClass = function computeClass(props) {
  var _ref;

  return ["btn-".concat(props.variant || 'secondary'), (_ref = {}, _defineProperty(_ref, "btn-".concat(props.size), props.size), _defineProperty(_ref, 'btn-block', props.block), _defineProperty(_ref, 'rounded-pill', props.pill), _defineProperty(_ref, 'rounded-0', props.squared &amp;&amp; !props.pill), _defineProperty(_ref, "disabled", props.disabled), _defineProperty(_ref, "active", props.pressed), _ref)];
}; // Compute the link props to pass to b-link (if required)


var computeLinkProps = function computeLinkProps(props) {
  return isLink(props) ? (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.pluckProps)(linkProps, props) : {};
}; // Compute the attributes for a button


var computeAttrs = function computeAttrs(props, data) {
  var button = isButton(props);
  var link = isLink(props);
  var toggle = isToggle(props);
  var nonStandardTag = isNonStandardTag(props);
  var hashLink = link &amp;&amp; props.href === '#';
  var role = data.attrs &amp;&amp; data.attrs.role ? data.attrs.role : null;
  var tabindex = data.attrs ? data.attrs.tabindex : null;

  if (nonStandardTag || hashLink) {
    tabindex = '0';
  }

  return {
    // Type only used for "real" buttons
    type: button &amp;&amp; !link ? props.type : null,
    // Disabled only set on "real" buttons
    disabled: button ? props.disabled : null,
    // We add a role of button when the tag is not a link or button for ARIA
    // Don't bork any role provided in `data.attrs` when `isLink` or `isButton`
    // Except when link has `href` of `#`
    role: nonStandardTag || hashLink ? 'button' : role,
    // We set the `aria-disabled` state for non-standard tags
    'aria-disabled': nonStandardTag ? String(props.disabled) : null,
    // For toggles, we need to set the pressed state for ARIA
    'aria-pressed': toggle ? String(props.pressed) : null,
    // `autocomplete="off"` is needed in toggle mode to prevent some browsers
    // from remembering the previous setting when using the back button
    autocomplete: toggle ? 'off' : null,
    // `tabindex` is used when the component is not a button
    // Links are tabbable, but don't allow disabled, while non buttons or links
    // are not tabbable, so we mimic that functionality by disabling tabbing
    // when disabled, and adding a `tabindex="0"` to non buttons or non links
    tabindex: props.disabled &amp;&amp; !button ? '-1' : tabindex
  };
}; // --- Main component ---
// @vue/component


var BButton = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_8__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_BUTTON,
  functional: true,
  props: props,
  render: function render(h, _ref2) {
    var props = _ref2.props,
        data = _ref2.data,
        listeners = _ref2.listeners,
        children = _ref2.children;
    var toggle = isToggle(props);
    var link = isLink(props);
    var nonStandardTag = isNonStandardTag(props);
    var hashLink = link &amp;&amp; props.href === '#';
    var on = {
      keydown: function keydown(event) {
        // When the link is a `href="#"` or a non-standard tag (has `role="button"`),
        // we add a keydown handlers for CODE_SPACE/CODE_ENTER

        /* istanbul ignore next */
        if (props.disabled || !(nonStandardTag || hashLink)) {
          return;
        }

        var keyCode = event.keyCode; // Add CODE_SPACE handler for `href="#"` and CODE_ENTER handler for non-standard tags

        if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_9__.CODE_SPACE || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_9__.CODE_ENTER &amp;&amp; nonStandardTag) {
          var target = event.currentTarget || event.target;
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_10__.stopEvent)(event, {
            propagation: false
          });
          target.click();
        }
      },
      click: function click(event) {
        /* istanbul ignore if: blink/button disabled should handle this */
        if (props.disabled &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isEvent)(event)) {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_10__.stopEvent)(event);
        } else if (toggle &amp;&amp; listeners &amp;&amp; listeners['update:pressed']) {
          // Send `.sync` updates to any "pressed" prop (if `.sync` listeners)
          // `concat()` will normalize the value to an array without
          // double wrapping an array value in an array
          (0,_utils_array__WEBPACK_IMPORTED_MODULE_11__.concat)(listeners['update:pressed']).forEach(function (fn) {
            if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isFunction)(fn)) {
              fn(!props.pressed);
            }
          });
        }
      }
    };

    if (toggle) {
      on.focusin = handleFocus;
      on.focusout = handleFocus;
    }

    var componentData = {
      staticClass: 'btn',
      class: computeClass(props),
      props: computeLinkProps(props),
      attrs: computeAttrs(props, data),
      on: on
    };
    return h(link ? _link_link__WEBPACK_IMPORTED_MODULE_1__.BLink : props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_12__.mergeData)(_objectSpread(_objectSpread({}, data), {}, {
      props: undefined
    }), componentData), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/button/index.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/button/index.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BButton: () =&gt; (/* reexport safe */ _button__WEBPACK_IMPORTED_MODULE_1__.BButton),
/* harmony export */   BButtonClose: () =&gt; (/* reexport safe */ _button_close__WEBPACK_IMPORTED_MODULE_2__.BButtonClose),
/* harmony export */   ButtonPlugin: () =&gt; (/* binding */ ButtonPlugin)
/* harmony export */ });
/* harmony import */ var _button__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./button */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var _button_close__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./button-close */ "./node_modules/bootstrap-vue/esm/components/button/button-close.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var ButtonPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BButton: _button__WEBPACK_IMPORTED_MODULE_1__.BButton,
    BBtn: _button__WEBPACK_IMPORTED_MODULE_1__.BButton,
    BButtonClose: _button_close__WEBPACK_IMPORTED_MODULE_2__.BButtonClose,
    BBtnClose: _button_close__WEBPACK_IMPORTED_MODULE_2__.BButtonClose
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/calendar/calendar.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/calendar/calendar.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCalendar: () =&gt; (/* binding */ BCalendar),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_date__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/date */ "./node_modules/bootstrap-vue/esm/constants/date.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_date__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/date */ "./node_modules/bootstrap-vue/esm/utils/date.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_locale__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../utils/locale */ "./node_modules/bootstrap-vue/esm/utils/locale.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _icons_icons__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ../../icons/icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

























 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_DATE_STRING
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_4__.props), modelProps), {}, {
  ariaControls: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // Makes calendar the full width of its parent container
  block: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  dateDisabledFn: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_FUNCTION),
  // `Intl.DateTimeFormat` object
  dateFormatOptions: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_OBJECT, {
    year: _constants_date__WEBPACK_IMPORTED_MODULE_5__.DATE_FORMAT_NUMERIC,
    month: _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_LONG,
    day: _constants_date__WEBPACK_IMPORTED_MODULE_5__.DATE_FORMAT_NUMERIC,
    weekday: _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_LONG
  }),
  // Function to set a class of (classes) on the date cell
  // if passed a string or an array
  // TODO:
  //   If the function returns an object, look for class prop for classes,
  //   and other props for handling events/details/descriptions
  dateInfoFn: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_FUNCTION),
  // 'ltr', 'rtl', or `null` (for auto detect)
  direction: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  headerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'header'),
  // When `true`, renders a comment node, but keeps the component instance active
  // Mainly for &lt;b-form-date&gt;, so that we can get the component's value and locale
  // But we might just use separate date formatters, using the resolved locale
  // (adjusted for the gregorian calendar)
  hidden: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // When `true` makes the selected date header `sr-only`
  hideHeader: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // This specifies the calendar year/month/day that will be shown when
  // first opening the datepicker if no v-model value is provided
  // Default is the current date (or `min`/`max`)
  initialDate: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_DATE_STRING),
  // Labels for buttons and keyboard shortcuts
  labelCalendar: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Calendar'),
  labelCurrentMonth: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Current month'),
  labelHelp: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Use cursor keys to navigate calendar dates'),
  labelNav: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Calendar navigation'),
  labelNextDecade: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Next decade'),
  labelNextMonth: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Next month'),
  labelNextYear: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Next year'),
  labelNoDateSelected: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'No date selected'),
  labelPrevDecade: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Previous decade'),
  labelPrevMonth: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Previous month'),
  labelPrevYear: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Previous year'),
  labelSelected: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Selected date'),
  labelToday: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Today'),
  // Locale(s) to use
  // Default is to use page/browser default setting
  locale: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_STRING),
  max: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_DATE_STRING),
  min: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_DATE_STRING),
  // Variant color to use for the navigation buttons
  navButtonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'secondary'),
  // Disable highlighting today's date
  noHighlightToday: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noKeyNav: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  readonly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  roleDescription: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // Variant color to use for the selected date
  selectedVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'primary'),
  // When `true` enables the decade navigation buttons
  showDecadeNav: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Day of week to start calendar on
  // `0` (Sunday), `1` (Monday), ... `6` (Saturday)
  startWeekday: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0),
  // Variant color to use for today's date (defaults to `selectedVariant`)
  todayVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // Always return the `v-model` value as a date object
  valueAsDate: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Format of the weekday names at the top of the calendar
  // `short` is typically a 3 letter abbreviation,
  // `narrow` is typically a single letter
  // `long` is the full week day name
  // Although some locales may override this (i.e `ar`, etc.)
  weekdayHeaderFormat: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_SHORT, function (value) {
    return (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.arrayIncludes)([_constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_LONG, _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_SHORT, _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_NARROW], value);
  }),
  // Has no effect if prop `block` is set
  width: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, '270px')
})), _constants_components__WEBPACK_IMPORTED_MODULE_7__.NAME_CALENDAR); // --- Main component ---
// @vue/component

var BCalendar = (0,_vue__WEBPACK_IMPORTED_MODULE_8__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_7__.NAME_CALENDAR,
  // Mixin order is important!
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_9__.attrsMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_4__.idMixin, modelMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_10__.normalizeSlotMixin],
  props: props,
  data: function data() {
    var selected = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this[MODEL_PROP_NAME]) || '';
    return {
      // Selected date
      selectedYMD: selected,
      // Date in calendar grid that has `tabindex` of `0`
      activeYMD: selected || (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.constrainDate)(this.initialDate || this.getToday()), this.min, this.max),
      // Will be true if the calendar grid has/contains focus
      gridHasFocus: false,
      // Flag to enable the `aria-live` region(s) after mount
      // to prevent screen reader "outbursts" when mounting
      isLive: false
    };
  },
  computed: {
    valueId: function valueId() {
      return this.safeId();
    },
    widgetId: function widgetId() {
      return this.safeId('_calendar-wrapper_');
    },
    navId: function navId() {
      return this.safeId('_calendar-nav_');
    },
    gridId: function gridId() {
      return this.safeId('_calendar-grid_');
    },
    gridCaptionId: function gridCaptionId() {
      return this.safeId('_calendar-grid-caption_');
    },
    gridHelpId: function gridHelpId() {
      return this.safeId('_calendar-grid-help_');
    },
    activeId: function activeId() {
      return this.activeYMD ? this.safeId("_cell-".concat(this.activeYMD, "_")) : null;
    },
    // TODO: Use computed props to convert `YYYY-MM-DD` to `Date` object
    selectedDate: function selectedDate() {
      // Selected as a `Date` object
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(this.selectedYMD);
    },
    activeDate: function activeDate() {
      // Active as a `Date` object
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(this.activeYMD);
    },
    computedMin: function computedMin() {
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(this.min);
    },
    computedMax: function computedMax() {
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(this.max);
    },
    computedWeekStarts: function computedWeekStarts() {
      // `startWeekday` is a prop (constrained to `0` through `6`)
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_12__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_13__.toInteger)(this.startWeekday, 0), 0) % 7;
    },
    computedLocale: function computedLocale() {
      // Returns the resolved locale used by the calendar
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.resolveLocale)((0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.concat)(this.locale).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_14__.identity), _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_GREGORY);
    },
    computedDateDisabledFn: function computedDateDisabledFn() {
      var dateDisabledFn = this.dateDisabledFn;
      return (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.hasPropFunction)(dateDisabledFn) ? dateDisabledFn : function () {
        return false;
      };
    },
    // TODO: Change `dateInfoFn` to handle events and notes as well as classes
    computedDateInfoFn: function computedDateInfoFn() {
      var dateInfoFn = this.dateInfoFn;
      return (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.hasPropFunction)(dateInfoFn) ? dateInfoFn : function () {
        return {};
      };
    },
    calendarLocale: function calendarLocale() {
      // This locale enforces the gregorian calendar (for use in formatter functions)
      // Needed because IE 11 resolves `ar-IR` as islamic-civil calendar
      // and IE 11 (and some other browsers) do not support the `calendar` option
      // And we currently only support the gregorian calendar
      var fmt = new Intl.DateTimeFormat(this.computedLocale, {
        calendar: _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_GREGORY
      });
      var calendar = fmt.resolvedOptions().calendar;
      var locale = fmt.resolvedOptions().locale;
      /* istanbul ignore if: mainly for IE 11 and a few other browsers, hard to test in JSDOM */

      if (calendar !== _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_GREGORY) {
        // Ensure the locale requests the gregorian calendar
        // Mainly for IE 11, and currently we can't handle non-gregorian calendars
        // TODO: Should we always return this value?
        locale = locale.replace(/-u-.+$/i, '').concat('-u-ca-gregory');
      }

      return locale;
    },
    calendarYear: function calendarYear() {
      return this.activeDate.getFullYear();
    },
    calendarMonth: function calendarMonth() {
      return this.activeDate.getMonth();
    },
    calendarFirstDay: function calendarFirstDay() {
      // We set the time for this date to 12pm to work around
      // date formatting issues in Firefox and Safari
      // See: https://github.com/bootstrap-vue/bootstrap-vue/issues/5818
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDate)(this.calendarYear, this.calendarMonth, 1, 12);
    },
    calendarDaysInMonth: function calendarDaysInMonth() {
      // We create a new date as to not mutate the original
      var date = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDate)(this.calendarFirstDay);
      date.setMonth(date.getMonth() + 1, 0);
      return date.getDate();
    },
    computedVariant: function computedVariant() {
      return "btn-".concat(this.selectedVariant || 'primary');
    },
    computedTodayVariant: function computedTodayVariant() {
      return "btn-outline-".concat(this.todayVariant || this.selectedVariant || 'primary');
    },
    computedNavButtonVariant: function computedNavButtonVariant() {
      return "btn-outline-".concat(this.navButtonVariant || 'primary');
    },
    isRTL: function isRTL() {
      // `true` if the language requested is RTL
      var dir = (0,_utils_string__WEBPACK_IMPORTED_MODULE_15__.toString)(this.direction).toLowerCase();

      if (dir === 'rtl') {
        /* istanbul ignore next */
        return true;
      } else if (dir === 'ltr') {
        /* istanbul ignore next */
        return false;
      }

      return (0,_utils_locale__WEBPACK_IMPORTED_MODULE_16__.isLocaleRTL)(this.computedLocale);
    },
    context: function context() {
      var selectedYMD = this.selectedYMD,
          activeYMD = this.activeYMD;
      var selectedDate = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(selectedYMD);
      var activeDate = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(activeYMD);
      return {
        // The current value of the `v-model`
        selectedYMD: selectedYMD,
        selectedDate: selectedDate,
        selectedFormatted: selectedDate ? this.formatDateString(selectedDate) : this.labelNoDateSelected,
        // Which date cell is considered active due to navigation
        activeYMD: activeYMD,
        activeDate: activeDate,
        activeFormatted: activeDate ? this.formatDateString(activeDate) : '',
        // `true` if the date is disabled (when using keyboard navigation)
        disabled: this.dateDisabled(activeDate),
        // Locales used in formatting dates
        locale: this.computedLocale,
        calendarLocale: this.calendarLocale,
        rtl: this.isRTL
      };
    },
    // Computed props that return a function reference
    dateOutOfRange: function dateOutOfRange() {
      // Check whether a date is within the min/max range
      // Returns a new function ref if the pops change
      // We do this as we need to trigger the calendar computed prop
      // to update when these props update
      var min = this.computedMin,
          max = this.computedMax;
      return function (date) {
        // Handle both `YYYY-MM-DD` and `Date` objects
        date = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(date);
        return min &amp;&amp; date &lt; min || max &amp;&amp; date &gt; max;
      };
    },
    dateDisabled: function dateDisabled() {
      var _this = this;

      // Returns a function for validating if a date is within range
      // We grab this variables first to ensure a new function ref
      // is generated when the props value changes
      // We do this as we need to trigger the calendar computed prop
      // to update when these props update
      var rangeFn = this.dateOutOfRange; // Return the function ref

      return function (date) {
        // Handle both `YYYY-MM-DD` and `Date` objects
        date = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(date);
        var ymd = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(date);
        return !!(rangeFn(date) || _this.computedDateDisabledFn(ymd, date));
      };
    },
    // Computed props that return date formatter functions
    formatDateString: function formatDateString() {
      // Returns a date formatter function
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDateFormatter)(this.calendarLocale, _objectSpread(_objectSpread({
        // Ensure we have year, month, day shown for screen readers/ARIA
        // If users really want to leave one of these out, they can
        // pass `undefined` for the property value
        year: _constants_date__WEBPACK_IMPORTED_MODULE_5__.DATE_FORMAT_NUMERIC,
        month: _constants_date__WEBPACK_IMPORTED_MODULE_5__.DATE_FORMAT_2_DIGIT,
        day: _constants_date__WEBPACK_IMPORTED_MODULE_5__.DATE_FORMAT_2_DIGIT
      }, this.dateFormatOptions), {}, {
        // Ensure hours/minutes/seconds are not shown
        // As we do not support the time portion (yet)
        hour: undefined,
        minute: undefined,
        second: undefined,
        // Ensure calendar is gregorian
        calendar: _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_GREGORY
      }));
    },
    formatYearMonth: function formatYearMonth() {
      // Returns a date formatter function
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDateFormatter)(this.calendarLocale, {
        year: _constants_date__WEBPACK_IMPORTED_MODULE_5__.DATE_FORMAT_NUMERIC,
        month: _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_LONG,
        calendar: _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_GREGORY
      });
    },
    formatWeekdayName: function formatWeekdayName() {
      // Long weekday name for weekday header aria-label
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDateFormatter)(this.calendarLocale, {
        weekday: _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_LONG,
        calendar: _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_GREGORY
      });
    },
    formatWeekdayNameShort: function formatWeekdayNameShort() {
      // Weekday header cell format
      // defaults to 'short' 3 letter days, where possible
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDateFormatter)(this.calendarLocale, {
        weekday: this.weekdayHeaderFormat || _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_SHORT,
        calendar: _constants_date__WEBPACK_IMPORTED_MODULE_5__.CALENDAR_GREGORY
      });
    },
    formatDay: function formatDay() {
      // Calendar grid day number formatter
      // We don't use DateTimeFormatter here as it can place extra
      // character(s) after the number (i.e the `zh` locale)
      var nf = new Intl.NumberFormat([this.computedLocale], {
        style: 'decimal',
        minimumIntegerDigits: 1,
        minimumFractionDigits: 0,
        maximumFractionDigits: 0,
        notation: 'standard'
      }); // Return a formatter function instance

      return function (date) {
        return nf.format(date.getDate());
      };
    },
    // Disabled states for the nav buttons
    prevDecadeDisabled: function prevDecadeDisabled() {
      var min = this.computedMin;
      return this.disabled || min &amp;&amp; (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.lastDateOfMonth)((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneDecadeAgo)(this.activeDate)) &lt; min;
    },
    prevYearDisabled: function prevYearDisabled() {
      var min = this.computedMin;
      return this.disabled || min &amp;&amp; (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.lastDateOfMonth)((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneYearAgo)(this.activeDate)) &lt; min;
    },
    prevMonthDisabled: function prevMonthDisabled() {
      var min = this.computedMin;
      return this.disabled || min &amp;&amp; (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.lastDateOfMonth)((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneMonthAgo)(this.activeDate)) &lt; min;
    },
    thisMonthDisabled: function thisMonthDisabled() {
      // TODO: We could/should check if today is out of range
      return this.disabled;
    },
    nextMonthDisabled: function nextMonthDisabled() {
      var max = this.computedMax;
      return this.disabled || max &amp;&amp; (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.firstDateOfMonth)((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneMonthAhead)(this.activeDate)) &gt; max;
    },
    nextYearDisabled: function nextYearDisabled() {
      var max = this.computedMax;
      return this.disabled || max &amp;&amp; (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.firstDateOfMonth)((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneYearAhead)(this.activeDate)) &gt; max;
    },
    nextDecadeDisabled: function nextDecadeDisabled() {
      var max = this.computedMax;
      return this.disabled || max &amp;&amp; (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.firstDateOfMonth)((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneDecadeAhead)(this.activeDate)) &gt; max;
    },
    // Calendar dates generation
    calendar: function calendar() {
      var matrix = [];
      var firstDay = this.calendarFirstDay;
      var calendarYear = firstDay.getFullYear();
      var calendarMonth = firstDay.getMonth();
      var daysInMonth = this.calendarDaysInMonth;
      var startIndex = firstDay.getDay(); // `0`..`6`

      var weekOffset = (this.computedWeekStarts &gt; startIndex ? 7 : 0) - this.computedWeekStarts; // Build the calendar matrix

      var currentDay = 0 - weekOffset - startIndex;

      for (var week = 0; week &lt; 6 &amp;&amp; currentDay &lt; daysInMonth; week++) {
        // For each week
        matrix[week] = []; // The following could be a map function

        for (var j = 0; j &lt; 7; j++) {
          // For each day in week
          currentDay++;
          var date = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDate)(calendarYear, calendarMonth, currentDay);
          var month = date.getMonth();
          var dayYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(date);
          var dayDisabled = this.dateDisabled(date); // TODO: This could be a normalizer method

          var dateInfo = this.computedDateInfoFn(dayYMD, (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(dayYMD));
          dateInfo = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_17__.isString)(dateInfo) || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_17__.isArray)(dateInfo) ?
          /* istanbul ignore next */
          {
            class: dateInfo
          } : (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_17__.isPlainObject)(dateInfo) ? _objectSpread({
            class: ''
          }, dateInfo) :
          /* istanbul ignore next */
          {
            class: ''
          };
          matrix[week].push({
            ymd: dayYMD,
            // Cell content
            day: this.formatDay(date),
            label: this.formatDateString(date),
            // Flags for styling
            isThisMonth: month === calendarMonth,
            isDisabled: dayDisabled,
            // TODO: Handle other dateInfo properties such as notes/events
            info: dateInfo
          });
        }
      }

      return matrix;
    },
    calendarHeadings: function calendarHeadings() {
      var _this2 = this;

      return this.calendar[0].map(function (d) {
        return {
          text: _this2.formatWeekdayNameShort((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(d.ymd)),
          label: _this2.formatWeekdayName((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(d.ymd))
        };
      });
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue, oldValue) {
    var selected = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(newValue) || '';
    var old = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(oldValue) || '';

    if (!(0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.datesEqual)(selected, old)) {
      this.activeYMD = selected || this.activeYMD;
      this.selectedYMD = selected;
    }
  }), _defineProperty(_watch, "selectedYMD", function selectedYMD(newYMD, oldYMD) {
    // TODO:
    //   Should we compare to `formatYMD(this.value)` and emit
    //   only if they are different?
    if (newYMD !== oldYMD) {
      this.$emit(MODEL_EVENT_NAME, this.valueAsDate ? (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(newYMD) || null : newYMD || '');
    }
  }), _defineProperty(_watch, "context", function context(newValue, oldValue) {
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_18__.looseEqual)(newValue, oldValue)) {
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_19__.EVENT_NAME_CONTEXT, newValue);
    }
  }), _defineProperty(_watch, "hidden", function hidden(newValue) {
    // Reset the active focused day when hidden
    this.activeYMD = this.selectedYMD || (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this[MODEL_PROP_NAME] || this.constrainDate(this.initialDate || this.getToday())); // Enable/disable the live regions

    this.setLive(!newValue);
  }), _watch),
  created: function created() {
    var _this3 = this;

    this.$nextTick(function () {
      _this3.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_19__.EVENT_NAME_CONTEXT, _this3.context);
    });
  },
  mounted: function mounted() {
    this.setLive(true);
  },

  /* istanbul ignore next */
  activated: function activated() {
    this.setLive(true);
  },

  /* istanbul ignore next */
  deactivated: function deactivated() {
    this.setLive(false);
  },
  beforeDestroy: function beforeDestroy() {
    this.setLive(false);
  },
  methods: {
    // Public method(s)
    focus: function focus() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.attemptFocus)(this.$refs.grid);
      }
    },
    blur: function blur() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.attemptBlur)(this.$refs.grid);
      }
    },
    // Private methods
    setLive: function setLive(on) {
      var _this4 = this;

      if (on) {
        this.$nextTick(function () {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.requestAF)(function () {
            _this4.isLive = true;
          });
        });
      } else {
        this.isLive = false;
      }
    },
    getToday: function getToday() {
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDate)());
    },
    constrainDate: function constrainDate(date) {
      // Constrains a date between min and max
      // returns a new `Date` object instance
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.constrainDate)(date, this.computedMin, this.computedMax);
    },
    emitSelected: function emitSelected(date) {
      var _this5 = this;

      // Performed in a `$nextTick()` to (probably) ensure
      // the input event has emitted first
      this.$nextTick(function () {
        _this5.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_19__.EVENT_NAME_SELECTED, (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(date) || '', (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(date) || null);
      });
    },
    // Event handlers
    setGridFocusFlag: function setGridFocusFlag(event) {
      // Sets the gridHasFocus flag to make date "button" look focused
      this.gridHasFocus = !this.disabled &amp;&amp; event.type === 'focus';
    },
    onKeydownWrapper: function onKeydownWrapper(event) {
      // Calendar keyboard navigation
      // Handles PAGEUP/PAGEDOWN/END/HOME/LEFT/UP/RIGHT/DOWN
      // Focuses grid after updating
      if (this.noKeyNav) {
        /* istanbul ignore next */
        return;
      }

      var altKey = event.altKey,
          ctrlKey = event.ctrlKey,
          keyCode = event.keyCode;

      if (!(0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.arrayIncludes)([_constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_PAGEUP, _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_PAGEDOWN, _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_END, _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_HOME, _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_LEFT, _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_UP, _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_RIGHT, _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_DOWN], keyCode)) {
        /* istanbul ignore next */
        return;
      }

      (0,_utils_events__WEBPACK_IMPORTED_MODULE_22__.stopEvent)(event);
      var activeDate = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDate)(this.activeDate);
      var checkDate = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDate)(this.activeDate);
      var day = activeDate.getDate();
      var constrainedToday = this.constrainDate(this.getToday());
      var isRTL = this.isRTL;

      if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_PAGEUP) {
        // PAGEUP - Previous month/year
        activeDate = (altKey ? ctrlKey ? _utils_date__WEBPACK_IMPORTED_MODULE_11__.oneDecadeAgo : _utils_date__WEBPACK_IMPORTED_MODULE_11__.oneYearAgo : _utils_date__WEBPACK_IMPORTED_MODULE_11__.oneMonthAgo)(activeDate); // We check the first day of month to be in rage

        checkDate = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDate)(activeDate);
        checkDate.setDate(1);
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_PAGEDOWN) {
        // PAGEDOWN - Next month/year
        activeDate = (altKey ? ctrlKey ? _utils_date__WEBPACK_IMPORTED_MODULE_11__.oneDecadeAhead : _utils_date__WEBPACK_IMPORTED_MODULE_11__.oneYearAhead : _utils_date__WEBPACK_IMPORTED_MODULE_11__.oneMonthAhead)(activeDate); // We check the last day of month to be in rage

        checkDate = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDate)(activeDate);
        checkDate.setMonth(checkDate.getMonth() + 1);
        checkDate.setDate(0);
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_LEFT) {
        // LEFT - Previous day (or next day for RTL)
        activeDate.setDate(day + (isRTL ? 1 : -1));
        activeDate = this.constrainDate(activeDate);
        checkDate = activeDate;
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_RIGHT) {
        // RIGHT - Next day (or previous day for RTL)
        activeDate.setDate(day + (isRTL ? -1 : 1));
        activeDate = this.constrainDate(activeDate);
        checkDate = activeDate;
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_UP) {
        // UP - Previous week
        activeDate.setDate(day - 7);
        activeDate = this.constrainDate(activeDate);
        checkDate = activeDate;
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_DOWN) {
        // DOWN - Next week
        activeDate.setDate(day + 7);
        activeDate = this.constrainDate(activeDate);
        checkDate = activeDate;
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_HOME) {
        // HOME - Today
        activeDate = constrainedToday;
        checkDate = activeDate;
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_END) {
        // END - Selected date, or today if no selected date
        activeDate = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(this.selectedDate) || constrainedToday;
        checkDate = activeDate;
      }

      if (!this.dateOutOfRange(checkDate) &amp;&amp; !(0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.datesEqual)(activeDate, this.activeDate)) {
        // We only jump to date if within min/max
        // We don't check for individual disabled dates though (via user function)
        this.activeYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(activeDate);
      } // Ensure grid is focused


      this.focus();
    },
    onKeydownGrid: function onKeydownGrid(event) {
      // Pressing enter/space on grid to select active date
      var keyCode = event.keyCode;
      var activeDate = this.activeDate;

      if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_ENTER || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_SPACE) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_22__.stopEvent)(event);

        if (!this.disabled &amp;&amp; !this.readonly &amp;&amp; !this.dateDisabled(activeDate)) {
          this.selectedYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(activeDate);
          this.emitSelected(activeDate);
        } // Ensure grid is focused


        this.focus();
      }
    },
    onClickDay: function onClickDay(day) {
      // Clicking on a date "button" to select it
      var selectedDate = this.selectedDate,
          activeDate = this.activeDate;
      var clickedDate = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.parseYMD)(day.ymd);

      if (!this.disabled &amp;&amp; !day.isDisabled &amp;&amp; !this.dateDisabled(clickedDate)) {
        if (!this.readonly) {
          // If readonly mode, we don't set the selected date, just the active date
          // If the clicked date is equal to the already selected date, we don't update the model
          this.selectedYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.datesEqual)(clickedDate, selectedDate) ? selectedDate : clickedDate);
          this.emitSelected(clickedDate);
        }

        this.activeYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.datesEqual)(clickedDate, activeDate) ? activeDate : (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.createDate)(clickedDate)); // Ensure grid is focused

        this.focus();
      }
    },
    gotoPrevDecade: function gotoPrevDecade() {
      this.activeYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this.constrainDate((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneDecadeAgo)(this.activeDate)));
    },
    gotoPrevYear: function gotoPrevYear() {
      this.activeYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this.constrainDate((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneYearAgo)(this.activeDate)));
    },
    gotoPrevMonth: function gotoPrevMonth() {
      this.activeYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this.constrainDate((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneMonthAgo)(this.activeDate)));
    },
    gotoCurrentMonth: function gotoCurrentMonth() {
      // TODO: Maybe this goto date should be configurable?
      this.activeYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this.constrainDate(this.getToday()));
    },
    gotoNextMonth: function gotoNextMonth() {
      this.activeYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this.constrainDate((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneMonthAhead)(this.activeDate)));
    },
    gotoNextYear: function gotoNextYear() {
      this.activeYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this.constrainDate((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneYearAhead)(this.activeDate)));
    },
    gotoNextDecade: function gotoNextDecade() {
      this.activeYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this.constrainDate((0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.oneDecadeAhead)(this.activeDate)));
    },
    onHeaderClick: function onHeaderClick() {
      if (!this.disabled) {
        this.activeYMD = this.selectedYMD || (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this.getToday());
        this.focus();
      }
    }
  },
  render: function render(h) {
    var _this6 = this;

    // If `hidden` prop is set, render just a placeholder node
    if (this.hidden) {
      return h();
    }

    var valueId = this.valueId,
        widgetId = this.widgetId,
        navId = this.navId,
        gridId = this.gridId,
        gridCaptionId = this.gridCaptionId,
        gridHelpId = this.gridHelpId,
        activeId = this.activeId,
        disabled = this.disabled,
        noKeyNav = this.noKeyNav,
        isLive = this.isLive,
        isRTL = this.isRTL,
        activeYMD = this.activeYMD,
        selectedYMD = this.selectedYMD,
        safeId = this.safeId;
    var hideDecadeNav = !this.showDecadeNav;
    var todayYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_11__.formatYMD)(this.getToday());
    var highlightToday = !this.noHighlightToday; // Header showing current selected date

    var $header = h('output', {
      staticClass: 'form-control form-control-sm text-center',
      class: {
        'text-muted': disabled,
        readonly: this.readonly || disabled
      },
      attrs: {
        id: valueId,
        for: gridId,
        role: 'status',
        tabindex: disabled ? null : '-1',
        // Mainly for testing purposes, as we do not know
        // the exact format `Intl` will format the date string
        'data-selected': (0,_utils_string__WEBPACK_IMPORTED_MODULE_15__.toString)(selectedYMD),
        // We wait until after mount to enable `aria-live`
        // to prevent initial announcement on page render
        'aria-live': isLive ? 'polite' : 'off',
        'aria-atomic': isLive ? 'true' : null
      },
      on: {
        // Transfer focus/click to focus grid
        // and focus active date (or today if no selection)
        click: this.onHeaderClick,
        focus: this.onHeaderClick
      }
    }, this.selectedDate ? [// We use `bdi` elements here in case the label doesn't match the locale
    // Although IE 11 does not deal with &lt;BDI&gt; at all (equivalent to a span)
    h('bdi', {
      staticClass: 'sr-only'
    }, " (".concat((0,_utils_string__WEBPACK_IMPORTED_MODULE_15__.toString)(this.labelSelected), ") ")), h('bdi', this.formatDateString(this.selectedDate))] : this.labelNoDateSelected || "\xA0" // '&amp;nbsp;'
    );
    $header = h(this.headerTag, {
      staticClass: 'b-calendar-header',
      class: {
        'sr-only': this.hideHeader
      },
      attrs: {
        title: this.selectedDate ? this.labelSelected || null : null
      }
    }, [$header]); // Content for the date navigation buttons

    var navScope = {
      isRTL: isRTL
    };
    var navProps = {
      shiftV: 0.5
    };

    var navPrevProps = _objectSpread(_objectSpread({}, navProps), {}, {
      flipH: isRTL
    });

    var navNextProps = _objectSpread(_objectSpread({}, navProps), {}, {
      flipH: !isRTL
    });

    var $prevDecadeIcon = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_23__.SLOT_NAME_NAV_PEV_DECADE, navScope) || h(_icons_icons__WEBPACK_IMPORTED_MODULE_24__.BIconChevronBarLeft, {
      props: navPrevProps
    });
    var $prevYearIcon = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_23__.SLOT_NAME_NAV_PEV_YEAR, navScope) || h(_icons_icons__WEBPACK_IMPORTED_MODULE_24__.BIconChevronDoubleLeft, {
      props: navPrevProps
    });
    var $prevMonthIcon = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_23__.SLOT_NAME_NAV_PEV_MONTH, navScope) || h(_icons_icons__WEBPACK_IMPORTED_MODULE_24__.BIconChevronLeft, {
      props: navPrevProps
    });
    var $thisMonthIcon = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_23__.SLOT_NAME_NAV_THIS_MONTH, navScope) || h(_icons_icons__WEBPACK_IMPORTED_MODULE_24__.BIconCircleFill, {
      props: navProps
    });
    var $nextMonthIcon = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_23__.SLOT_NAME_NAV_NEXT_MONTH, navScope) || h(_icons_icons__WEBPACK_IMPORTED_MODULE_24__.BIconChevronLeft, {
      props: navNextProps
    });
    var $nextYearIcon = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_23__.SLOT_NAME_NAV_NEXT_YEAR, navScope) || h(_icons_icons__WEBPACK_IMPORTED_MODULE_24__.BIconChevronDoubleLeft, {
      props: navNextProps
    });
    var $nextDecadeIcon = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_23__.SLOT_NAME_NAV_NEXT_DECADE, navScope) || h(_icons_icons__WEBPACK_IMPORTED_MODULE_24__.BIconChevronBarLeft, {
      props: navNextProps
    }); // Utility to create the date navigation buttons

    var makeNavBtn = function makeNavBtn(content, label, handler, btnDisabled, shortcut) {
      return h('button', {
        staticClass: 'btn btn-sm border-0 flex-fill',
        class: [_this6.computedNavButtonVariant, {
          disabled: btnDisabled
        }],
        attrs: {
          title: label || null,
          type: 'button',
          tabindex: noKeyNav ? '-1' : null,
          'aria-label': label || null,
          'aria-disabled': btnDisabled ? 'true' : null,
          'aria-keyshortcuts': shortcut || null
        },
        on: btnDisabled ? {} : {
          click: handler
        }
      }, [h('div', {
        attrs: {
          'aria-hidden': 'true'
        }
      }, [content])]);
    }; // Generate the date navigation buttons


    var $nav = h('div', {
      staticClass: 'b-calendar-nav d-flex',
      attrs: {
        id: navId,
        role: 'group',
        tabindex: noKeyNav ? '-1' : null,
        'aria-hidden': disabled ? 'true' : null,
        'aria-label': this.labelNav || null,
        'aria-controls': gridId
      }
    }, [hideDecadeNav ? h() : makeNavBtn($prevDecadeIcon, this.labelPrevDecade, this.gotoPrevDecade, this.prevDecadeDisabled, 'Ctrl+Alt+PageDown'), makeNavBtn($prevYearIcon, this.labelPrevYear, this.gotoPrevYear, this.prevYearDisabled, 'Alt+PageDown'), makeNavBtn($prevMonthIcon, this.labelPrevMonth, this.gotoPrevMonth, this.prevMonthDisabled, 'PageDown'), makeNavBtn($thisMonthIcon, this.labelCurrentMonth, this.gotoCurrentMonth, this.thisMonthDisabled, 'Home'), makeNavBtn($nextMonthIcon, this.labelNextMonth, this.gotoNextMonth, this.nextMonthDisabled, 'PageUp'), makeNavBtn($nextYearIcon, this.labelNextYear, this.gotoNextYear, this.nextYearDisabled, 'Alt+PageUp'), hideDecadeNav ? h() : makeNavBtn($nextDecadeIcon, this.labelNextDecade, this.gotoNextDecade, this.nextDecadeDisabled, 'Ctrl+Alt+PageUp')]); // Caption for calendar grid

    var $gridCaption = h('div', {
      staticClass: 'b-calendar-grid-caption text-center font-weight-bold',
      class: {
        'text-muted': disabled
      },
      attrs: {
        id: gridCaptionId,
        'aria-live': isLive ? 'polite' : null,
        'aria-atomic': isLive ? 'true' : null
      },
      key: 'grid-caption'
    }, this.formatYearMonth(this.calendarFirstDay)); // Calendar weekday headings

    var $gridWeekDays = h('div', {
      staticClass: 'b-calendar-grid-weekdays row no-gutters border-bottom',
      attrs: {
        'aria-hidden': 'true'
      }
    }, this.calendarHeadings.map(function (d, idx) {
      return h('small', {
        staticClass: 'col text-truncate',
        class: {
          'text-muted': disabled
        },
        attrs: {
          title: d.label === d.text ? null : d.label,
          'aria-label': d.label
        },
        key: idx
      }, d.text);
    })); // Calendar day grid

    var $gridBody = this.calendar.map(function (week) {
      var $cells = week.map(function (day, dIndex) {
        var _class;

        var isSelected = day.ymd === selectedYMD;
        var isActive = day.ymd === activeYMD;
        var isToday = day.ymd === todayYMD;
        var idCell = safeId("_cell-".concat(day.ymd, "_")); // "fake" button

        var $btn = h('span', {
          staticClass: 'btn border-0 rounded-circle text-nowrap',
          // Should we add some classes to signify if today/selected/etc?
          class: (_class = {
            // Give the fake button a focus ring
            focus: isActive &amp;&amp; _this6.gridHasFocus,
            // Styling
            disabled: day.isDisabled || disabled,
            active: isSelected
          }, _defineProperty(_class, _this6.computedVariant, isSelected), _defineProperty(_class, _this6.computedTodayVariant, isToday &amp;&amp; highlightToday &amp;&amp; !isSelected &amp;&amp; day.isThisMonth), _defineProperty(_class, 'btn-outline-light', !(isToday &amp;&amp; highlightToday) &amp;&amp; !isSelected &amp;&amp; !isActive), _defineProperty(_class, 'btn-light', !(isToday &amp;&amp; highlightToday) &amp;&amp; !isSelected &amp;&amp; isActive), _defineProperty(_class, 'text-muted', !day.isThisMonth &amp;&amp; !isSelected), _defineProperty(_class, 'text-dark', !(isToday &amp;&amp; highlightToday) &amp;&amp; !isSelected &amp;&amp; !isActive &amp;&amp; day.isThisMonth), _defineProperty(_class, 'font-weight-bold', (isSelected || day.isThisMonth) &amp;&amp; !day.isDisabled), _class),
          on: {
            click: function click() {
              return _this6.onClickDay(day);
            }
          }
        }, day.day);
        return h('div', // Cell with button
        {
          staticClass: 'col p-0',
          class: day.isDisabled ? 'bg-light' : day.info.class || '',
          attrs: {
            id: idCell,
            role: 'button',
            'data-date': day.ymd,
            // Primarily for testing purposes
            // Only days in the month are presented as buttons to screen readers
            'aria-hidden': day.isThisMonth ? null : 'true',
            'aria-disabled': day.isDisabled || disabled ? 'true' : null,
            'aria-label': [day.label, isSelected ? "(".concat(_this6.labelSelected, ")") : null, isToday ? "(".concat(_this6.labelToday, ")") : null].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_14__.identity).join(' '),
            // NVDA doesn't convey `aria-selected`, but does `aria-current`,
            // ChromeVox doesn't convey `aria-current`, but does `aria-selected`,
            // so we set both attributes for robustness
            'aria-selected': isSelected ? 'true' : null,
            'aria-current': isSelected ? 'date' : null
          },
          key: dIndex
        }, [$btn]);
      }); // Return the week "row"
      // We use the first day of the weeks YMD value as a
      // key for efficient DOM patching / element re-use

      return h('div', {
        staticClass: 'row no-gutters',
        key: week[0].ymd
      }, $cells);
    });
    $gridBody = h('div', {
      // A key is only required on the body if we add in transition support
      staticClass: 'b-calendar-grid-body',
      style: disabled ? {
        pointerEvents: 'none'
      } : {} // key: this.activeYMD.slice(0, -3)

    }, $gridBody);
    var $gridHelp = h('div', {
      staticClass: 'b-calendar-grid-help border-top small text-muted text-center bg-light',
      attrs: {
        id: gridHelpId
      }
    }, [h('div', {
      staticClass: 'small'
    }, this.labelHelp)]);
    var $grid = h('div', {
      staticClass: 'b-calendar-grid form-control h-auto text-center',
      attrs: {
        id: gridId,
        role: 'application',
        tabindex: noKeyNav ? '-1' : disabled ? null : '0',
        'data-month': activeYMD.slice(0, -3),
        // `YYYY-MM`, mainly for testing
        'aria-roledescription': this.labelCalendar || null,
        'aria-labelledby': gridCaptionId,
        'aria-describedby': gridHelpId,
        // `aria-readonly` is not considered valid on `role="application"`
        // https://www.w3.org/TR/wai-aria-1.1/#aria-readonly
        // 'aria-readonly': this.readonly &amp;&amp; !disabled ? 'true' : null,
        'aria-disabled': disabled ? 'true' : null,
        'aria-activedescendant': activeId
      },
      on: {
        keydown: this.onKeydownGrid,
        focus: this.setGridFocusFlag,
        blur: this.setGridFocusFlag
      },
      ref: 'grid'
    }, [$gridCaption, $gridWeekDays, $gridBody, $gridHelp]); // Optional bottom slot

    var $slot = this.normalizeSlot();
    $slot = $slot ? h('footer', {
      staticClass: 'b-calendar-footer'
    }, $slot) : h();
    var $widget = h('div', {
      staticClass: 'b-calendar-inner',
      style: this.block ? {} : {
        width: this.width
      },
      attrs: {
        id: widgetId,
        dir: isRTL ? 'rtl' : 'ltr',
        lang: this.computedLocale || null,
        role: 'group',
        'aria-disabled': disabled ? 'true' : null,
        // If datepicker controls an input, this will specify the ID of the input
        'aria-controls': this.ariaControls || null,
        // This should be a prop (so it can be changed to Date picker, etc, localized
        'aria-roledescription': this.roleDescription || null,
        'aria-describedby': [// Should the attr (if present) go last?
        // Or should this attr be a prop?
        this.bvAttrs['aria-describedby'], valueId, gridHelpId].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_14__.identity).join(' ')
      },
      on: {
        keydown: this.onKeydownWrapper
      }
    }, [$header, $nav, $grid, $slot]); // Wrap in an outer div that can be styled

    return h('div', {
      staticClass: 'b-calendar',
      class: {
        'd-block': this.block
      }
    }, [$widget]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/calendar/index.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/calendar/index.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCalendar: () =&gt; (/* reexport safe */ _calendar__WEBPACK_IMPORTED_MODULE_1__.BCalendar),
/* harmony export */   CalendarPlugin: () =&gt; (/* binding */ CalendarPlugin)
/* harmony export */ });
/* harmony import */ var _calendar__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./calendar */ "./node_modules/bootstrap-vue/esm/components/calendar/calendar.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var CalendarPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BCalendar: _calendar__WEBPACK_IMPORTED_MODULE_1__.BCalendar
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/card-body.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/card-body.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCardBody: () =&gt; (/* binding */ BCardBody),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_card__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/card */ "./node_modules/bootstrap-vue/esm/mixins/card.js");
/* harmony import */ var _card_title__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./card-title */ "./node_modules/bootstrap-vue/esm/components/card/card-title.js");
/* harmony import */ var _card_sub_title__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./card-sub-title */ "./node_modules/bootstrap-vue/esm/components/card/card-sub-title.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }








 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _card_title__WEBPACK_IMPORTED_MODULE_2__.props), _card_sub_title__WEBPACK_IMPORTED_MODULE_3__.props), (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.copyProps)(_mixins_card__WEBPACK_IMPORTED_MODULE_4__.props, _utils_props__WEBPACK_IMPORTED_MODULE_0__.prefixPropName.bind(null, 'body'))), {}, {
  bodyClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_ARRAY_OBJECT_STRING),
  overlay: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN, false)
})), _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_CARD_BODY); // --- Main component ---
// @vue/component

var BCardBody = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_7__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_CARD_BODY,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _ref2;

    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var bodyBgVariant = props.bodyBgVariant,
        bodyBorderVariant = props.bodyBorderVariant,
        bodyTextVariant = props.bodyTextVariant;
    var $title = h();

    if (props.title) {
      $title = h(_card_title__WEBPACK_IMPORTED_MODULE_2__.BCardTitle, {
        props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.pluckProps)(_card_title__WEBPACK_IMPORTED_MODULE_2__.props, props)
      });
    }

    var $subTitle = h();

    if (props.subTitle) {
      $subTitle = h(_card_sub_title__WEBPACK_IMPORTED_MODULE_3__.BCardSubTitle, {
        props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.pluckProps)(_card_sub_title__WEBPACK_IMPORTED_MODULE_3__.props, props),
        class: ['mb-2']
      });
    }

    return h(props.bodyTag, (0,_vue__WEBPACK_IMPORTED_MODULE_8__.mergeData)(data, {
      staticClass: 'card-body',
      class: [(_ref2 = {
        'card-img-overlay': props.overlay
      }, _defineProperty(_ref2, "bg-".concat(bodyBgVariant), bodyBgVariant), _defineProperty(_ref2, "border-".concat(bodyBorderVariant), bodyBorderVariant), _defineProperty(_ref2, "text-".concat(bodyTextVariant), bodyTextVariant), _ref2), props.bodyClass]
    }), [$title, $subTitle, children]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/card-footer.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/card-footer.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCardFooter: () =&gt; (/* binding */ BCardFooter),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_card__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/card */ "./node_modules/bootstrap-vue/esm/mixins/card.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.copyProps)(_mixins_card__WEBPACK_IMPORTED_MODULE_2__.props, _utils_props__WEBPACK_IMPORTED_MODULE_0__.prefixPropName.bind(null, 'footer'))), {}, {
  footer: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  footerClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_OBJECT_STRING),
  footerHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_CARD_FOOTER); // --- Main component ---
// @vue/component

var BCardFooter = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_CARD_FOOTER,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _ref2;

    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var footerBgVariant = props.footerBgVariant,
        footerBorderVariant = props.footerBorderVariant,
        footerTextVariant = props.footerTextVariant;
    return h(props.footerTag, (0,_vue__WEBPACK_IMPORTED_MODULE_6__.mergeData)(data, {
      staticClass: 'card-footer',
      class: [props.footerClass, (_ref2 = {}, _defineProperty(_ref2, "bg-".concat(footerBgVariant), footerBgVariant), _defineProperty(_ref2, "border-".concat(footerBorderVariant), footerBorderVariant), _defineProperty(_ref2, "text-".concat(footerTextVariant), footerTextVariant), _ref2)],
      domProps: children ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_7__.htmlOrText)(props.footerHtml, props.footer)
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/card-group.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/card-group.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCardGroup: () =&gt; (/* binding */ BCardGroup),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  columns: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  deck: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CARD_GROUP); // --- Main component ---
// @vue/component

var BCardGroup = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CARD_GROUP,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      class: props.deck ? 'card-deck' : props.columns ? 'card-columns' : 'card-group'
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/card-header.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/card-header.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCardHeader: () =&gt; (/* binding */ BCardHeader),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_card__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/card */ "./node_modules/bootstrap-vue/esm/mixins/card.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.copyProps)(_mixins_card__WEBPACK_IMPORTED_MODULE_2__.props, _utils_props__WEBPACK_IMPORTED_MODULE_0__.prefixPropName.bind(null, 'header'))), {}, {
  header: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  headerClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_OBJECT_STRING),
  headerHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_CARD_HEADER); // --- Main component ---
// @vue/component

var BCardHeader = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_CARD_HEADER,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _ref2;

    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var headerBgVariant = props.headerBgVariant,
        headerBorderVariant = props.headerBorderVariant,
        headerTextVariant = props.headerTextVariant;
    return h(props.headerTag, (0,_vue__WEBPACK_IMPORTED_MODULE_6__.mergeData)(data, {
      staticClass: 'card-header',
      class: [props.headerClass, (_ref2 = {}, _defineProperty(_ref2, "bg-".concat(headerBgVariant), headerBgVariant), _defineProperty(_ref2, "border-".concat(headerBorderVariant), headerBorderVariant), _defineProperty(_ref2, "text-".concat(headerTextVariant), headerTextVariant), _ref2)],
      domProps: children ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_7__.htmlOrText)(props.headerHtml, props.header)
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/card-img-lazy.js":
/*!*************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/card-img-lazy.js ***!
  \*************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCardImgLazy: () =&gt; (/* binding */ BCardImgLazy),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _image_img__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../image/img */ "./node_modules/bootstrap-vue/esm/components/image/img.js");
/* harmony import */ var _image_img_lazy__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../image/img-lazy */ "./node_modules/bootstrap-vue/esm/components/image/img-lazy.js");
/* harmony import */ var _card_img__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./card-img */ "./node_modules/bootstrap-vue/esm/components/card/card-img.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.omit)(_image_img_lazy__WEBPACK_IMPORTED_MODULE_2__.props, (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.keys)(_image_img__WEBPACK_IMPORTED_MODULE_3__.props))), (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.omit)(_card_img__WEBPACK_IMPORTED_MODULE_4__.props, ['src', 'alt', 'width', 'height']))), _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_CARD_IMG_LAZY); // --- Main component ---
// @vue/component

var BCardImgLazy = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_6__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_CARD_IMG_LAZY,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data;
    var baseClass = 'card-img';

    if (props.top) {
      baseClass += '-top';
    } else if (props.right || props.end) {
      baseClass += '-right';
    } else if (props.bottom) {
      baseClass += '-bottom';
    } else if (props.left || props.start) {
      baseClass += '-left';
    }

    return h(_image_img_lazy__WEBPACK_IMPORTED_MODULE_2__.BImgLazy, (0,_vue__WEBPACK_IMPORTED_MODULE_7__.mergeData)(data, {
      class: [baseClass],
      // Exclude `left` and `right` props before passing to `&lt;b-img-lazy&gt;`
      props: (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.omit)(props, ['left', 'right'])
    }));
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/card-img.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/card-img.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCardImg: () =&gt; (/* binding */ BCardImg),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _image_img__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../image/img */ "./node_modules/bootstrap-vue/esm/components/image/img.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.pick)(_image_img__WEBPACK_IMPORTED_MODULE_2__.props, ['src', 'alt', 'width', 'height', 'left', 'right'])), {}, {
  bottom: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  end: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  start: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  top: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_CARD_IMG); // --- Main component ---
// @vue/component

var BCardImg = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_CARD_IMG,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data;
    var src = props.src,
        alt = props.alt,
        width = props.width,
        height = props.height;
    var baseClass = 'card-img';

    if (props.top) {
      baseClass += '-top';
    } else if (props.right || props.end) {
      baseClass += '-right';
    } else if (props.bottom) {
      baseClass += '-bottom';
    } else if (props.left || props.start) {
      baseClass += '-left';
    }

    return h('img', (0,_vue__WEBPACK_IMPORTED_MODULE_6__.mergeData)(data, {
      class: baseClass,
      attrs: {
        src: src,
        alt: alt,
        width: width,
        height: height
      }
    }));
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/card-sub-title.js":
/*!**************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/card-sub-title.js ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCardSubTitle: () =&gt; (/* binding */ BCardSubTitle),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");




 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  subTitle: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  subTitleTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'h6'),
  subTitleTextVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'muted')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CARD_SUB_TITLE); // --- Main component ---
// @vue/component

var BCardSubTitle = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CARD_SUB_TITLE,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h(props.subTitleTag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      staticClass: 'card-subtitle',
      class: [props.subTitleTextVariant ? "text-".concat(props.subTitleTextVariant) : null]
    }), children || (0,_utils_string__WEBPACK_IMPORTED_MODULE_5__.toString)(props.subTitle));
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/card-text.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/card-text.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCardText: () =&gt; (/* binding */ BCardText),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  textTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'p')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CARD_TEXT); // --- Main component ---
// @vue/component

var BCardText = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CARD_TEXT,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h(props.textTag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      staticClass: 'card-text'
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/card-title.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/card-title.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCardTitle: () =&gt; (/* binding */ BCardTitle),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");




 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  title: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  titleTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'h4')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CARD_TITLE); // --- Main component ---
// @vue/component

var BCardTitle = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CARD_TITLE,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h(props.titleTag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      staticClass: 'card-title'
    }), children || (0,_utils_string__WEBPACK_IMPORTED_MODULE_5__.toString)(props.title));
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/card.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/card.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCard: () =&gt; (/* binding */ BCard),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_normalize_slot__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/normalize-slot */ "./node_modules/bootstrap-vue/esm/utils/normalize-slot.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_card__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/card */ "./node_modules/bootstrap-vue/esm/mixins/card.js");
/* harmony import */ var _card_body__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./card-body */ "./node_modules/bootstrap-vue/esm/components/card/card-body.js");
/* harmony import */ var _card_header__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./card-header */ "./node_modules/bootstrap-vue/esm/components/card/card-header.js");
/* harmony import */ var _card_footer__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./card-footer */ "./node_modules/bootstrap-vue/esm/components/card/card-footer.js");
/* harmony import */ var _card_img__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./card-img */ "./node_modules/bootstrap-vue/esm/components/card/card-img.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }













 // --- Props ---

var cardImgProps = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.copyProps)(_card_img__WEBPACK_IMPORTED_MODULE_1__.props, _utils_props__WEBPACK_IMPORTED_MODULE_0__.prefixPropName.bind(null, 'img'));
cardImgProps.imgSrc.required = false;
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _card_body__WEBPACK_IMPORTED_MODULE_3__.props), _card_header__WEBPACK_IMPORTED_MODULE_4__.props), _card_footer__WEBPACK_IMPORTED_MODULE_5__.props), cardImgProps), _mixins_card__WEBPACK_IMPORTED_MODULE_6__.props), {}, {
  align: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING),
  noBody: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_BOOLEAN, false)
})), _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_CARD); // --- Main component ---
// @vue/component

var BCard = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_9__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_CARD,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _class;

    var props = _ref.props,
        data = _ref.data,
        slots = _ref.slots,
        scopedSlots = _ref.scopedSlots;
    var imgSrc = props.imgSrc,
        imgLeft = props.imgLeft,
        imgRight = props.imgRight,
        imgStart = props.imgStart,
        imgEnd = props.imgEnd,
        imgBottom = props.imgBottom,
        header = props.header,
        headerHtml = props.headerHtml,
        footer = props.footer,
        footerHtml = props.footerHtml,
        align = props.align,
        textVariant = props.textVariant,
        bgVariant = props.bgVariant,
        borderVariant = props.borderVariant;
    var $scopedSlots = scopedSlots || {};
    var $slots = slots();
    var slotScope = {};
    var $imgFirst = h();
    var $imgLast = h();

    if (imgSrc) {
      var $img = h(_card_img__WEBPACK_IMPORTED_MODULE_1__.BCardImg, {
        props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.pluckProps)(cardImgProps, props, _utils_props__WEBPACK_IMPORTED_MODULE_0__.unprefixPropName.bind(null, 'img'))
      });

      if (imgBottom) {
        $imgLast = $img;
      } else {
        $imgFirst = $img;
      }
    }

    var $header = h();
    var hasHeaderSlot = (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_10__.hasNormalizedSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_11__.SLOT_NAME_HEADER, $scopedSlots, $slots);

    if (hasHeaderSlot || header || headerHtml) {
      $header = h(_card_header__WEBPACK_IMPORTED_MODULE_4__.BCardHeader, {
        props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.pluckProps)(_card_header__WEBPACK_IMPORTED_MODULE_4__.props, props),
        domProps: hasHeaderSlot ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_12__.htmlOrText)(headerHtml, header)
      }, (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_10__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_11__.SLOT_NAME_HEADER, slotScope, $scopedSlots, $slots));
    }

    var $content = (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_10__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_11__.SLOT_NAME_DEFAULT, slotScope, $scopedSlots, $slots); // Wrap content in `&lt;card-body&gt;` when `noBody` prop set

    if (!props.noBody) {
      $content = h(_card_body__WEBPACK_IMPORTED_MODULE_3__.BCardBody, {
        props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.pluckProps)(_card_body__WEBPACK_IMPORTED_MODULE_3__.props, props)
      }, $content); // When the `overlap` prop is set we need to wrap the `&lt;b-card-img&gt;` and `&lt;b-card-body&gt;`
      // into a relative positioned wrapper to don't distract a potential header or footer

      if (props.overlay &amp;&amp; imgSrc) {
        $content = h('div', {
          staticClass: 'position-relative'
        }, [$imgFirst, $content, $imgLast]); // Reset image variables since they are already in the wrapper

        $imgFirst = h();
        $imgLast = h();
      }
    }

    var $footer = h();
    var hasFooterSlot = (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_10__.hasNormalizedSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_11__.SLOT_NAME_FOOTER, $scopedSlots, $slots);

    if (hasFooterSlot || footer || footerHtml) {
      $footer = h(_card_footer__WEBPACK_IMPORTED_MODULE_5__.BCardFooter, {
        props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.pluckProps)(_card_footer__WEBPACK_IMPORTED_MODULE_5__.props, props),
        domProps: hasHeaderSlot ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_12__.htmlOrText)(footerHtml, footer)
      }, (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_10__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_11__.SLOT_NAME_FOOTER, slotScope, $scopedSlots, $slots));
    }

    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_13__.mergeData)(data, {
      staticClass: 'card',
      class: (_class = {
        'flex-row': imgLeft || imgStart,
        'flex-row-reverse': (imgRight || imgEnd) &amp;&amp; !(imgLeft || imgStart)
      }, _defineProperty(_class, "text-".concat(align), align), _defineProperty(_class, "bg-".concat(bgVariant), bgVariant), _defineProperty(_class, "border-".concat(borderVariant), borderVariant), _defineProperty(_class, "text-".concat(textVariant), textVariant), _class)
    }), [$imgFirst, $header, $content, $footer, $imgLast]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/card/index.js":
/*!*****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/card/index.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCard: () =&gt; (/* reexport safe */ _card__WEBPACK_IMPORTED_MODULE_1__.BCard),
/* harmony export */   BCardBody: () =&gt; (/* reexport safe */ _card_body__WEBPACK_IMPORTED_MODULE_3__.BCardBody),
/* harmony export */   BCardFooter: () =&gt; (/* reexport safe */ _card_footer__WEBPACK_IMPORTED_MODULE_6__.BCardFooter),
/* harmony export */   BCardGroup: () =&gt; (/* reexport safe */ _card_group__WEBPACK_IMPORTED_MODULE_10__.BCardGroup),
/* harmony export */   BCardHeader: () =&gt; (/* reexport safe */ _card_header__WEBPACK_IMPORTED_MODULE_2__.BCardHeader),
/* harmony export */   BCardImg: () =&gt; (/* reexport safe */ _card_img__WEBPACK_IMPORTED_MODULE_7__.BCardImg),
/* harmony export */   BCardImgLazy: () =&gt; (/* reexport safe */ _card_img_lazy__WEBPACK_IMPORTED_MODULE_8__.BCardImgLazy),
/* harmony export */   BCardSubTitle: () =&gt; (/* reexport safe */ _card_sub_title__WEBPACK_IMPORTED_MODULE_5__.BCardSubTitle),
/* harmony export */   BCardText: () =&gt; (/* reexport safe */ _card_text__WEBPACK_IMPORTED_MODULE_9__.BCardText),
/* harmony export */   BCardTitle: () =&gt; (/* reexport safe */ _card_title__WEBPACK_IMPORTED_MODULE_4__.BCardTitle),
/* harmony export */   CardPlugin: () =&gt; (/* binding */ CardPlugin)
/* harmony export */ });
/* harmony import */ var _card__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./card */ "./node_modules/bootstrap-vue/esm/components/card/card.js");
/* harmony import */ var _card_header__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./card-header */ "./node_modules/bootstrap-vue/esm/components/card/card-header.js");
/* harmony import */ var _card_body__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./card-body */ "./node_modules/bootstrap-vue/esm/components/card/card-body.js");
/* harmony import */ var _card_title__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./card-title */ "./node_modules/bootstrap-vue/esm/components/card/card-title.js");
/* harmony import */ var _card_sub_title__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./card-sub-title */ "./node_modules/bootstrap-vue/esm/components/card/card-sub-title.js");
/* harmony import */ var _card_footer__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./card-footer */ "./node_modules/bootstrap-vue/esm/components/card/card-footer.js");
/* harmony import */ var _card_img__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./card-img */ "./node_modules/bootstrap-vue/esm/components/card/card-img.js");
/* harmony import */ var _card_img_lazy__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./card-img-lazy */ "./node_modules/bootstrap-vue/esm/components/card/card-img-lazy.js");
/* harmony import */ var _card_text__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./card-text */ "./node_modules/bootstrap-vue/esm/components/card/card-text.js");
/* harmony import */ var _card_group__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./card-group */ "./node_modules/bootstrap-vue/esm/components/card/card-group.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");











var CardPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BCard: _card__WEBPACK_IMPORTED_MODULE_1__.BCard,
    BCardHeader: _card_header__WEBPACK_IMPORTED_MODULE_2__.BCardHeader,
    BCardBody: _card_body__WEBPACK_IMPORTED_MODULE_3__.BCardBody,
    BCardTitle: _card_title__WEBPACK_IMPORTED_MODULE_4__.BCardTitle,
    BCardSubTitle: _card_sub_title__WEBPACK_IMPORTED_MODULE_5__.BCardSubTitle,
    BCardFooter: _card_footer__WEBPACK_IMPORTED_MODULE_6__.BCardFooter,
    BCardImg: _card_img__WEBPACK_IMPORTED_MODULE_7__.BCardImg,
    BCardImgLazy: _card_img_lazy__WEBPACK_IMPORTED_MODULE_8__.BCardImgLazy,
    BCardText: _card_text__WEBPACK_IMPORTED_MODULE_9__.BCardText,
    BCardGroup: _card_group__WEBPACK_IMPORTED_MODULE_10__.BCardGroup
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/carousel/carousel-slide.js":
/*!******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/carousel/carousel-slide.js ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCarouselSlide: () =&gt; (/* binding */ BCarouselSlide),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _image_img__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../image/img */ "./node_modules/bootstrap-vue/esm/components/image/img.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }













 // --- Props ---

var imgProps = {
  imgAlt: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  imgBlank: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  imgBlankColor: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'transparent'),
  imgHeight: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING),
  imgSrc: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  imgWidth: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING)
};
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_3__.props), imgProps), {}, {
  background: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  caption: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  captionHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  captionTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'h3'),
  contentTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  contentVisibleUp: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  text: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  textHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  textTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'p')
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_CAROUSEL_SLIDE); // --- Main component ---
// @vue/component

var BCarouselSlide = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_CAROUSEL_SLIDE,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_3__.idMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlotMixin],
  inject: {
    getBvCarousel: {
      // Explicitly disable touch if not a child of carousel
      default: function _default() {
        return function () {
          return {
            noTouch: true
          };
        };
      }
    }
  },
  props: props,
  computed: {
    bvCarousel: function bvCarousel() {
      return this.getBvCarousel();
    },
    contentClasses: function contentClasses() {
      return [this.contentVisibleUp ? 'd-none' : '', this.contentVisibleUp ? "d-".concat(this.contentVisibleUp, "-block") : ''];
    },
    computedWidth: function computedWidth() {
      // Use local width, or try parent width
      return this.imgWidth || this.bvCarousel.imgWidth || null;
    },
    computedHeight: function computedHeight() {
      // Use local height, or try parent height
      return this.imgHeight || this.bvCarousel.imgHeight || null;
    }
  },
  render: function render(h) {
    var $img = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_7__.SLOT_NAME_IMG);

    if (!$img &amp;&amp; (this.imgSrc || this.imgBlank)) {
      var on = {}; // Touch support event handler

      /* istanbul ignore if: difficult to test in JSDOM */

      if (!this.bvCarousel.noTouch &amp;&amp; _constants_env__WEBPACK_IMPORTED_MODULE_8__.HAS_TOUCH_SUPPORT) {
        on.dragstart = function (event) {
          return (0,_utils_events__WEBPACK_IMPORTED_MODULE_9__.stopEvent)(event, {
            propagation: false
          });
        };
      }

      $img = h(_image_img__WEBPACK_IMPORTED_MODULE_10__.BImg, {
        props: _objectSpread(_objectSpread({}, (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.pluckProps)(imgProps, this.$props, _utils_props__WEBPACK_IMPORTED_MODULE_0__.unprefixPropName.bind(null, 'img'))), {}, {
          width: this.computedWidth,
          height: this.computedHeight,
          fluidGrow: true,
          block: true
        }),
        on: on
      });
    }

    var $contentChildren = [// Caption
    this.caption || this.captionHtml ? h(this.captionTag, {
      domProps: (0,_utils_html__WEBPACK_IMPORTED_MODULE_11__.htmlOrText)(this.captionHtml, this.caption)
    }) : false, // Text
    this.text || this.textHtml ? h(this.textTag, {
      domProps: (0,_utils_html__WEBPACK_IMPORTED_MODULE_11__.htmlOrText)(this.textHtml, this.text)
    }) : false, // Children
    this.normalizeSlot() || false];
    var $content = h();

    if ($contentChildren.some(_utils_identity__WEBPACK_IMPORTED_MODULE_12__.identity)) {
      $content = h(this.contentTag, {
        staticClass: 'carousel-caption',
        class: this.contentClasses
      }, $contentChildren.map(function ($child) {
        return $child || h();
      }));
    }

    return h('div', {
      staticClass: 'carousel-item',
      style: {
        background: this.background || this.bvCarousel.background || null
      },
      attrs: {
        id: this.safeId(),
        role: 'listitem'
      }
    }, [$img, $content]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/carousel/carousel.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/carousel/carousel.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCarousel: () =&gt; (/* binding */ BCarousel),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_noop__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../utils/noop */ "./node_modules/bootstrap-vue/esm/utils/noop.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_observe_dom__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/observe-dom */ "./node_modules/bootstrap-vue/esm/utils/observe-dom.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }


















 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER,
  defaultValue: 0
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event; // Slide directional classes


var DIRECTION = {
  next: {
    dirClass: 'carousel-item-left',
    overlayClass: 'carousel-item-next'
  },
  prev: {
    dirClass: 'carousel-item-right',
    overlayClass: 'carousel-item-prev'
  }
}; // Fallback Transition duration (with a little buffer) in ms

var TRANS_DURATION = 600 + 50; // Time for mouse compat events to fire after touch

var TOUCH_EVENT_COMPAT_WAIT = 500; // Number of pixels to consider touch move a swipe

var SWIPE_THRESHOLD = 40; // PointerEvent pointer types

var PointerType = {
  TOUCH: 'touch',
  PEN: 'pen'
}; // Transition Event names

var TransitionEndEvents = {
  WebkitTransition: 'webkitTransitionEnd',
  MozTransition: 'transitionend',
  OTransition: 'otransitionend oTransitionEnd',
  transition: 'transitionend'
}; // --- Helper methods ---
// Return the browser specific transitionEnd event name

var getTransitionEndEvent = function getTransitionEndEvent(el) {
  for (var name in TransitionEndEvents) {
    if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isUndefined)(el.style[name])) {
      return TransitionEndEvents[name];
    }
  } // Fallback

  /* istanbul ignore next */


  return null;
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_5__.props), modelProps), {}, {
  background: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  controls: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Enable cross-fade animation instead of slide animation
  fade: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Sniffed by carousel-slide
  imgHeight: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING),
  // Sniffed by carousel-slide
  imgWidth: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING),
  indicators: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  interval: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER, 5000),
  labelGotoSlide: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Goto slide'),
  labelIndicators: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Select a slide to display'),
  labelNext: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Next slide'),
  labelPrev: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Previous slide'),
  // Disable slide/fade animation
  noAnimation: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Disable pause on hover
  noHoverPause: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Sniffed by carousel-slide
  noTouch: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Disable wrapping/looping when start/end is reached
  noWrap: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
})), _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_CAROUSEL); // --- Main component ---
// @vue/component

var BCarousel = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_7__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_CAROUSEL,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_5__.idMixin, modelMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__.normalizeSlotMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvCarousel: function getBvCarousel() {
        return _this;
      }
    };
  },
  props: props,
  data: function data() {
    return {
      index: this[MODEL_PROP_NAME] || 0,
      isSliding: false,
      transitionEndEvent: null,
      slides: [],
      direction: null,
      isPaused: !((0,_utils_number__WEBPACK_IMPORTED_MODULE_9__.toInteger)(this.interval, 0) &gt; 0),
      // Touch event handling values
      touchStartX: 0,
      touchDeltaX: 0
    };
  },
  computed: {
    numSlides: function numSlides() {
      return this.slides.length;
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue, oldValue) {
    if (newValue !== oldValue) {
      this.setSlide((0,_utils_number__WEBPACK_IMPORTED_MODULE_9__.toInteger)(newValue, 0));
    }
  }), _defineProperty(_watch, "interval", function interval(newValue, oldValue) {
    /* istanbul ignore next */
    if (newValue === oldValue) {
      return;
    }

    if (!newValue) {
      // Pausing slide show
      this.pause(false);
    } else {
      // Restarting or Changing interval
      this.pause(true);
      this.start(false);
    }
  }), _defineProperty(_watch, "isPaused", function isPaused(newValue, oldValue) {
    if (newValue !== oldValue) {
      this.$emit(newValue ? _constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_PAUSED : _constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_UNPAUSED);
    }
  }), _defineProperty(_watch, "index", function index(to, from) {
    /* istanbul ignore next */
    if (to === from || this.isSliding) {
      return;
    }

    this.doSlide(to, from);
  }), _watch),
  created: function created() {
    // Create private non-reactive props
    this.$_interval = null;
    this.$_animationTimeout = null;
    this.$_touchTimeout = null;
    this.$_observer = null; // Set initial paused state

    this.isPaused = !((0,_utils_number__WEBPACK_IMPORTED_MODULE_9__.toInteger)(this.interval, 0) &gt; 0);
  },
  mounted: function mounted() {
    // Cache current browser transitionend event name
    this.transitionEndEvent = getTransitionEndEvent(this.$el) || null; // Get all slides

    this.updateSlides(); // Observe child changes so we can update slide list

    this.setObserver(true);
  },
  beforeDestroy: function beforeDestroy() {
    this.clearInterval();
    this.clearAnimationTimeout();
    this.clearTouchTimeout();
    this.setObserver(false);
  },
  methods: {
    clearInterval: function (_clearInterval) {
      function clearInterval() {
        return _clearInterval.apply(this, arguments);
      }

      clearInterval.toString = function () {
        return _clearInterval.toString();
      };

      return clearInterval;
    }(function () {
      clearInterval(this.$_interval);
      this.$_interval = null;
    }),
    clearAnimationTimeout: function clearAnimationTimeout() {
      clearTimeout(this.$_animationTimeout);
      this.$_animationTimeout = null;
    },
    clearTouchTimeout: function clearTouchTimeout() {
      clearTimeout(this.$_touchTimeout);
      this.$_touchTimeout = null;
    },
    setObserver: function setObserver() {
      var on = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : false;
      this.$_observer &amp;&amp; this.$_observer.disconnect();
      this.$_observer = null;

      if (on) {
        this.$_observer = (0,_utils_observe_dom__WEBPACK_IMPORTED_MODULE_11__.observeDom)(this.$refs.inner, this.updateSlides.bind(this), {
          subtree: false,
          childList: true,
          attributes: true,
          attributeFilter: ['id']
        });
      }
    },
    // Set slide
    setSlide: function setSlide(slide) {
      var _this2 = this;

      var direction = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : null;

      // Don't animate when page is not visible

      /* istanbul ignore if: difficult to test */
      if (_constants_env__WEBPACK_IMPORTED_MODULE_12__.IS_BROWSER &amp;&amp; document.visibilityState &amp;&amp; document.hidden) {
        return;
      }

      var noWrap = this.noWrap;
      var numSlides = this.numSlides; // Make sure we have an integer (you never know!)

      slide = (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathFloor)(slide); // Don't do anything if nothing to slide to

      if (numSlides === 0) {
        return;
      } // Don't change slide while transitioning, wait until transition is done


      if (this.isSliding) {
        // Schedule slide after sliding complete
        this.$once(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_SLIDING_END, function () {
          // Wrap in `requestAF()` to allow the slide to properly finish to avoid glitching
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.requestAF)(function () {
            return _this2.setSlide(slide, direction);
          });
        });
        return;
      }

      this.direction = direction; // Set new slide index
      // Wrap around if necessary (if no-wrap not enabled)

      this.index = slide &gt;= numSlides ? noWrap ? numSlides - 1 : 0 : slide &lt; 0 ? noWrap ? 0 : numSlides - 1 : slide; // Ensure the v-model is synched up if no-wrap is enabled
      // and user tried to slide pass either ends

      if (noWrap &amp;&amp; this.index !== slide &amp;&amp; this.index !== this[MODEL_PROP_NAME]) {
        this.$emit(MODEL_EVENT_NAME, this.index);
      }
    },
    // Previous slide
    prev: function prev() {
      this.setSlide(this.index - 1, 'prev');
    },
    // Next slide
    next: function next() {
      this.setSlide(this.index + 1, 'next');
    },
    // Pause auto rotation
    pause: function pause(event) {
      if (!event) {
        this.isPaused = true;
      }

      this.clearInterval();
    },
    // Start auto rotate slides
    start: function start(event) {
      if (!event) {
        this.isPaused = false;
      }
      /* istanbul ignore next: most likely will never happen, but just in case */


      this.clearInterval(); // Don't start if no interval, or less than 2 slides

      if (this.interval &amp;&amp; this.numSlides &gt; 1) {
        this.$_interval = setInterval(this.next, (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathMax)(1000, this.interval));
      }
    },
    // Restart auto rotate slides when focus/hover leaves the carousel

    /* istanbul ignore next */
    restart: function restart() {
      if (!this.$el.contains((0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.getActiveElement)())) {
        this.start();
      }
    },
    doSlide: function doSlide(to, from) {
      var _this3 = this;

      var isCycling = Boolean(this.interval); // Determine sliding direction

      var direction = this.calcDirection(this.direction, from, to);
      var overlayClass = direction.overlayClass;
      var dirClass = direction.dirClass; // Determine current and next slides

      var currentSlide = this.slides[from];
      var nextSlide = this.slides[to]; // Don't do anything if there aren't any slides to slide to

      if (!currentSlide || !nextSlide) {
        /* istanbul ignore next */
        return;
      } // Start animating


      this.isSliding = true;

      if (isCycling) {
        this.pause(false);
      }

      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_SLIDING_START, to); // Update v-model

      this.$emit(MODEL_EVENT_NAME, this.index);

      if (this.noAnimation) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.addClass)(nextSlide, 'active');
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.removeClass)(currentSlide, 'active');
        this.isSliding = false; // Notify ourselves that we're done sliding (slid)

        this.$nextTick(function () {
          return _this3.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_SLIDING_END, to);
        });
      } else {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.addClass)(nextSlide, overlayClass); // Trigger a reflow of next slide

        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.reflow)(nextSlide);
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.addClass)(currentSlide, dirClass);
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.addClass)(nextSlide, dirClass); // Transition End handler

        var called = false;
        /* istanbul ignore next: difficult to test */

        var onceTransEnd = function onceTransEnd() {
          if (called) {
            return;
          }

          called = true;
          /* istanbul ignore if: transition events cant be tested in JSDOM */

          if (_this3.transitionEndEvent) {
            var events = _this3.transitionEndEvent.split(/\s+/);

            events.forEach(function (event) {
              return (0,_utils_events__WEBPACK_IMPORTED_MODULE_15__.eventOff)(nextSlide, event, onceTransEnd, _constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_OPTIONS_NO_CAPTURE);
            });
          }

          _this3.clearAnimationTimeout();

          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.removeClass)(nextSlide, dirClass);
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.removeClass)(nextSlide, overlayClass);
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.addClass)(nextSlide, 'active');
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.removeClass)(currentSlide, 'active');
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.removeClass)(currentSlide, dirClass);
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.removeClass)(currentSlide, overlayClass);
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.setAttr)(currentSlide, 'aria-current', 'false');
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.setAttr)(nextSlide, 'aria-current', 'true');
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.setAttr)(currentSlide, 'aria-hidden', 'true');
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.setAttr)(nextSlide, 'aria-hidden', 'false');
          _this3.isSliding = false;
          _this3.direction = null; // Notify ourselves that we're done sliding (slid)

          _this3.$nextTick(function () {
            return _this3.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_SLIDING_END, to);
          });
        }; // Set up transitionend handler

        /* istanbul ignore if: transition events cant be tested in JSDOM */


        if (this.transitionEndEvent) {
          var events = this.transitionEndEvent.split(/\s+/);
          events.forEach(function (event) {
            return (0,_utils_events__WEBPACK_IMPORTED_MODULE_15__.eventOn)(nextSlide, event, onceTransEnd, _constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_OPTIONS_NO_CAPTURE);
          });
        } // Fallback to setTimeout()


        this.$_animationTimeout = setTimeout(onceTransEnd, TRANS_DURATION);
      }

      if (isCycling) {
        this.start(false);
      }
    },
    // Update slide list
    updateSlides: function updateSlides() {
      this.pause(true); // Get all slides as DOM elements

      this.slides = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.selectAll)('.carousel-item', this.$refs.inner);
      var numSlides = this.slides.length; // Keep slide number in range

      var index = (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathMax)(0, (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathMin)((0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathFloor)(this.index), numSlides - 1));
      this.slides.forEach(function (slide, idx) {
        var n = idx + 1;

        if (idx === index) {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.addClass)(slide, 'active');
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.setAttr)(slide, 'aria-current', 'true');
        } else {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.removeClass)(slide, 'active');
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.setAttr)(slide, 'aria-current', 'false');
        }

        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.setAttr)(slide, 'aria-posinset', String(n));
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.setAttr)(slide, 'aria-setsize', String(numSlides));
      }); // Set slide as active

      this.setSlide(index);
      this.start(this.isPaused);
    },
    calcDirection: function calcDirection() {
      var direction = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : null;
      var curIndex = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 0;
      var nextIndex = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : 0;

      if (!direction) {
        return nextIndex &gt; curIndex ? DIRECTION.next : DIRECTION.prev;
      }

      return DIRECTION[direction];
    },
    handleClick: function handleClick(event, fn) {
      var keyCode = event.keyCode;

      if (event.type === 'click' || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_16__.CODE_SPACE || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_16__.CODE_ENTER) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_15__.stopEvent)(event);
        fn();
      }
    },

    /* istanbul ignore next: JSDOM doesn't support touch events */
    handleSwipe: function handleSwipe() {
      var absDeltaX = (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathAbs)(this.touchDeltaX);

      if (absDeltaX &lt;= SWIPE_THRESHOLD) {
        return;
      }

      var direction = absDeltaX / this.touchDeltaX; // Reset touch delta X
      // https://github.com/twbs/bootstrap/pull/28558

      this.touchDeltaX = 0;

      if (direction &gt; 0) {
        // Swipe left
        this.prev();
      } else if (direction &lt; 0) {
        // Swipe right
        this.next();
      }
    },

    /* istanbul ignore next: JSDOM doesn't support touch events */
    touchStart: function touchStart(event) {
      if (_constants_env__WEBPACK_IMPORTED_MODULE_12__.HAS_POINTER_EVENT_SUPPORT &amp;&amp; PointerType[event.pointerType.toUpperCase()]) {
        this.touchStartX = event.clientX;
      } else if (!_constants_env__WEBPACK_IMPORTED_MODULE_12__.HAS_POINTER_EVENT_SUPPORT) {
        this.touchStartX = event.touches[0].clientX;
      }
    },

    /* istanbul ignore next: JSDOM doesn't support touch events */
    touchMove: function touchMove(event) {
      // Ensure swiping with one touch and not pinching
      if (event.touches &amp;&amp; event.touches.length &gt; 1) {
        this.touchDeltaX = 0;
      } else {
        this.touchDeltaX = event.touches[0].clientX - this.touchStartX;
      }
    },

    /* istanbul ignore next: JSDOM doesn't support touch events */
    touchEnd: function touchEnd(event) {
      if (_constants_env__WEBPACK_IMPORTED_MODULE_12__.HAS_POINTER_EVENT_SUPPORT &amp;&amp; PointerType[event.pointerType.toUpperCase()]) {
        this.touchDeltaX = event.clientX - this.touchStartX;
      }

      this.handleSwipe(); // If it's a touch-enabled device, mouseenter/leave are fired as
      // part of the mouse compatibility events on first tap - the carousel
      // would stop cycling until user tapped out of it;
      // here, we listen for touchend, explicitly pause the carousel
      // (as if it's the second time we tap on it, mouseenter compat event
      // is NOT fired) and after a timeout (to allow for mouse compatibility
      // events to fire) we explicitly restart cycling

      this.pause(false);
      this.clearTouchTimeout();
      this.$_touchTimeout = setTimeout(this.start, TOUCH_EVENT_COMPAT_WAIT + (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathMax)(1000, this.interval));
    }
  },
  render: function render(h) {
    var _this4 = this;

    var indicators = this.indicators,
        background = this.background,
        noAnimation = this.noAnimation,
        noHoverPause = this.noHoverPause,
        noTouch = this.noTouch,
        index = this.index,
        isSliding = this.isSliding,
        pause = this.pause,
        restart = this.restart,
        touchStart = this.touchStart,
        touchEnd = this.touchEnd;
    var idInner = this.safeId('__BV_inner_'); // Wrapper for slides

    var $inner = h('div', {
      staticClass: 'carousel-inner',
      attrs: {
        id: idInner,
        role: 'list'
      },
      ref: 'inner'
    }, [this.normalizeSlot()]); // Prev and next controls

    var $controls = h();

    if (this.controls) {
      var makeControl = function makeControl(direction, label, handler) {
        var handlerWrapper = function handlerWrapper(event) {
          /* istanbul ignore next */
          if (!isSliding) {
            _this4.handleClick(event, handler);
          } else {
            (0,_utils_events__WEBPACK_IMPORTED_MODULE_15__.stopEvent)(event, {
              propagation: false
            });
          }
        };

        return h('a', {
          staticClass: "carousel-control-".concat(direction),
          attrs: {
            href: '#',
            role: 'button',
            'aria-controls': idInner,
            'aria-disabled': isSliding ? 'true' : null
          },
          on: {
            click: handlerWrapper,
            keydown: handlerWrapper
          }
        }, [h('span', {
          staticClass: "carousel-control-".concat(direction, "-icon"),
          attrs: {
            'aria-hidden': 'true'
          }
        }), h('span', {
          class: 'sr-only'
        }, [label])]);
      };

      $controls = [makeControl('prev', this.labelPrev, this.prev), makeControl('next', this.labelNext, this.next)];
    } // Indicators


    var $indicators = h('ol', {
      staticClass: 'carousel-indicators',
      directives: [{
        name: 'show',
        value: indicators
      }],
      attrs: {
        id: this.safeId('__BV_indicators_'),
        'aria-hidden': indicators ? 'false' : 'true',
        'aria-label': this.labelIndicators,
        'aria-owns': idInner
      }
    }, this.slides.map(function (slide, i) {
      var handler = function handler(event) {
        _this4.handleClick(event, function () {
          _this4.setSlide(i);
        });
      };

      return h('li', {
        class: {
          active: i === index
        },
        attrs: {
          role: 'button',
          id: _this4.safeId("__BV_indicator_".concat(i + 1, "_")),
          tabindex: indicators ? '0' : '-1',
          'aria-current': i === index ? 'true' : 'false',
          'aria-label': "".concat(_this4.labelGotoSlide, " ").concat(i + 1),
          'aria-describedby': slide.id || null,
          'aria-controls': idInner
        },
        on: {
          click: handler,
          keydown: handler
        },
        key: "slide_".concat(i)
      });
    }));
    var on = {
      mouseenter: noHoverPause ? _utils_noop__WEBPACK_IMPORTED_MODULE_17__.noop : pause,
      mouseleave: noHoverPause ? _utils_noop__WEBPACK_IMPORTED_MODULE_17__.noop : restart,
      focusin: pause,
      focusout: restart,
      keydown: function keydown(event) {
        /* istanbul ignore next */
        if (/input|textarea/i.test(event.target.tagName)) {
          return;
        }

        var keyCode = event.keyCode;

        if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_16__.CODE_LEFT || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_16__.CODE_RIGHT) {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_15__.stopEvent)(event);

          _this4[keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_16__.CODE_LEFT ? 'prev' : 'next']();
        }
      }
    }; // Touch support event handlers for environment

    if (_constants_env__WEBPACK_IMPORTED_MODULE_12__.HAS_TOUCH_SUPPORT &amp;&amp; !noTouch) {
      // Attach appropriate listeners (prepend event name with '&amp;' for passive mode)

      /* istanbul ignore next: JSDOM doesn't support touch events */
      if (_constants_env__WEBPACK_IMPORTED_MODULE_12__.HAS_POINTER_EVENT_SUPPORT) {
        on['&amp;pointerdown'] = touchStart;
        on['&amp;pointerup'] = touchEnd;
      } else {
        on['&amp;touchstart'] = touchStart;
        on['&amp;touchmove'] = this.touchMove;
        on['&amp;touchend'] = touchEnd;
      }
    } // Return the carousel


    return h('div', {
      staticClass: 'carousel',
      class: {
        slide: !noAnimation,
        'carousel-fade': !noAnimation &amp;&amp; this.fade,
        'pointer-event': _constants_env__WEBPACK_IMPORTED_MODULE_12__.HAS_TOUCH_SUPPORT &amp;&amp; _constants_env__WEBPACK_IMPORTED_MODULE_12__.HAS_POINTER_EVENT_SUPPORT &amp;&amp; !noTouch
      },
      style: {
        background: background
      },
      attrs: {
        role: 'region',
        id: this.safeId(),
        'aria-busy': isSliding ? 'true' : 'false'
      },
      on: on
    }, [$inner, $controls, $indicators]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/carousel/index.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/carousel/index.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCarousel: () =&gt; (/* reexport safe */ _carousel__WEBPACK_IMPORTED_MODULE_1__.BCarousel),
/* harmony export */   BCarouselSlide: () =&gt; (/* reexport safe */ _carousel_slide__WEBPACK_IMPORTED_MODULE_2__.BCarouselSlide),
/* harmony export */   CarouselPlugin: () =&gt; (/* binding */ CarouselPlugin)
/* harmony export */ });
/* harmony import */ var _carousel__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./carousel */ "./node_modules/bootstrap-vue/esm/components/carousel/carousel.js");
/* harmony import */ var _carousel_slide__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./carousel-slide */ "./node_modules/bootstrap-vue/esm/components/carousel/carousel-slide.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var CarouselPlugin =
/*#__PURE*/
(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BCarousel: _carousel__WEBPACK_IMPORTED_MODULE_1__.BCarousel,
    BCarouselSlide: _carousel_slide__WEBPACK_IMPORTED_MODULE_2__.BCarouselSlide
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/collapse/collapse.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/collapse/collapse.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCollapse: () =&gt; (/* binding */ BCollapse),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_classes__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../constants/classes */ "./node_modules/bootstrap-vue/esm/constants/classes.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../mixins/listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _helpers_bv_collapse__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ./helpers/bv-collapse */ "./node_modules/bootstrap-vue/esm/components/collapse/helpers/bv-collapse.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
















 // --- Constants ---

var ROOT_ACTION_EVENT_NAME_TOGGLE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'toggle');
var ROOT_ACTION_EVENT_NAME_REQUEST_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'request-state');
var ROOT_EVENT_NAME_ACCORDION = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'accordion');
var ROOT_EVENT_NAME_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'state');
var ROOT_EVENT_NAME_SYNC_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'sync-state');

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_2__.makeModelMixin)('visible', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN,
  defaultValue: false
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_6__.props), modelProps), {}, {
  // If `true` (and `visible` is `true` on mount), animate initially visible
  accordion: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  appear: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  isNav: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'div')
})), _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE); // --- Main component ---
// @vue/component

var BCollapse = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_7__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_6__.idMixin, modelMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__.normalizeSlotMixin, _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_9__.listenOnRootMixin],
  props: props,
  data: function data() {
    return {
      show: this[MODEL_PROP_NAME],
      transitioning: false
    };
  },
  computed: {
    classObject: function classObject() {
      var transitioning = this.transitioning;
      return {
        'navbar-collapse': this.isNav,
        collapse: !transitioning,
        show: this.show &amp;&amp; !transitioning
      };
    },
    slotScope: function slotScope() {
      var _this = this;

      return {
        visible: this.show,
        close: function close() {
          _this.show = false;
        }
      };
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue) {
    if (newValue !== this.show) {
      this.show = newValue;
    }
  }), _defineProperty(_watch, "show", function show(newValue, oldValue) {
    if (newValue !== oldValue) {
      this.emitState();
    }
  }), _watch),
  created: function created() {
    this.show = this[MODEL_PROP_NAME];
  },
  mounted: function mounted() {
    var _this2 = this;

    this.show = this[MODEL_PROP_NAME]; // Listen for toggle events to open/close us

    this.listenOnRoot(ROOT_ACTION_EVENT_NAME_TOGGLE, this.handleToggleEvent); // Listen to other collapses for accordion events

    this.listenOnRoot(ROOT_EVENT_NAME_ACCORDION, this.handleAccordionEvent);

    if (this.isNav) {
      // Set up handlers
      this.setWindowEvents(true);
      this.handleResize();
    }

    this.$nextTick(function () {
      _this2.emitState();
    }); // Listen for "Sync state" requests from `v-b-toggle`

    this.listenOnRoot(ROOT_ACTION_EVENT_NAME_REQUEST_STATE, function (id) {
      if (id === _this2.safeId()) {
        _this2.$nextTick(_this2.emitSync);
      }
    });
  },
  updated: function updated() {
    // Emit a private event every time this component updates to ensure
    // the toggle button is in sync with the collapse's state
    // It is emitted regardless if the visible state changes
    this.emitSync();
  },

  /* istanbul ignore next */
  deactivated: function deactivated() {
    if (this.isNav) {
      this.setWindowEvents(false);
    }
  },

  /* istanbul ignore next */
  activated: function activated() {
    if (this.isNav) {
      this.setWindowEvents(true);
    }

    this.emitSync();
  },
  beforeDestroy: function beforeDestroy() {
    // Trigger state emit if needed
    this.show = false;

    if (this.isNav &amp;&amp; _constants_env__WEBPACK_IMPORTED_MODULE_10__.IS_BROWSER) {
      this.setWindowEvents(false);
    }
  },
  methods: {
    setWindowEvents: function setWindowEvents(on) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOnOff)(on, window, 'resize', this.handleResize, _constants_events__WEBPACK_IMPORTED_MODULE_11__.EVENT_OPTIONS_NO_CAPTURE);
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOnOff)(on, window, 'orientationchange', this.handleResize, _constants_events__WEBPACK_IMPORTED_MODULE_11__.EVENT_OPTIONS_NO_CAPTURE);
    },
    toggle: function toggle() {
      this.show = !this.show;
    },
    onEnter: function onEnter() {
      this.transitioning = true; // This should be moved out so we can add cancellable events

      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_11__.EVENT_NAME_SHOW);
    },
    onAfterEnter: function onAfterEnter() {
      this.transitioning = false;
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_11__.EVENT_NAME_SHOWN);
    },
    onLeave: function onLeave() {
      this.transitioning = true; // This should be moved out so we can add cancellable events

      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_11__.EVENT_NAME_HIDE);
    },
    onAfterLeave: function onAfterLeave() {
      this.transitioning = false;
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_11__.EVENT_NAME_HIDDEN);
    },
    emitState: function emitState() {
      var show = this.show,
          accordion = this.accordion;
      var id = this.safeId();
      this.$emit(MODEL_EVENT_NAME, show); // Let `v-b-toggle` know the state of this collapse

      this.emitOnRoot(ROOT_EVENT_NAME_STATE, id, show);

      if (accordion &amp;&amp; show) {
        // Tell the other collapses in this accordion to close
        this.emitOnRoot(ROOT_EVENT_NAME_ACCORDION, id, accordion);
      }
    },
    emitSync: function emitSync() {
      // Emit a private event every time this component updates to ensure
      // the toggle button is in sync with the collapse's state
      // It is emitted regardless if the visible state changes
      this.emitOnRoot(ROOT_EVENT_NAME_SYNC_STATE, this.safeId(), this.show);
    },
    checkDisplayBlock: function checkDisplayBlock() {
      // Check to see if the collapse has `display: block !important` set
      // We can't set `display: none` directly on `this.$el`, as it would
      // trigger a new transition to start (or cancel a current one)
      var $el = this.$el;
      var restore = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.hasClass)($el, _constants_classes__WEBPACK_IMPORTED_MODULE_13__.CLASS_NAME_SHOW);
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.removeClass)($el, _constants_classes__WEBPACK_IMPORTED_MODULE_13__.CLASS_NAME_SHOW);
      var isBlock = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.getCS)($el).display === 'block';

      if (restore) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.addClass)($el, _constants_classes__WEBPACK_IMPORTED_MODULE_13__.CLASS_NAME_SHOW);
      }

      return isBlock;
    },
    clickHandler: function clickHandler(event) {
      var el = event.target; // If we are in a nav/navbar, close the collapse when non-disabled link clicked

      /* istanbul ignore next: can't test `getComputedStyle()` in JSDOM */

      if (!this.isNav || !el || (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.getCS)(this.$el).display !== 'block') {
        return;
      } // Only close the collapse if it is not forced to be `display: block !important`


      if (((0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.matches)(el, '.nav-link,.dropdown-item') || (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.closest)('.nav-link,.dropdown-item', el)) &amp;&amp; !this.checkDisplayBlock()) {
        this.show = false;
      }
    },
    handleToggleEvent: function handleToggleEvent(id) {
      if (id === this.safeId()) {
        this.toggle();
      }
    },
    handleAccordionEvent: function handleAccordionEvent(openedId, openAccordion) {
      var accordion = this.accordion,
          show = this.show;

      if (!accordion || accordion !== openAccordion) {
        return;
      }

      var isThis = openedId === this.safeId(); // Open this collapse if not shown or
      // close this collapse if shown

      if (isThis &amp;&amp; !show || !isThis &amp;&amp; show) {
        this.toggle();
      }
    },
    handleResize: function handleResize() {
      // Handler for orientation/resize to set collapsed state in nav/navbar
      this.show = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.getCS)(this.$el).display === 'block';
    }
  },
  render: function render(h) {
    var appear = this.appear;
    var $content = h(this.tag, {
      class: this.classObject,
      directives: [{
        name: 'show',
        value: this.show
      }],
      attrs: {
        id: this.safeId()
      },
      on: {
        click: this.clickHandler
      }
    }, this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_14__.SLOT_NAME_DEFAULT, this.slotScope));
    return h(_helpers_bv_collapse__WEBPACK_IMPORTED_MODULE_15__.BVCollapse, {
      props: {
        appear: appear
      },
      on: {
        enter: this.onEnter,
        afterEnter: this.onAfterEnter,
        leave: this.onLeave,
        afterLeave: this.onAfterLeave
      }
    }, [$content]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/collapse/helpers/bv-collapse.js":
/*!***********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/collapse/helpers/bv-collapse.js ***!
  \***********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVCollapse: () =&gt; (/* binding */ BVCollapse),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
// Generic collapse transion helper component
//
// Note:
//   Applies the classes `collapse`, `show` and `collapsing`
//   during the enter/leave transition phases only
//   Although it appears that Vue may be leaving the classes
//   in-place after the transition completes




 // --- Helper methods ---
// Transition event handler helpers

var onEnter = function onEnter(el) {
  (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.setStyle)(el, 'height', 0); // In a `requestAF()` for `appear` to work

  (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.requestAF)(function () {
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.reflow)(el);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.setStyle)(el, 'height', "".concat(el.scrollHeight, "px"));
  });
};

var onAfterEnter = function onAfterEnter(el) {
  (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.removeStyle)(el, 'height');
};

var onLeave = function onLeave(el) {
  (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.setStyle)(el, 'height', 'auto');
  (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.setStyle)(el, 'display', 'block');
  (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.setStyle)(el, 'height', "".concat((0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.getBCR)(el).height, "px"));
  (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.reflow)(el);
  (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.setStyle)(el, 'height', 0);
};

var onAfterLeave = function onAfterLeave(el) {
  (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.removeStyle)(el, 'height');
}; // --- Constants ---
// Default transition props
// `appear` will use the enter classes


var TRANSITION_PROPS = {
  css: true,
  enterClass: '',
  enterActiveClass: 'collapsing',
  enterToClass: 'collapse show',
  leaveClass: 'collapse show',
  leaveActiveClass: 'collapsing',
  leaveToClass: 'collapse'
}; // Default transition handlers
// `appear` will use the enter handlers

var TRANSITION_HANDLERS = {
  enter: onEnter,
  afterEnter: onAfterEnter,
  leave: onLeave,
  afterLeave: onAfterLeave
}; // --- Main component ---

var props = {
  // // If `true` (and `visible` is `true` on mount), animate initially visible
  appear: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false)
}; // --- Main component ---
// @vue/component

var BVCollapse = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_COLLAPSE_HELPER,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h('transition', // We merge in the `appear` prop last
    (0,_vue__WEBPACK_IMPORTED_MODULE_5__.mergeData)(data, {
      props: TRANSITION_PROPS,
      on: TRANSITION_HANDLERS
    }, {
      props: props
    }), // Note: `&lt;transition&gt;` supports a single root element only
    children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/collapse/index.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/collapse/index.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCollapse: () =&gt; (/* reexport safe */ _collapse__WEBPACK_IMPORTED_MODULE_1__.BCollapse),
/* harmony export */   CollapsePlugin: () =&gt; (/* binding */ CollapsePlugin)
/* harmony export */ });
/* harmony import */ var _collapse__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./collapse */ "./node_modules/bootstrap-vue/esm/components/collapse/collapse.js");
/* harmony import */ var _directives_toggle__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../directives/toggle */ "./node_modules/bootstrap-vue/esm/directives/toggle/index.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var CollapsePlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BCollapse: _collapse__WEBPACK_IMPORTED_MODULE_1__.BCollapse
  },
  plugins: {
    VBTogglePlugin: _directives_toggle__WEBPACK_IMPORTED_MODULE_2__.VBTogglePlugin
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-divider.js":
/*!********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-divider.js ***!
  \********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BDropdownDivider: () =&gt; (/* binding */ BDropdownDivider),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'hr')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_DROPDOWN_DIVIDER); // --- Main component ---
// @vue/component

var BDropdownDivider = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_DROPDOWN_DIVIDER,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data;
    return h('li', (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)((0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.omit)(data, ['attrs']), {
      attrs: {
        role: 'presentation'
      }
    }), [h(props.tag, {
      staticClass: 'dropdown-divider',
      attrs: _objectSpread(_objectSpread({}, data.attrs || {}), {}, {
        role: 'separator',
        'aria-orientation': 'horizontal'
      }),
      ref: 'divider'
    })]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-form.js":
/*!*****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-form.js ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BDropdownForm: () =&gt; (/* binding */ BDropdownForm),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _form_form__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../form/form */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, _form_form__WEBPACK_IMPORTED_MODULE_2__.props), {}, {
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  formClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_OBJECT_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_DROPDOWN_FORM); // --- Main component ---
// @vue/component

var BDropdownForm = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_DROPDOWN_FORM,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        listeners = _ref.listeners,
        children = _ref.children;
    return h('li', (0,_vue__WEBPACK_IMPORTED_MODULE_6__.mergeData)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.omit)(data, ['attrs', 'on']), {
      attrs: {
        role: 'presentation'
      }
    }), [h(_form_form__WEBPACK_IMPORTED_MODULE_2__.BForm, {
      staticClass: 'b-dropdown-form',
      class: [props.formClass, {
        disabled: props.disabled
      }],
      props: props,
      attrs: _objectSpread(_objectSpread({}, data.attrs || {}), {}, {
        disabled: props.disabled,
        // Tab index of -1 for keyboard navigation
        tabindex: props.disabled ? null : '-1'
      }),
      on: listeners,
      ref: 'form'
    }, children)]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-group.js":
/*!******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-group.js ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BDropdownGroup: () =&gt; (/* binding */ BDropdownGroup),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/normalize-slot */ "./node_modules/bootstrap-vue/esm/utils/normalize-slot.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }









 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  ariaDescribedby: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  header: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  headerClasses: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  headerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'header'),
  headerVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_DROPDOWN_GROUP); // --- Main component ---
// @vue/component

var BDropdownGroup = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_DROPDOWN_GROUP,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        slots = _ref.slots,
        scopedSlots = _ref.scopedSlots;
    var id = props.id,
        variant = props.variant,
        header = props.header,
        headerTag = props.headerTag;
    var $slots = slots();
    var $scopedSlots = scopedSlots || {};
    var slotScope = {};
    var headerId = id ? "_bv_".concat(id, "_group_dd_header") : null;
    var $header = h();

    if ((0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.hasNormalizedSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_HEADER, $scopedSlots, $slots) || header) {
      $header = h(headerTag, {
        staticClass: 'dropdown-header',
        class: [props.headerClasses, _defineProperty({}, "text-".concat(variant), variant)],
        attrs: {
          id: headerId,
          role: (0,_utils_dom__WEBPACK_IMPORTED_MODULE_6__.isTag)(headerTag, 'header') ? null : 'heading'
        }
      }, (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_HEADER, slotScope, $scopedSlots, $slots) || header);
    }

    return h('li', (0,_vue__WEBPACK_IMPORTED_MODULE_7__.mergeData)((0,_utils_object__WEBPACK_IMPORTED_MODULE_8__.omit)(data, ['attrs']), {
      attrs: {
        role: 'presentation'
      }
    }), [$header, h('ul', {
      staticClass: 'list-unstyled',
      attrs: _objectSpread(_objectSpread({}, data.attrs || {}), {}, {
        id: id,
        role: 'group',
        'aria-describedby': [headerId, props.ariaDescribedBy].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_9__.identity).join(' ').trim() || null
      })
    }, (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_DEFAULT, slotScope, $scopedSlots, $slots))]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-header.js":
/*!*******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-header.js ***!
  \*******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BDropdownHeader: () =&gt; (/* binding */ BDropdownHeader),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'header'),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_DROPDOWN_HEADER); // --- Main component ---
// @vue/component

var BDropdownHeader = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_DROPDOWN_HEADER,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var tag = props.tag,
        variant = props.variant;
    return h('li', (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)((0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.omit)(data, ['attrs']), {
      attrs: {
        role: 'presentation'
      }
    }), [h(tag, {
      staticClass: 'dropdown-header',
      class: _defineProperty({}, "text-".concat(variant), variant),
      attrs: _objectSpread(_objectSpread({}, data.attrs || {}), {}, {
        id: props.id || null,
        role: (0,_utils_dom__WEBPACK_IMPORTED_MODULE_6__.isTag)(tag, 'header') ? null : 'heading'
      }),
      ref: 'header'
    }, children)]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item-button.js":
/*!************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item-button.js ***!
  \************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BDropdownItemButton: () =&gt; (/* binding */ BDropdownItemButton),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  active: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  activeClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'active'),
  buttonClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_DROPDOWN_ITEM_BUTTON); // --- Main component ---
// @vue/component

var BDropdownItemButton = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_DROPDOWN_ITEM_BUTTON,
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_4__.attrsMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_5__.normalizeSlotMixin],
  inject: {
    getBvDropdown: {
      default: function _default() {
        return function () {
          return null;
        };
      }
    }
  },
  inheritAttrs: false,
  props: props,
  computed: {
    bvDropdown: function bvDropdown() {
      return this.getBvDropdown();
    },
    computedAttrs: function computedAttrs() {
      return _objectSpread(_objectSpread({}, this.bvAttrs), {}, {
        role: 'menuitem',
        type: 'button',
        disabled: this.disabled
      });
    }
  },
  methods: {
    closeDropdown: function closeDropdown() {
      if (this.bvDropdown) {
        this.bvDropdown.hide(true);
      }
    },
    onClick: function onClick(event) {
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_CLICK, event);
      this.closeDropdown();
    }
  },
  render: function render(h) {
    var _ref;

    var active = this.active,
        variant = this.variant,
        bvAttrs = this.bvAttrs;
    return h('li', {
      class: bvAttrs.class,
      style: bvAttrs.style,
      attrs: {
        role: 'presentation'
      }
    }, [h('button', {
      staticClass: 'dropdown-item',
      class: [this.buttonClass, (_ref = {}, _defineProperty(_ref, this.activeClass, active), _defineProperty(_ref, "text-".concat(variant), variant &amp;&amp; !(active || this.disabled)), _ref)],
      attrs: this.computedAttrs,
      on: {
        click: this.onClick
      },
      ref: 'button'
    }, this.normalizeSlot())]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js":
/*!*****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BDropdownItem: () =&gt; (/* binding */ BDropdownItem),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }










 // --- Props ---

var linkProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_link_link__WEBPACK_IMPORTED_MODULE_1__.props, ['event', 'routerTag']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.sortKeys)(_objectSpread(_objectSpread({}, linkProps), {}, {
  linkClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_OBJECT_STRING),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_DROPDOWN_ITEM); // --- Main component ---
// @vue/component

var BDropdownItem = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_DROPDOWN_ITEM,
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_6__.attrsMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__.normalizeSlotMixin],
  inject: {
    getBvDropdown: {
      default: function _default() {
        return function () {
          return null;
        };
      }
    }
  },
  inheritAttrs: false,
  props: props,
  computed: {
    bvDropdown: function bvDropdown() {
      return this.getBvDropdown();
    },
    computedAttrs: function computedAttrs() {
      return _objectSpread(_objectSpread({}, this.bvAttrs), {}, {
        role: 'menuitem'
      });
    }
  },
  methods: {
    closeDropdown: function closeDropdown() {
      var _this = this;

      // Close on next animation frame to allow &lt;b-link&gt; time to process
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_8__.requestAF)(function () {
        if (_this.bvDropdown) {
          _this.bvDropdown.hide(true);
        }
      });
    },
    onClick: function onClick(event) {
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_9__.EVENT_NAME_CLICK, event);
      this.closeDropdown();
    }
  },
  render: function render(h) {
    var linkClass = this.linkClass,
        variant = this.variant,
        active = this.active,
        disabled = this.disabled,
        onClick = this.onClick,
        bvAttrs = this.bvAttrs;
    return h('li', {
      class: bvAttrs.class,
      style: bvAttrs.style,
      attrs: {
        role: 'presentation'
      }
    }, [h(_link_link__WEBPACK_IMPORTED_MODULE_1__.BLink, {
      staticClass: 'dropdown-item',
      class: [linkClass, _defineProperty({}, "text-".concat(variant), variant &amp;&amp; !(active || disabled))],
      props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.pluckProps)(linkProps, this.$props),
      attrs: this.computedAttrs,
      on: {
        click: onClick
      },
      ref: 'item'
    }, this.normalizeSlot())]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-text.js":
/*!*****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-text.js ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BDropdownText: () =&gt; (/* binding */ BDropdownText),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'p'),
  textClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_DROPDOWN_TEXT); // --- Main component ---
// @vue/component

var BDropdownText = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_DROPDOWN_TEXT,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var tag = props.tag,
        textClass = props.textClass,
        variant = props.variant;
    return h('li', (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)((0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.omit)(data, ['attrs']), {
      attrs: {
        role: 'presentation'
      }
    }), [h(tag, {
      staticClass: 'b-dropdown-text',
      class: [textClass, _defineProperty({}, "text-".concat(variant), variant)],
      props: props,
      attrs: data.attrs || {},
      ref: 'text'
    }, children)]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BDropdown: () =&gt; (/* binding */ BDropdown),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _mixins_dropdown__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../mixins/dropdown */ "./node_modules/bootstrap-vue/esm/mixins/dropdown.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _button_button__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../button/button */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }













 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.props), _mixins_dropdown__WEBPACK_IMPORTED_MODULE_3__.props), {}, {
  block: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false),
  html: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING),
  // If `true`, only render menu contents when open
  lazy: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false),
  menuClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_ARRAY_OBJECT_STRING),
  noCaret: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false),
  role: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING, 'menu'),
  size: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING),
  split: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false),
  splitButtonType: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING, 'button', function (value) {
    return (0,_utils_array__WEBPACK_IMPORTED_MODULE_5__.arrayIncludes)(['button', 'submit', 'reset'], value);
  }),
  splitClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_ARRAY_OBJECT_STRING),
  splitHref: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING),
  splitTo: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_OBJECT_STRING),
  splitVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING),
  text: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING),
  toggleAttrs: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_OBJECT, {}),
  toggleClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_ARRAY_OBJECT_STRING),
  toggleTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING, 'button'),
  // TODO: This really should be `toggleLabel`
  toggleText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING, 'Toggle dropdown'),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING, 'secondary')
})), _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_DROPDOWN); // --- Main component ---
// @vue/component

var BDropdown = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_7__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_DROPDOWN,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_2__.idMixin, _mixins_dropdown__WEBPACK_IMPORTED_MODULE_3__.dropdownMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__.normalizeSlotMixin],
  props: props,
  computed: {
    dropdownClasses: function dropdownClasses() {
      var block = this.block,
          split = this.split;
      return [this.directionClass, this.boundaryClass, {
        show: this.visible,
        // The 'btn-group' class is required in `split` mode for button alignment
        // It needs also to be applied when `block` is disabled to allow multiple
        // dropdowns to be aligned one line
        'btn-group': split || !block,
        // When `block` is enabled and we are in `split` mode the 'd-flex' class
        // needs to be applied to allow the buttons to stretch to full width
        'd-flex': block &amp;&amp; split
      }];
    },
    menuClasses: function menuClasses() {
      return [this.menuClass, {
        'dropdown-menu-right': this.right,
        show: this.visible
      }];
    },
    toggleClasses: function toggleClasses() {
      var split = this.split;
      return [this.toggleClass, {
        'dropdown-toggle-split': split,
        'dropdown-toggle-no-caret': this.noCaret &amp;&amp; !split
      }];
    }
  },
  render: function render(h) {
    var visible = this.visible,
        variant = this.variant,
        size = this.size,
        block = this.block,
        disabled = this.disabled,
        split = this.split,
        role = this.role,
        hide = this.hide,
        toggle = this.toggle;
    var commonProps = {
      variant: variant,
      size: size,
      block: block,
      disabled: disabled
    };
    var $buttonChildren = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_9__.SLOT_NAME_BUTTON_CONTENT);
    var buttonContentDomProps = this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_9__.SLOT_NAME_BUTTON_CONTENT) ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_10__.htmlOrText)(this.html, this.text);
    var $split = h();

    if (split) {
      var splitTo = this.splitTo,
          splitHref = this.splitHref,
          splitButtonType = this.splitButtonType;

      var btnProps = _objectSpread(_objectSpread({}, commonProps), {}, {
        variant: this.splitVariant || variant
      }); // We add these as needed due to &lt;router-link&gt; issues with
      // defined property with `undefined`/`null` values


      if (splitTo) {
        btnProps.to = splitTo;
      } else if (splitHref) {
        btnProps.href = splitHref;
      } else if (splitButtonType) {
        btnProps.type = splitButtonType;
      }

      $split = h(_button_button__WEBPACK_IMPORTED_MODULE_11__.BButton, {
        class: this.splitClass,
        attrs: {
          id: this.safeId('_BV_button_')
        },
        props: btnProps,
        domProps: buttonContentDomProps,
        on: {
          click: this.onSplitClick
        },
        ref: 'button'
      }, $buttonChildren); // Overwrite button content for the toggle when in `split` mode

      $buttonChildren = [h('span', {
        class: ['sr-only']
      }, [this.toggleText])];
      buttonContentDomProps = {};
    }

    var ariaHasPopupRoles = ['menu', 'listbox', 'tree', 'grid', 'dialog'];
    var $toggle = h(_button_button__WEBPACK_IMPORTED_MODULE_11__.BButton, {
      staticClass: 'dropdown-toggle',
      class: this.toggleClasses,
      attrs: _objectSpread(_objectSpread({}, this.toggleAttrs), {}, {
        // Must have attributes
        id: this.safeId('_BV_toggle_'),
        'aria-haspopup': ariaHasPopupRoles.includes(role) ? role : 'false',
        'aria-expanded': (0,_utils_string__WEBPACK_IMPORTED_MODULE_12__.toString)(visible)
      }),
      props: _objectSpread(_objectSpread({}, commonProps), {}, {
        tag: this.toggleTag,
        block: block &amp;&amp; !split
      }),
      domProps: buttonContentDomProps,
      on: {
        mousedown: this.onMousedown,
        click: toggle,
        keydown: toggle // Handle ENTER, SPACE and DOWN

      },
      ref: 'toggle'
    }, $buttonChildren);
    var $menu = h('ul', {
      staticClass: 'dropdown-menu',
      class: this.menuClasses,
      attrs: {
        role: role,
        tabindex: '-1',
        'aria-labelledby': this.safeId(split ? '_BV_button_' : '_BV_toggle_')
      },
      on: {
        keydown: this.onKeydown // Handle UP, DOWN and ESC

      },
      ref: 'menu'
    }, [!this.lazy || visible ? this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_9__.SLOT_NAME_DEFAULT, {
      hide: hide
    }) : h()]);
    return h('div', {
      staticClass: 'dropdown b-dropdown',
      class: this.dropdownClasses,
      attrs: {
        id: this.safeId()
      }
    }, [$split, $toggle, $menu]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/dropdown/index.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/dropdown/index.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BDropdown: () =&gt; (/* reexport safe */ _dropdown__WEBPACK_IMPORTED_MODULE_1__.BDropdown),
/* harmony export */   BDropdownDivider: () =&gt; (/* reexport safe */ _dropdown_divider__WEBPACK_IMPORTED_MODULE_5__.BDropdownDivider),
/* harmony export */   BDropdownForm: () =&gt; (/* reexport safe */ _dropdown_form__WEBPACK_IMPORTED_MODULE_6__.BDropdownForm),
/* harmony export */   BDropdownGroup: () =&gt; (/* reexport safe */ _dropdown_group__WEBPACK_IMPORTED_MODULE_8__.BDropdownGroup),
/* harmony export */   BDropdownHeader: () =&gt; (/* reexport safe */ _dropdown_header__WEBPACK_IMPORTED_MODULE_4__.BDropdownHeader),
/* harmony export */   BDropdownItem: () =&gt; (/* reexport safe */ _dropdown_item__WEBPACK_IMPORTED_MODULE_2__.BDropdownItem),
/* harmony export */   BDropdownItemButton: () =&gt; (/* reexport safe */ _dropdown_item_button__WEBPACK_IMPORTED_MODULE_3__.BDropdownItemButton),
/* harmony export */   BDropdownText: () =&gt; (/* reexport safe */ _dropdown_text__WEBPACK_IMPORTED_MODULE_7__.BDropdownText),
/* harmony export */   DropdownPlugin: () =&gt; (/* binding */ DropdownPlugin)
/* harmony export */ });
/* harmony import */ var _dropdown__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./dropdown */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var _dropdown_item__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./dropdown-item */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var _dropdown_item_button__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./dropdown-item-button */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item-button.js");
/* harmony import */ var _dropdown_header__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./dropdown-header */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-header.js");
/* harmony import */ var _dropdown_divider__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./dropdown-divider */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-divider.js");
/* harmony import */ var _dropdown_form__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./dropdown-form */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-form.js");
/* harmony import */ var _dropdown_text__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./dropdown-text */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-text.js");
/* harmony import */ var _dropdown_group__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./dropdown-group */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-group.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");









var DropdownPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BDropdown: _dropdown__WEBPACK_IMPORTED_MODULE_1__.BDropdown,
    BDd: _dropdown__WEBPACK_IMPORTED_MODULE_1__.BDropdown,
    BDropdownItem: _dropdown_item__WEBPACK_IMPORTED_MODULE_2__.BDropdownItem,
    BDdItem: _dropdown_item__WEBPACK_IMPORTED_MODULE_2__.BDropdownItem,
    BDropdownItemButton: _dropdown_item_button__WEBPACK_IMPORTED_MODULE_3__.BDropdownItemButton,
    BDropdownItemBtn: _dropdown_item_button__WEBPACK_IMPORTED_MODULE_3__.BDropdownItemButton,
    BDdItemButton: _dropdown_item_button__WEBPACK_IMPORTED_MODULE_3__.BDropdownItemButton,
    BDdItemBtn: _dropdown_item_button__WEBPACK_IMPORTED_MODULE_3__.BDropdownItemButton,
    BDropdownHeader: _dropdown_header__WEBPACK_IMPORTED_MODULE_4__.BDropdownHeader,
    BDdHeader: _dropdown_header__WEBPACK_IMPORTED_MODULE_4__.BDropdownHeader,
    BDropdownDivider: _dropdown_divider__WEBPACK_IMPORTED_MODULE_5__.BDropdownDivider,
    BDdDivider: _dropdown_divider__WEBPACK_IMPORTED_MODULE_5__.BDropdownDivider,
    BDropdownForm: _dropdown_form__WEBPACK_IMPORTED_MODULE_6__.BDropdownForm,
    BDdForm: _dropdown_form__WEBPACK_IMPORTED_MODULE_6__.BDropdownForm,
    BDropdownText: _dropdown_text__WEBPACK_IMPORTED_MODULE_7__.BDropdownText,
    BDdText: _dropdown_text__WEBPACK_IMPORTED_MODULE_7__.BDropdownText,
    BDropdownGroup: _dropdown_group__WEBPACK_IMPORTED_MODULE_8__.BDropdownGroup,
    BDdGroup: _dropdown_group__WEBPACK_IMPORTED_MODULE_8__.BDropdownGroup
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/embed/embed.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/embed/embed.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BEmbed: () =&gt; (/* binding */ BEmbed),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Constants ---

var TYPES = ['iframe', 'embed', 'video', 'object', 'img', 'b-img', 'b-img-lazy']; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  aspect: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, '16by9'),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  type: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'iframe', function (value) {
    return (0,_utils_array__WEBPACK_IMPORTED_MODULE_2__.arrayIncludes)(TYPES, value);
  })
}, _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_EMBED); // --- Main component ---
// @vue/component

var BEmbed = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_EMBED,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var aspect = props.aspect;
    return h(props.tag, {
      staticClass: 'embed-responsive',
      class: _defineProperty({}, "embed-responsive-".concat(aspect), aspect),
      ref: data.ref
    }, [h(props.type, (0,_vue__WEBPACK_IMPORTED_MODULE_5__.mergeData)((0,_utils_object__WEBPACK_IMPORTED_MODULE_6__.omit)(data, ['ref']), {
      staticClass: 'embed-responsive-item'
    }), children)]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/embed/index.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/embed/index.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BEmbed: () =&gt; (/* reexport safe */ _embed__WEBPACK_IMPORTED_MODULE_1__.BEmbed),
/* harmony export */   EmbedPlugin: () =&gt; (/* binding */ EmbedPlugin)
/* harmony export */ });
/* harmony import */ var _embed__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./embed */ "./node_modules/bootstrap-vue/esm/components/embed/embed.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var EmbedPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BEmbed: _embed__WEBPACK_IMPORTED_MODULE_1__.BEmbed
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-btn-label-control/bv-form-btn-label-control.js":
/*!*******************************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-btn-label-control/bv-form-btn-label-control.js ***!
  \*******************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVFormBtnLabelControl: () =&gt; (/* binding */ BVFormBtnLabelControl),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _mixins_dropdown__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/dropdown */ "./node_modules/bootstrap-vue/esm/mixins/dropdown.js");
/* harmony import */ var _mixins_form_control__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/form-control */ "./node_modules/bootstrap-vue/esm/mixins/form-control.js");
/* harmony import */ var _mixins_form_size__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/form-size */ "./node_modules/bootstrap-vue/esm/mixins/form-size.js");
/* harmony import */ var _mixins_form_state__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../mixins/form-state */ "./node_modules/bootstrap-vue/esm/mixins/form-state.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _directives_hover_hover__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../directives/hover/hover */ "./node_modules/bootstrap-vue/esm/directives/hover/hover.js");
/* harmony import */ var _icons_icons__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../icons/icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

//
// Private component used by `b-form-datepicker` and `b-form-timepicker`
//
















 // --- Props ---

var props = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_1__.props), _mixins_form_size__WEBPACK_IMPORTED_MODULE_2__.props), _mixins_form_state__WEBPACK_IMPORTED_MODULE_3__.props), (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_mixins_dropdown__WEBPACK_IMPORTED_MODULE_4__.props, ['disabled'])), (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_mixins_form_control__WEBPACK_IMPORTED_MODULE_5__.props, ['autofocus'])), {}, {
  // When `true`, renders a `btn-group` wrapper and visually hides the label
  buttonOnly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_BOOLEAN, false),
  // Applicable in button mode only
  buttonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING, 'secondary'),
  // This is the value shown in the label
  // Defaults back to `value`
  formattedValue: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING),
  // Value placed in `.sr-only` span inside label when value is present
  labelSelected: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING),
  lang: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING),
  // Extra classes to apply to the `dropdown-menu` div
  menuClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_ARRAY_OBJECT_STRING),
  // This is the value placed on the hidden input when no value selected
  placeholder: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING),
  readonly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_BOOLEAN, false),
  // Tri-state prop: `true`, `false` or `null`
  rtl: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_BOOLEAN, null),
  value: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING, '')
})); // --- Main component ---
// @vue/component

var BVFormBtnLabelControl = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_8__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_FORM_BUTTON_LABEL_CONTROL,
  directives: {
    'b-hover': _directives_hover_hover__WEBPACK_IMPORTED_MODULE_10__.VBHover
  },
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_1__.idMixin, _mixins_form_size__WEBPACK_IMPORTED_MODULE_2__.formSizeMixin, _mixins_form_state__WEBPACK_IMPORTED_MODULE_3__.formStateMixin, _mixins_dropdown__WEBPACK_IMPORTED_MODULE_4__.dropdownMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_11__.normalizeSlotMixin],
  props: props,
  data: function data() {
    return {
      isHovered: false,
      hasFocus: false
    };
  },
  computed: {
    idButton: function idButton() {
      return this.safeId();
    },
    idLabel: function idLabel() {
      return this.safeId('_value_');
    },
    idMenu: function idMenu() {
      return this.safeId('_dialog_');
    },
    idWrapper: function idWrapper() {
      return this.safeId('_outer_');
    },
    computedDir: function computedDir() {
      return this.rtl === true ? 'rtl' : this.rtl === false ? 'ltr' : null;
    }
  },
  methods: {
    focus: function focus() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.attemptFocus)(this.$refs.toggle);
      }
    },
    blur: function blur() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.attemptBlur)(this.$refs.toggle);
      }
    },
    setFocus: function setFocus(event) {
      this.hasFocus = event.type === 'focus';
    },
    handleHover: function handleHover(hovered) {
      this.isHovered = hovered;
    }
  },
  render: function render(h) {
    var _class;

    var idButton = this.idButton,
        idLabel = this.idLabel,
        idMenu = this.idMenu,
        idWrapper = this.idWrapper,
        disabled = this.disabled,
        readonly = this.readonly,
        required = this.required,
        name = this.name,
        state = this.state,
        visible = this.visible,
        size = this.size,
        isHovered = this.isHovered,
        hasFocus = this.hasFocus,
        labelSelected = this.labelSelected,
        buttonVariant = this.buttonVariant,
        buttonOnly = this.buttonOnly;
    var value = (0,_utils_string__WEBPACK_IMPORTED_MODULE_13__.toString)(this.value) || '';
    var invalid = state === false || required &amp;&amp; !value;
    var btnScope = {
      isHovered: isHovered,
      hasFocus: hasFocus,
      state: state,
      opened: visible
    };
    var $button = h('button', {
      staticClass: 'btn',
      class: (_class = {}, _defineProperty(_class, "btn-".concat(buttonVariant), buttonOnly), _defineProperty(_class, "btn-".concat(size), size), _defineProperty(_class, 'h-auto', !buttonOnly), _defineProperty(_class, 'dropdown-toggle', buttonOnly), _defineProperty(_class, 'dropdown-toggle-no-caret', buttonOnly), _class),
      attrs: {
        id: idButton,
        type: 'button',
        disabled: disabled,
        'aria-haspopup': 'dialog',
        'aria-expanded': visible ? 'true' : 'false',
        'aria-invalid': invalid ? 'true' : null,
        'aria-required': required ? 'true' : null
      },
      directives: [{
        name: 'b-hover',
        value: this.handleHover
      }],
      on: {
        mousedown: this.onMousedown,
        click: this.toggle,
        keydown: this.toggle,
        // Handle ENTER, SPACE and DOWN
        '!focus': this.setFocus,
        '!blur': this.setFocus
      },
      ref: 'toggle'
    }, [this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_14__.SLOT_NAME_BUTTON_CONTENT) ? this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_14__.SLOT_NAME_BUTTON_CONTENT, btnScope) :
    /* istanbul ignore next */
    h(_icons_icons__WEBPACK_IMPORTED_MODULE_15__.BIconChevronDown, {
      props: {
        scale: 1.25
      }
    })]); // Hidden input

    var $hidden = h();

    if (name &amp;&amp; !disabled) {
      $hidden = h('input', {
        attrs: {
          type: 'hidden',
          name: name || null,
          form: this.form || null,
          value: value
        }
      });
    } // Dropdown content


    var $menu = h('div', {
      staticClass: 'dropdown-menu',
      class: [this.menuClass, {
        show: visible,
        'dropdown-menu-right': this.right
      }],
      attrs: {
        id: idMenu,
        role: 'dialog',
        tabindex: '-1',
        'aria-modal': 'false',
        'aria-labelledby': idLabel
      },
      on: {
        keydown: this.onKeydown // Handle ESC

      },
      ref: 'menu'
    }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_14__.SLOT_NAME_DEFAULT, {
      opened: visible
    })]); // Value label

    var $label = h('label', {
      class: buttonOnly ? 'sr-only' // Hidden in button only mode
      : ['form-control', // Mute the text if showing the placeholder
      {
        'text-muted': !value
      }, this.stateClass, this.sizeFormClass],
      attrs: {
        id: idLabel,
        for: idButton,
        'aria-invalid': invalid ? 'true' : null,
        'aria-required': required ? 'true' : null
      },
      directives: [{
        name: 'b-hover',
        value: this.handleHover
      }],
      on: {
        // Disable bubbling of the click event to
        // prevent menu from closing and re-opening
        '!click':
        /* istanbul ignore next */
        function click(event) {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_16__.stopEvent)(event, {
            preventDefault: false
          });
        }
      }
    }, [value ? this.formattedValue || value : this.placeholder || '', // Add the selected label for screen readers when a value is provided
    value &amp;&amp; labelSelected ? h('bdi', {
      staticClass: 'sr-only'
    }, labelSelected) : '']); // Return the custom form control wrapper

    return h('div', {
      staticClass: 'b-form-btn-label-control dropdown',
      class: [this.directionClass, this.boundaryClass, [{
        'btn-group': buttonOnly,
        'form-control': !buttonOnly,
        focus: hasFocus &amp;&amp; !buttonOnly,
        show: visible,
        'is-valid': state === true,
        'is-invalid': state === false
      }, buttonOnly ? null : this.sizeFormClass]],
      attrs: {
        id: idWrapper,
        role: buttonOnly ? null : 'group',
        lang: this.lang || null,
        dir: this.computedDir,
        'aria-disabled': disabled,
        'aria-readonly': readonly &amp;&amp; !disabled,
        'aria-labelledby': idLabel,
        'aria-invalid': state === false || required &amp;&amp; !value ? 'true' : null,
        'aria-required': required ? 'true' : null
      }
    }, [$button, $hidden, $menu, $label]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox-group.js":
/*!****************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox-group.js ***!
  \****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormCheckboxGroup: () =&gt; (/* binding */ BFormCheckboxGroup),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_radio_check_group__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/form-radio-check-group */ "./node_modules/bootstrap-vue/esm/mixins/form-radio-check-group.js");
var _objectSpread2;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, _mixins_form_radio_check_group__WEBPACK_IMPORTED_MODULE_2__.props), {}, (_objectSpread2 = {}, _defineProperty(_objectSpread2, _mixins_form_radio_check_group__WEBPACK_IMPORTED_MODULE_2__.MODEL_PROP_NAME, (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY, [])), _defineProperty(_objectSpread2, "switches", (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false)), _objectSpread2))), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_CHECKBOX_GROUP); // --- Main component ---
// @vue/component

var BFormCheckboxGroup = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_CHECKBOX_GROUP,
  // Includes render function
  mixins: [_mixins_form_radio_check_group__WEBPACK_IMPORTED_MODULE_2__.formRadioCheckGroupMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvCheckGroup: function getBvCheckGroup() {
        return _this;
      }
    };
  },
  props: props,
  computed: {
    isRadioGroup: function isRadioGroup() {
      return false;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js":
/*!**********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js ***!
  \**********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormCheckbox: () =&gt; (/* binding */ BFormCheckbox),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_loose_index_of__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/loose-index-of */ "./node_modules/bootstrap-vue/esm/utils/loose-index-of.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_radio_check__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../mixins/form-radio-check */ "./node_modules/bootstrap-vue/esm/mixins/form-radio-check.js");
var _objectSpread2;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }










 // --- Constants ---

var MODEL_PROP_NAME_INDETERMINATE = 'indeterminate';
var MODEL_EVENT_NAME_INDETERMINATE = _constants_events__WEBPACK_IMPORTED_MODULE_0__.MODEL_EVENT_NAME_PREFIX + MODEL_PROP_NAME_INDETERMINATE; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread({}, _mixins_form_radio_check__WEBPACK_IMPORTED_MODULE_3__.props), {}, (_objectSpread2 = {}, _defineProperty(_objectSpread2, MODEL_PROP_NAME_INDETERMINATE, (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_objectSpread2, "switch", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_objectSpread2, "uncheckedValue", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_ANY, false)), _defineProperty(_objectSpread2, "value", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_ANY, true)), _objectSpread2))), _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_FORM_CHECKBOX); // --- Main component ---
// @vue/component

var BFormCheckbox = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_6__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_FORM_CHECKBOX,
  mixins: [_mixins_form_radio_check__WEBPACK_IMPORTED_MODULE_3__.formRadioCheckMixin],
  inject: {
    getBvGroup: {
      from: 'getBvCheckGroup',
      default: function _default() {
        return function () {
          return null;
        };
      }
    }
  },
  props: props,
  computed: {
    bvGroup: function bvGroup() {
      return this.getBvGroup();
    },
    isChecked: function isChecked() {
      var value = this.value,
          checked = this.computedLocalChecked;
      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isArray)(checked) ? (0,_utils_loose_index_of__WEBPACK_IMPORTED_MODULE_8__.looseIndexOf)(checked, value) &gt; -1 : (0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__.looseEqual)(checked, value);
    },
    isRadio: function isRadio() {
      return false;
    }
  },
  watch: _defineProperty({}, MODEL_PROP_NAME_INDETERMINATE, function (newValue, oldValue) {
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__.looseEqual)(newValue, oldValue)) {
      this.setIndeterminate(newValue);
    }
  }),
  mounted: function mounted() {
    // Set initial indeterminate state
    this.setIndeterminate(this[MODEL_PROP_NAME_INDETERMINATE]);
  },
  methods: {
    computedLocalCheckedWatcher: function computedLocalCheckedWatcher(newValue, oldValue) {
      if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__.looseEqual)(newValue, oldValue)) {
        this.$emit(_mixins_form_radio_check__WEBPACK_IMPORTED_MODULE_3__.MODEL_EVENT_NAME, newValue);
        var $input = this.$refs.input;

        if ($input) {
          this.$emit(MODEL_EVENT_NAME_INDETERMINATE, $input.indeterminate);
        }
      }
    },
    handleChange: function handleChange(_ref) {
      var _this = this;

      var _ref$target = _ref.target,
          checked = _ref$target.checked,
          indeterminate = _ref$target.indeterminate;
      var value = this.value,
          uncheckedValue = this.uncheckedValue; // Update `computedLocalChecked`

      var localChecked = this.computedLocalChecked;

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isArray)(localChecked)) {
        var index = (0,_utils_loose_index_of__WEBPACK_IMPORTED_MODULE_8__.looseIndexOf)(localChecked, value);

        if (checked &amp;&amp; index &lt; 0) {
          // Add value to array
          localChecked = localChecked.concat(value);
        } else if (!checked &amp;&amp; index &gt; -1) {
          // Remove value from array
          localChecked = localChecked.slice(0, index).concat(localChecked.slice(index + 1));
        }
      } else {
        localChecked = checked ? value : uncheckedValue;
      }

      this.computedLocalChecked = localChecked; // Fire events in a `$nextTick()` to ensure the `v-model` is updated

      this.$nextTick(function () {
        // Change is only emitted on user interaction
        _this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_CHANGE, localChecked); // If this is a child of a group, we emit a change event on it as well


        if (_this.isGroup) {
          _this.bvGroup.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_CHANGE, localChecked);
        }

        _this.$emit(MODEL_EVENT_NAME_INDETERMINATE, indeterminate);
      });
    },
    setIndeterminate: function setIndeterminate(state) {
      // Indeterminate only supported in single checkbox mode
      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isArray)(this.computedLocalChecked)) {
        state = false;
      }

      var $input = this.$refs.input;

      if ($input) {
        $input.indeterminate = state; // Emit update event to prop

        this.$emit(MODEL_EVENT_NAME_INDETERMINATE, state);
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-checkbox/index.js":
/*!**************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-checkbox/index.js ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormCheckbox: () =&gt; (/* reexport safe */ _form_checkbox__WEBPACK_IMPORTED_MODULE_1__.BFormCheckbox),
/* harmony export */   BFormCheckboxGroup: () =&gt; (/* reexport safe */ _form_checkbox_group__WEBPACK_IMPORTED_MODULE_2__.BFormCheckboxGroup),
/* harmony export */   FormCheckboxPlugin: () =&gt; (/* binding */ FormCheckboxPlugin)
/* harmony export */ });
/* harmony import */ var _form_checkbox__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-checkbox */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var _form_checkbox_group__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./form-checkbox-group */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox-group.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var FormCheckboxPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormCheckbox: _form_checkbox__WEBPACK_IMPORTED_MODULE_1__.BFormCheckbox,
    BCheckbox: _form_checkbox__WEBPACK_IMPORTED_MODULE_1__.BFormCheckbox,
    BCheck: _form_checkbox__WEBPACK_IMPORTED_MODULE_1__.BFormCheckbox,
    BFormCheckboxGroup: _form_checkbox_group__WEBPACK_IMPORTED_MODULE_2__.BFormCheckboxGroup,
    BCheckboxGroup: _form_checkbox_group__WEBPACK_IMPORTED_MODULE_2__.BFormCheckboxGroup,
    BCheckGroup: _form_checkbox_group__WEBPACK_IMPORTED_MODULE_2__.BFormCheckboxGroup
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-datepicker/form-datepicker.js":
/*!**************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-datepicker/form-datepicker.js ***!
  \**************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormDatepicker: () =&gt; (/* binding */ BFormDatepicker),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_date__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/date */ "./node_modules/bootstrap-vue/esm/utils/date.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _icons_icons__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../icons/icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
/* harmony import */ var _button_button__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../button/button */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var _calendar_calendar__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../calendar/calendar */ "./node_modules/bootstrap-vue/esm/components/calendar/calendar.js");
/* harmony import */ var _form_btn_label_control_bv_form_btn_label_control__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../form-btn-label-control/bv-form-btn-label-control */ "./node_modules/bootstrap-vue/esm/components/form-btn-label-control/bv-form-btn-label-control.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
















 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_DATE_STRING
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event; // --- Props ---


var calendarProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.omit)(_calendar_calendar__WEBPACK_IMPORTED_MODULE_3__.props, ['block', 'hidden', 'id', 'noKeyNav', 'roleDescription', 'value', 'width']);
var formBtnLabelControlProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.omit)(_form_btn_label_control_bv_form_btn_label_control__WEBPACK_IMPORTED_MODULE_4__.props, ['formattedValue', 'id', 'lang', 'rtl', 'value']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_6__.props), modelProps), calendarProps), formBtnLabelControlProps), {}, {
  // Width of the calendar dropdown
  calendarWidth: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, '270px'),
  closeButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  closeButtonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'outline-secondary'),
  // Dark mode
  dark: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  labelCloseButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Close'),
  labelResetButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Reset'),
  labelTodayButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Select today'),
  noCloseOnSelect: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  resetButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  resetButtonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'outline-danger'),
  resetValue: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_DATE_STRING),
  todayButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  todayButtonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'outline-primary')
})), _constants_components__WEBPACK_IMPORTED_MODULE_7__.NAME_FORM_DATEPICKER); // --- Main component ---
// @vue/component

var BFormDatepicker = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_8__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_7__.NAME_FORM_DATEPICKER,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_6__.idMixin, modelMixin],
  props: props,
  data: function data() {
    return {
      // We always use `YYYY-MM-DD` value internally
      localYMD: (0,_utils_date__WEBPACK_IMPORTED_MODULE_9__.formatYMD)(this[MODEL_PROP_NAME]) || '',
      // If the popup is open
      isVisible: false,
      // Context data from BCalendar
      localLocale: null,
      isRTL: false,
      formattedValue: '',
      activeYMD: ''
    };
  },
  computed: {
    calendarYM: function calendarYM() {
      // Returns the calendar year/month
      // Returns the `YYYY-MM` portion of the active calendar date
      return this.activeYMD.slice(0, -3);
    },
    computedLang: function computedLang() {
      return (this.localLocale || '').replace(/-u-.*$/i, '') || null;
    },
    computedResetValue: function computedResetValue() {
      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_9__.formatYMD)((0,_utils_date__WEBPACK_IMPORTED_MODULE_9__.constrainDate)(this.resetValue)) || '';
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue) {
    this.localYMD = (0,_utils_date__WEBPACK_IMPORTED_MODULE_9__.formatYMD)(newValue) || '';
  }), _defineProperty(_watch, "localYMD", function localYMD(newValue) {
    // We only update the v-model when the datepicker is open
    if (this.isVisible) {
      this.$emit(MODEL_EVENT_NAME, this.valueAsDate ? (0,_utils_date__WEBPACK_IMPORTED_MODULE_9__.parseYMD)(newValue) || null : newValue || '');
    }
  }), _defineProperty(_watch, "calendarYM", function calendarYM(newValue, oldValue) {
    // Displayed calendar month has changed
    // So possibly the calendar height has changed...
    // We need to update popper computed position
    if (newValue !== oldValue &amp;&amp; oldValue) {
      try {
        this.$refs.control.updatePopper();
      } catch (_unused) {}
    }
  }), _watch),
  methods: {
    // Public methods
    focus: function focus() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_10__.attemptFocus)(this.$refs.control);
      }
    },
    blur: function blur() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_10__.attemptBlur)(this.$refs.control);
      }
    },
    // Private methods
    setAndClose: function setAndClose(ymd) {
      var _this = this;

      this.localYMD = ymd; // Close calendar popup, unless `noCloseOnSelect`

      if (!this.noCloseOnSelect) {
        this.$nextTick(function () {
          _this.$refs.control.hide(true);
        });
      }
    },
    onSelected: function onSelected(ymd) {
      var _this2 = this;

      this.$nextTick(function () {
        _this2.setAndClose(ymd);
      });
    },
    onInput: function onInput(ymd) {
      if (this.localYMD !== ymd) {
        this.localYMD = ymd;
      }
    },
    onContext: function onContext(ctx) {
      var activeYMD = ctx.activeYMD,
          isRTL = ctx.isRTL,
          locale = ctx.locale,
          selectedYMD = ctx.selectedYMD,
          selectedFormatted = ctx.selectedFormatted;
      this.isRTL = isRTL;
      this.localLocale = locale;
      this.formattedValue = selectedFormatted;
      this.localYMD = selectedYMD;
      this.activeYMD = activeYMD; // Re-emit the context event

      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_11__.EVENT_NAME_CONTEXT, ctx);
    },
    onTodayButton: function onTodayButton() {
      // Set to today (or min/max if today is out of range)
      this.setAndClose((0,_utils_date__WEBPACK_IMPORTED_MODULE_9__.formatYMD)((0,_utils_date__WEBPACK_IMPORTED_MODULE_9__.constrainDate)((0,_utils_date__WEBPACK_IMPORTED_MODULE_9__.createDate)(), this.min, this.max)));
    },
    onResetButton: function onResetButton() {
      this.setAndClose(this.computedResetValue);
    },
    onCloseButton: function onCloseButton() {
      this.$refs.control.hide(true);
    },
    // Menu handlers
    onShow: function onShow() {
      this.isVisible = true;
    },
    onShown: function onShown() {
      var _this3 = this;

      this.$nextTick(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_10__.attemptFocus)(_this3.$refs.calendar);

        _this3.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_11__.EVENT_NAME_SHOWN);
      });
    },
    onHidden: function onHidden() {
      this.isVisible = false;
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_11__.EVENT_NAME_HIDDEN);
    },
    // Render helpers
    defaultButtonFn: function defaultButtonFn(_ref) {
      var isHovered = _ref.isHovered,
          hasFocus = _ref.hasFocus;
      return this.$createElement(isHovered || hasFocus ? _icons_icons__WEBPACK_IMPORTED_MODULE_12__.BIconCalendarFill : _icons_icons__WEBPACK_IMPORTED_MODULE_12__.BIconCalendar, {
        attrs: {
          'aria-hidden': 'true'
        }
      });
    }
  },
  render: function render(h) {
    var localYMD = this.localYMD,
        disabled = this.disabled,
        readonly = this.readonly,
        dark = this.dark,
        $props = this.$props,
        $scopedSlots = this.$scopedSlots;
    var placeholder = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_13__.isUndefinedOrNull)(this.placeholder) ? this.labelNoDateSelected : this.placeholder; // Optional footer buttons

    var $footer = [];

    if (this.todayButton) {
      var label = this.labelTodayButton;
      $footer.push(h(_button_button__WEBPACK_IMPORTED_MODULE_14__.BButton, {
        props: {
          disabled: disabled || readonly,
          size: 'sm',
          variant: this.todayButtonVariant
        },
        attrs: {
          'aria-label': label || null
        },
        on: {
          click: this.onTodayButton
        }
      }, label));
    }

    if (this.resetButton) {
      var _label = this.labelResetButton;
      $footer.push(h(_button_button__WEBPACK_IMPORTED_MODULE_14__.BButton, {
        props: {
          disabled: disabled || readonly,
          size: 'sm',
          variant: this.resetButtonVariant
        },
        attrs: {
          'aria-label': _label || null
        },
        on: {
          click: this.onResetButton
        }
      }, _label));
    }

    if (this.closeButton) {
      var _label2 = this.labelCloseButton;
      $footer.push(h(_button_button__WEBPACK_IMPORTED_MODULE_14__.BButton, {
        props: {
          disabled: disabled,
          size: 'sm',
          variant: this.closeButtonVariant
        },
        attrs: {
          'aria-label': _label2 || null
        },
        on: {
          click: this.onCloseButton
        }
      }, _label2));
    }

    if ($footer.length &gt; 0) {
      $footer = [h('div', {
        staticClass: 'b-form-date-controls d-flex flex-wrap',
        class: {
          'justify-content-between': $footer.length &gt; 1,
          'justify-content-end': $footer.length &lt; 2
        }
      }, $footer)];
    }

    var $calendar = h(_calendar_calendar__WEBPACK_IMPORTED_MODULE_3__.BCalendar, {
      staticClass: 'b-form-date-calendar w-100',
      props: _objectSpread(_objectSpread({}, (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.pluckProps)(calendarProps, $props)), {}, {
        hidden: !this.isVisible,
        value: localYMD,
        valueAsDate: false,
        width: this.calendarWidth
      }),
      on: {
        selected: this.onSelected,
        input: this.onInput,
        context: this.onContext
      },
      scopedSlots: (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.pick)($scopedSlots, ['nav-prev-decade', 'nav-prev-year', 'nav-prev-month', 'nav-this-month', 'nav-next-month', 'nav-next-year', 'nav-next-decade']),
      key: 'calendar',
      ref: 'calendar'
    }, $footer);
    return h(_form_btn_label_control_bv_form_btn_label_control__WEBPACK_IMPORTED_MODULE_4__.BVFormBtnLabelControl, {
      staticClass: 'b-form-datepicker',
      props: _objectSpread(_objectSpread({}, (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.pluckProps)(formBtnLabelControlProps, $props)), {}, {
        formattedValue: localYMD ? this.formattedValue : '',
        id: this.safeId(),
        lang: this.computedLang,
        menuClass: [{
          'bg-dark': dark,
          'text-light': dark
        }, this.menuClass],
        placeholder: placeholder,
        rtl: this.isRTL,
        value: localYMD
      }),
      on: {
        show: this.onShow,
        shown: this.onShown,
        hidden: this.onHidden
      },
      scopedSlots: _defineProperty({}, _constants_slots__WEBPACK_IMPORTED_MODULE_15__.SLOT_NAME_BUTTON_CONTENT, $scopedSlots[_constants_slots__WEBPACK_IMPORTED_MODULE_15__.SLOT_NAME_BUTTON_CONTENT] || this.defaultButtonFn),
      ref: 'control'
    }, [$calendar]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-datepicker/index.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-datepicker/index.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormDatepicker: () =&gt; (/* reexport safe */ _form_datepicker__WEBPACK_IMPORTED_MODULE_1__.BFormDatepicker),
/* harmony export */   FormDatepickerPlugin: () =&gt; (/* binding */ FormDatepickerPlugin)
/* harmony export */ });
/* harmony import */ var _form_datepicker__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-datepicker */ "./node_modules/bootstrap-vue/esm/components/form-datepicker/form-datepicker.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var FormDatepickerPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormDatepicker: _form_datepicker__WEBPACK_IMPORTED_MODULE_1__.BFormDatepicker,
    BDatepicker: _form_datepicker__WEBPACK_IMPORTED_MODULE_1__.BFormDatepicker
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-file/form-file.js":
/*!**************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-file/form-file.js ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormFile: () =&gt; (/* binding */ BFormFile)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_26__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_25__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _constants_safe_types__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/safe-types */ "./node_modules/bootstrap-vue/esm/constants/safe-types.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_clone_deep__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../utils/clone-deep */ "./node_modules/bootstrap-vue/esm/utils/clone-deep.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_form_control__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../mixins/form-control */ "./node_modules/bootstrap-vue/esm/mixins/form-control.js");
/* harmony import */ var _mixins_form_custom__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../mixins/form-custom */ "./node_modules/bootstrap-vue/esm/mixins/form-custom.js");
/* harmony import */ var _mixins_form_state__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../mixins/form-state */ "./node_modules/bootstrap-vue/esm/mixins/form-state.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _mixins_form_size__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../mixins/form-size */ "./node_modules/bootstrap-vue/esm/mixins/form-size.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }



























 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: [_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY, _constants_safe_types__WEBPACK_IMPORTED_MODULE_2__.File],
  defaultValue: null,
  validator: function validator(value) {
    /* istanbul ignore next */
    if (value === '') {
      (0,_utils_warn__WEBPACK_IMPORTED_MODULE_3__.warn)(VALUE_EMPTY_DEPRECATED_MSG, _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_FILE);
      return true;
    }

    return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isUndefinedOrNull)(value) || isValidValue(value);
  }
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event;

var VALUE_EMPTY_DEPRECATED_MSG = 'Setting "value"/"v-model" to an empty string for reset is deprecated. Set to "null" instead.'; // --- Helper methods ---

var isValidValue = function isValidValue(value) {
  return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFile)(value) || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isArray)(value) &amp;&amp; value.every(function (v) {
    return isValidValue(v);
  });
}; // Helper method to "safely" get the entry from a data-transfer item

/* istanbul ignore next: not supported in JSDOM */


var getDataTransferItemEntry = function getDataTransferItemEntry(item) {
  return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(item.getAsEntry) ? item.getAsEntry() : (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(item.webkitGetAsEntry) ? item.webkitGetAsEntry() : null;
}; // Drop handler function to get all files

/* istanbul ignore next: not supported in JSDOM */


var getAllFileEntries = function getAllFileEntries(dataTransferItemList) {
  var traverseDirectories = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : true;
  return Promise.all((0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.from)(dataTransferItemList).filter(function (item) {
    return item.kind === 'file';
  }).map(function (item) {
    var entry = getDataTransferItemEntry(item);

    if (entry) {
      if (entry.isDirectory &amp;&amp; traverseDirectories) {
        return getAllFileEntriesInDirectory(entry.createReader(), "".concat(entry.name, "/"));
      } else if (entry.isFile) {
        return new Promise(function (resolve) {
          entry.file(function (file) {
            file.$path = '';
            resolve(file);
          });
        });
      }
    }

    return null;
  }).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity));
}; // Get all the file entries (recursive) in a directory

/* istanbul ignore next: not supported in JSDOM */


var getAllFileEntriesInDirectory = function getAllFileEntriesInDirectory(directoryReader) {
  var path = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : '';
  return new Promise(function (resolve) {
    var entryPromises = [];

    var readDirectoryEntries = function readDirectoryEntries() {
      directoryReader.readEntries(function (entries) {
        if (entries.length === 0) {
          resolve(Promise.all(entryPromises).then(function (entries) {
            return (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.flatten)(entries);
          }));
        } else {
          entryPromises.push(Promise.all(entries.map(function (entry) {
            if (entry) {
              if (entry.isDirectory) {
                return getAllFileEntriesInDirectory(entry.createReader(), "".concat(path).concat(entry.name, "/"));
              } else if (entry.isFile) {
                return new Promise(function (resolve) {
                  entry.file(function (file) {
                    file.$path = "".concat(path).concat(file.name);
                    resolve(file);
                  });
                });
              }
            }

            return null;
          }).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity)));
          readDirectoryEntries();
        }
      });
    };

    readDirectoryEntries();
  });
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_9__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_10__.props), modelProps), _mixins_form_control__WEBPACK_IMPORTED_MODULE_11__.props), _mixins_form_custom__WEBPACK_IMPORTED_MODULE_12__.props), _mixins_form_state__WEBPACK_IMPORTED_MODULE_13__.props), _mixins_form_size__WEBPACK_IMPORTED_MODULE_14__.props), {}, {
  accept: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, ''),
  browseText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Browse'),
  // Instruct input to capture from camera
  capture: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  directory: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  dropPlaceholder: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Drop files here'),
  fileNameFormatter: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_FUNCTION),
  multiple: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noDrop: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noDropPlaceholder: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Not allowed'),
  // TODO:
  //   Should we deprecate this and only support flat file structures?
  //   Nested file structures are only supported when files are dropped
  //   A Chromium "bug" prevents `webkitEntries` from being populated
  //   on the file input's `change` event and is marked as "WontFix"
  //   Mozilla implemented the behavior the same way as Chromium
  //   See: https://bugs.chromium.org/p/chromium/issues/detail?id=138987
  //   See: https://bugzilla.mozilla.org/show_bug.cgi?id=1326031
  noTraverse: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  placeholder: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'No file chosen')
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_FILE); // --- Main component ---
// @vue/component

var BFormFile = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_15__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_FILE,
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_16__.attrsMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_10__.idMixin, modelMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_17__.normalizeSlotMixin, _mixins_form_control__WEBPACK_IMPORTED_MODULE_11__.formControlMixin, _mixins_form_state__WEBPACK_IMPORTED_MODULE_13__.formStateMixin, _mixins_form_custom__WEBPACK_IMPORTED_MODULE_12__.formCustomMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_17__.normalizeSlotMixin],
  inheritAttrs: false,
  props: props,
  data: function data() {
    return {
      files: [],
      dragging: false,
      // IE 11 doesn't respect setting `event.dataTransfer.dropEffect`,
      // so we handle it ourselves as well
      // https://stackoverflow.com/a/46915971/2744776
      dropAllowed: !this.noDrop,
      hasFocus: false
    };
  },
  computed: {
    // Convert `accept` to an array of `[{ RegExpr, isMime }, ...]`
    computedAccept: function computedAccept() {
      var accept = this.accept;
      accept = (accept || '').trim().split(/[,\s]+/).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity); // Allow any file type/extension

      if (accept.length === 0) {
        return null;
      }

      return accept.map(function (extOrType) {
        var prop = 'name';
        var startMatch = '^';
        var endMatch = '$';

        if (_constants_regex__WEBPACK_IMPORTED_MODULE_18__.RX_EXTENSION.test(extOrType)) {
          // File extension /\.ext$/
          startMatch = '';
        } else {
          // MIME type /^mime\/.+$/ or /^mime\/type$/
          prop = 'type';

          if (_constants_regex__WEBPACK_IMPORTED_MODULE_18__.RX_STAR.test(extOrType)) {
            endMatch = '.+$'; // Remove trailing `*`

            extOrType = extOrType.slice(0, -1);
          }
        } // Escape all RegExp special chars


        extOrType = (0,_utils_string__WEBPACK_IMPORTED_MODULE_19__.escapeRegExp)(extOrType);
        var rx = new RegExp("".concat(startMatch).concat(extOrType).concat(endMatch));
        return {
          rx: rx,
          prop: prop
        };
      });
    },
    computedCapture: function computedCapture() {
      var capture = this.capture;
      return capture === true || capture === '' ? true : capture || null;
    },
    computedAttrs: function computedAttrs() {
      var name = this.name,
          disabled = this.disabled,
          required = this.required,
          form = this.form,
          computedCapture = this.computedCapture,
          accept = this.accept,
          multiple = this.multiple,
          directory = this.directory;
      return _objectSpread(_objectSpread({}, this.bvAttrs), {}, {
        type: 'file',
        id: this.safeId(),
        name: name,
        disabled: disabled,
        required: required,
        form: form || null,
        capture: computedCapture,
        accept: accept || null,
        multiple: multiple,
        directory: directory,
        webkitdirectory: directory,
        'aria-required': required ? 'true' : null
      });
    },
    computedFileNameFormatter: function computedFileNameFormatter() {
      var fileNameFormatter = this.fileNameFormatter;
      return (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.hasPropFunction)(fileNameFormatter) ? fileNameFormatter : this.defaultFileNameFormatter;
    },
    clonedFiles: function clonedFiles() {
      return (0,_utils_clone_deep__WEBPACK_IMPORTED_MODULE_20__.cloneDeep)(this.files);
    },
    flattenedFiles: function flattenedFiles() {
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.flattenDeep)(this.files);
    },
    fileNames: function fileNames() {
      return this.flattenedFiles.map(function (file) {
        return file.name;
      });
    },
    labelContent: function labelContent() {
      // Draging active

      /* istanbul ignore next: used by drag/drop which can't be tested easily */
      if (this.dragging &amp;&amp; !this.noDrop) {
        return (// TODO: Add additional scope with file count, and other not-allowed reasons
          this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_21__.SLOT_NAME_DROP_PLACEHOLDER, {
            allowed: this.dropAllowed
          }) || (this.dropAllowed ? this.dropPlaceholder : this.$createElement('span', {
            staticClass: 'text-danger'
          }, this.noDropPlaceholder))
        );
      } // No file chosen


      if (this.files.length === 0) {
        return this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_21__.SLOT_NAME_PLACEHOLDER) || this.placeholder;
      }

      var flattenedFiles = this.flattenedFiles,
          clonedFiles = this.clonedFiles,
          fileNames = this.fileNames,
          computedFileNameFormatter = this.computedFileNameFormatter; // There is a slot for formatting the files/names

      if (this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_21__.SLOT_NAME_FILE_NAME)) {
        return this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_21__.SLOT_NAME_FILE_NAME, {
          files: flattenedFiles,
          filesTraversed: clonedFiles,
          names: fileNames
        });
      }

      return computedFileNameFormatter(flattenedFiles, clonedFiles, fileNames);
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue) {
    if (!newValue || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isArray)(newValue) &amp;&amp; newValue.length === 0) {
      this.reset();
    }
  }), _defineProperty(_watch, "files", function files(newValue, oldValue) {
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_22__.looseEqual)(newValue, oldValue)) {
      var multiple = this.multiple,
          noTraverse = this.noTraverse;
      var files = !multiple || noTraverse ? (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.flattenDeep)(newValue) : newValue;
      this.$emit(MODEL_EVENT_NAME, multiple ? files : files[0] || null);
    }
  }), _watch),
  created: function created() {
    // Create private non-reactive props
    this.$_form = null;
  },
  mounted: function mounted() {
    // Listen for form reset events, to reset the file input
    var $form = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.closest)('form', this.$el);

    if ($form) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_24__.eventOn)($form, 'reset', this.reset, _constants_events__WEBPACK_IMPORTED_MODULE_25__.EVENT_OPTIONS_PASSIVE);
      this.$_form = $form;
    }
  },
  beforeDestroy: function beforeDestroy() {
    var $form = this.$_form;

    if ($form) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_24__.eventOff)($form, 'reset', this.reset, _constants_events__WEBPACK_IMPORTED_MODULE_25__.EVENT_OPTIONS_PASSIVE);
    }
  },
  methods: {
    isFileValid: function isFileValid(file) {
      if (!file) {
        return false;
      }

      var accept = this.computedAccept;
      return accept ? accept.some(function (a) {
        return a.rx.test(file[a.prop]);
      }) : true;
    },
    isFilesArrayValid: function isFilesArrayValid(files) {
      var _this = this;

      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isArray)(files) ? files.every(function (file) {
        return _this.isFileValid(file);
      }) : this.isFileValid(files);
    },
    defaultFileNameFormatter: function defaultFileNameFormatter(flattenedFiles, clonedFiles, fileNames) {
      return fileNames.join(', ');
    },
    setFiles: function setFiles(files) {
      // Reset the dragging flags
      this.dropAllowed = !this.noDrop;
      this.dragging = false; // Set the selected files

      this.files = this.multiple ? this.directory ? files : (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.flattenDeep)(files) : (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.flattenDeep)(files).slice(0, 1);
    },

    /* istanbul ignore next: used by Drag/Drop */
    setInputFiles: function setInputFiles(files) {
      // Try an set the file input files array so that `required`
      // constraint works for dropped files (will fail in IE11 though)
      // To be used only when dropping files
      try {
        // Firefox &lt; 62 workaround exploiting https://bugzilla.mozilla.org/show_bug.cgi?id=1422655
        var dataTransfer = new ClipboardEvent('').clipboardData || new DataTransfer(); // Add flattened files to temp `dataTransfer` object to get a true `FileList` array

        (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.flattenDeep)((0,_utils_clone_deep__WEBPACK_IMPORTED_MODULE_20__.cloneDeep)(files)).forEach(function (file) {
          // Make sure to remove the custom `$path` attribute
          delete file.$path;
          dataTransfer.items.add(file);
        });
        this.$refs.input.files = dataTransfer.files;
      } catch (_unused) {}
    },
    reset: function reset() {
      // IE 11 doesn't support setting `$input.value` to `''` or `null`
      // So we use this little extra hack to reset the value, just in case
      // This also appears to work on modern browsers as well
      // Wrapped in try in case IE 11 or mobile Safari crap out
      try {
        var $input = this.$refs.input;
        $input.value = '';
        $input.type = '';
        $input.type = 'file';
      } catch (_unused2) {}

      this.files = [];
    },
    handleFiles: function handleFiles(files) {
      var isDrop = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : false;

      if (isDrop) {
        // When dropped, make sure to filter files with the internal `accept` logic
        var filteredFiles = files.filter(this.isFilesArrayValid); // Only update files when we have any after filtering

        if (filteredFiles.length &gt; 0) {
          this.setFiles(filteredFiles); // Try an set the file input's files array so that `required`
          // constraint works for dropped files (will fail in IE 11 though)

          this.setInputFiles(filteredFiles);
        }
      } else {
        // We always update the files from the `change` event
        this.setFiles(files);
      }
    },
    focusHandler: function focusHandler(event) {
      // Bootstrap v4 doesn't have focus styling for custom file input
      // Firefox has a `[type=file]:focus ~ sibling` selector issue,
      // so we add a `focus` class to get around these bugs
      if (this.plain || event.type === 'focusout') {
        this.hasFocus = false;
      } else {
        // Add focus styling for custom file input
        this.hasFocus = true;
      }
    },
    onChange: function onChange(event) {
      var _this2 = this;

      var type = event.type,
          target = event.target,
          _event$dataTransfer = event.dataTransfer,
          dataTransfer = _event$dataTransfer === void 0 ? {} : _event$dataTransfer;
      var isDrop = type === 'drop'; // Always emit original event

      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_25__.EVENT_NAME_CHANGE, event);
      var items = (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.from)(dataTransfer.items || []);

      if (_constants_env__WEBPACK_IMPORTED_MODULE_26__.HAS_PROMISE_SUPPORT &amp;&amp; items.length &gt; 0 &amp;&amp; !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isNull)(getDataTransferItemEntry(items[0]))) {
        // Drop handling for modern browsers
        // Supports nested directory structures in `directory` mode

        /* istanbul ignore next: not supported in JSDOM */
        getAllFileEntries(items, this.directory).then(function (files) {
          return _this2.handleFiles(files, isDrop);
        });
      } else {
        // Standard file input handling (native file input change event),
        // or fallback drop mode (IE 11 / Opera) which don't support `directory` mode
        var files = (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.from)(target.files || dataTransfer.files || []).map(function (file) {
          // Add custom `$path` property to each file (to be consistent with drop mode)
          file.$path = file.webkitRelativePath || '';
          return file;
        });
        this.handleFiles(files, isDrop);
      }
    },
    onDragenter: function onDragenter(event) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_24__.stopEvent)(event);
      this.dragging = true;
      var _event$dataTransfer2 = event.dataTransfer,
          dataTransfer = _event$dataTransfer2 === void 0 ? {} : _event$dataTransfer2; // Early exit when the input or dropping is disabled

      if (this.noDrop || this.disabled || !this.dropAllowed) {
        // Show deny feedback

        /* istanbul ignore next: not supported in JSDOM */
        dataTransfer.dropEffect = 'none';
        this.dropAllowed = false;
        return;
      }
      /* istanbul ignore next: not supported in JSDOM */


      dataTransfer.dropEffect = 'copy';
    },
    // Note this event fires repeatedly while the mouse is over the dropzone at
    // intervals in the milliseconds, so avoid doing much processing in here
    onDragover: function onDragover(event) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_24__.stopEvent)(event);
      this.dragging = true;
      var _event$dataTransfer3 = event.dataTransfer,
          dataTransfer = _event$dataTransfer3 === void 0 ? {} : _event$dataTransfer3; // Early exit when the input or dropping is disabled

      if (this.noDrop || this.disabled || !this.dropAllowed) {
        // Show deny feedback

        /* istanbul ignore next: not supported in JSDOM */
        dataTransfer.dropEffect = 'none';
        this.dropAllowed = false;
        return;
      }
      /* istanbul ignore next: not supported in JSDOM */


      dataTransfer.dropEffect = 'copy';
    },
    onDragleave: function onDragleave(event) {
      var _this3 = this;

      (0,_utils_events__WEBPACK_IMPORTED_MODULE_24__.stopEvent)(event);
      this.$nextTick(function () {
        _this3.dragging = false; // Reset `dropAllowed` to default

        _this3.dropAllowed = !_this3.noDrop;
      });
    },
    // Triggered by a file drop onto drop target
    onDrop: function onDrop(event) {
      var _this4 = this;

      (0,_utils_events__WEBPACK_IMPORTED_MODULE_24__.stopEvent)(event);
      this.dragging = false; // Early exit when the input or dropping is disabled

      if (this.noDrop || this.disabled || !this.dropAllowed) {
        this.$nextTick(function () {
          // Reset `dropAllowed` to default
          _this4.dropAllowed = !_this4.noDrop;
        });
        return;
      }

      this.onChange(event);
    }
  },
  render: function render(h) {
    var custom = this.custom,
        plain = this.plain,
        size = this.size,
        dragging = this.dragging,
        stateClass = this.stateClass,
        bvAttrs = this.bvAttrs; // Form Input

    var $input = h('input', {
      class: [{
        'form-control-file': plain,
        'custom-file-input': custom,
        focus: custom &amp;&amp; this.hasFocus
      }, stateClass],
      // With IE 11, the input gets in the "way" of the drop events,
      // so we move it out of the way by putting it behind the label
      // Bootstrap v4 has it in front
      style: custom ? {
        zIndex: -5
      } : {},
      attrs: this.computedAttrs,
      on: {
        change: this.onChange,
        focusin: this.focusHandler,
        focusout: this.focusHandler,
        reset: this.reset
      },
      ref: 'input'
    });

    if (plain) {
      return $input;
    } // Overlay label


    var $label = h('label', {
      staticClass: 'custom-file-label',
      class: {
        dragging: dragging
      },
      attrs: {
        for: this.safeId(),
        // This goes away in Bootstrap v5
        'data-browse': this.browseText || null
      }
    }, [h('span', {
      staticClass: 'd-block form-file-text',
      // `pointer-events: none` is used to make sure
      // the drag events fire only on the label
      style: {
        pointerEvents: 'none'
      }
    }, [this.labelContent])]); // Return rendered custom file input

    return h('div', {
      staticClass: 'custom-file b-form-file',
      class: [_defineProperty({}, "b-custom-control-".concat(size), size), stateClass, bvAttrs.class],
      style: bvAttrs.style,
      attrs: {
        id: this.safeId('_BV_file_outer_')
      },
      on: {
        dragenter: this.onDragenter,
        dragover: this.onDragover,
        dragleave: this.onDragleave,
        drop: this.onDrop
      }
    }, [$input, $label]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-file/index.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-file/index.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormFile: () =&gt; (/* reexport safe */ _form_file__WEBPACK_IMPORTED_MODULE_1__.BFormFile),
/* harmony export */   FormFilePlugin: () =&gt; (/* binding */ FormFilePlugin)
/* harmony export */ });
/* harmony import */ var _form_file__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-file */ "./node_modules/bootstrap-vue/esm/components/form-file/form-file.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var FormFilePlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormFile: _form_file__WEBPACK_IMPORTED_MODULE_1__.BFormFile,
    BFile: _form_file__WEBPACK_IMPORTED_MODULE_1__.BFormFile
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-group/form-group.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormGroup: () =&gt; (/* binding */ BFormGroup),
/* harmony export */   generateProps: () =&gt; (/* binding */ generateProps)
/* harmony export */ });
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_config__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/config */ "./node_modules/bootstrap-vue/esm/utils/config.js");
/* harmony import */ var _utils_css_escape__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../utils/css-escape */ "./node_modules/bootstrap-vue/esm/utils/css-escape.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_state__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../mixins/form-state */ "./node_modules/bootstrap-vue/esm/mixins/form-state.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _layout_col__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../layout/col */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var _layout_form_row__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../layout/form-row */ "./node_modules/bootstrap-vue/esm/components/layout/form-row.js");
/* harmony import */ var _form_form_text__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../form/form-text */ "./node_modules/bootstrap-vue/esm/components/form/form-text.js");
/* harmony import */ var _form_form_invalid_feedback__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../form/form-invalid-feedback */ "./node_modules/bootstrap-vue/esm/components/form/form-invalid-feedback.js");
/* harmony import */ var _form_form_valid_feedback__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../form/form-valid-feedback */ "./node_modules/bootstrap-vue/esm/components/form/form-valid-feedback.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






















 // --- Constants ---

var INPUTS = ['input', 'select', 'textarea']; // Selector for finding first input in the form group

var INPUT_SELECTOR = INPUTS.map(function (v) {
  return "".concat(v, ":not([disabled])");
}).join(); // A list of interactive elements (tag names) inside `&lt;b-form-group&gt;`'s legend

var LEGEND_INTERACTIVE_ELEMENTS = [].concat(INPUTS, ['a', 'button', 'label']); // --- Props ---
// Prop generator for lazy generation of props

var generateProps = function generateProps() {
  return (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.props), _mixins_form_state__WEBPACK_IMPORTED_MODULE_3__.props), (0,_utils_config__WEBPACK_IMPORTED_MODULE_4__.getBreakpointsUpCached)().reduce(function (props, breakpoint) {
    // i.e. 'content-cols', 'content-cols-sm', 'content-cols-md', ...
    props[(0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.suffixPropName)(breakpoint, 'contentCols')] = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN_NUMBER_STRING); // i.e. 'label-align', 'label-align-sm', 'label-align-md', ...

    props[(0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.suffixPropName)(breakpoint, 'labelAlign')] = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING); // i.e. 'label-cols', 'label-cols-sm', 'label-cols-md', ...

    props[(0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.suffixPropName)(breakpoint, 'labelCols')] = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN_NUMBER_STRING);
    return props;
  }, (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.create)(null))), {}, {
    description: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
    disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN, false),
    feedbackAriaLive: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING, 'assertive'),
    invalidFeedback: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
    label: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
    labelClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_ARRAY_OBJECT_STRING),
    labelFor: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
    labelSize: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
    labelSrOnly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN, false),
    tooltip: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN, false),
    validFeedback: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
    validated: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN, false)
  })), _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_FORM_GROUP);
}; // --- Main component ---
// We do not use `extend()` here as that would evaluate the props
// immediately, which we do not want to happen
// @vue/component

var BFormGroup = {
  name: _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_FORM_GROUP,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_2__.idMixin, _mixins_form_state__WEBPACK_IMPORTED_MODULE_3__.formStateMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__.normalizeSlotMixin],

  get props() {
    // Allow props to be lazy evaled on first access and
    // then they become a non-getter afterwards
    // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/get#Smart_self-overwriting_lazy_getters
    delete this.props; // eslint-disable-next-line no-return-assign

    return this.props = generateProps();
  },

  data: function data() {
    return {
      ariaDescribedby: null
    };
  },
  computed: {
    contentColProps: function contentColProps() {
      return this.getColProps(this.$props, 'content');
    },
    labelAlignClasses: function labelAlignClasses() {
      return this.getAlignClasses(this.$props, 'label');
    },
    labelColProps: function labelColProps() {
      return this.getColProps(this.$props, 'label');
    },
    isHorizontal: function isHorizontal() {
      // Determine if the form group will be rendered horizontal
      // based on the existence of 'content-col' or 'label-col' props
      return (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.keys)(this.contentColProps).length &gt; 0 || (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.keys)(this.labelColProps).length &gt; 0;
    }
  },
  watch: {
    ariaDescribedby: function ariaDescribedby(newValue, oldValue) {
      if (newValue !== oldValue) {
        this.updateAriaDescribedby(newValue, oldValue);
      }
    }
  },
  mounted: function mounted() {
    var _this = this;

    this.$nextTick(function () {
      // Set `aria-describedby` on the input specified by `labelFor`
      // We do this in a `$nextTick()` to ensure the children have finished rendering
      _this.updateAriaDescribedby(_this.ariaDescribedby);
    });
  },
  methods: {
    getAlignClasses: function getAlignClasses(props, prefix) {
      return (0,_utils_config__WEBPACK_IMPORTED_MODULE_4__.getBreakpointsUpCached)().reduce(function (result, breakpoint) {
        var propValue = props[(0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.suffixPropName)(breakpoint, "".concat(prefix, "Align"))] || null;

        if (propValue) {
          result.push(['text', breakpoint, propValue].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_8__.identity).join('-'));
        }

        return result;
      }, []);
    },
    getColProps: function getColProps(props, prefix) {
      return (0,_utils_config__WEBPACK_IMPORTED_MODULE_4__.getBreakpointsUpCached)().reduce(function (result, breakpoint) {
        var propValue = props[(0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.suffixPropName)(breakpoint, "".concat(prefix, "Cols"))]; // Handle case where the prop's value is an empty string,
        // which represents `true`

        propValue = propValue === '' ? true : propValue || false;

        if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_9__.isBoolean)(propValue) &amp;&amp; propValue !== 'auto') {
          // Convert to column size to number
          propValue = (0,_utils_number__WEBPACK_IMPORTED_MODULE_10__.toInteger)(propValue, 0); // Ensure column size is greater than `0`

          propValue = propValue &gt; 0 ? propValue : false;
        } // Add the prop to the list of props to give to `&lt;b-col&gt;`
        // If breakpoint is '' (`${prefix}Cols` is `true`), then we use
        // the 'col' prop to make equal width at 'xs'


        if (propValue) {
          result[breakpoint || ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_9__.isBoolean)(propValue) ? 'col' : 'cols')] = propValue;
        }

        return result;
      }, {});
    },
    // Sets the `aria-describedby` attribute on the input if `labelFor` is set
    // Optionally accepts a string of IDs to remove as the second parameter
    // Preserves any `aria-describedby` value(s) user may have on input
    updateAriaDescribedby: function updateAriaDescribedby(newValue, oldValue) {
      var labelFor = this.labelFor;

      if (_constants_env__WEBPACK_IMPORTED_MODULE_11__.IS_BROWSER &amp;&amp; labelFor) {
        // We need to escape `labelFor` since it can be user-provided
        var $input = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.select)("#".concat((0,_utils_css_escape__WEBPACK_IMPORTED_MODULE_13__.cssEscape)(labelFor)), this.$refs.content);

        if ($input) {
          var attr = 'aria-describedby';
          var newIds = (newValue || '').split(_constants_regex__WEBPACK_IMPORTED_MODULE_14__.RX_SPACE_SPLIT);
          var oldIds = (oldValue || '').split(_constants_regex__WEBPACK_IMPORTED_MODULE_14__.RX_SPACE_SPLIT); // Update ID list, preserving any original IDs
          // and ensuring the ID's are unique

          var ids = ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.getAttr)($input, attr) || '').split(_constants_regex__WEBPACK_IMPORTED_MODULE_14__.RX_SPACE_SPLIT).filter(function (id) {
            return !(0,_utils_array__WEBPACK_IMPORTED_MODULE_15__.arrayIncludes)(oldIds, id);
          }).concat(newIds).filter(function (id, index, ids) {
            return ids.indexOf(id) === index;
          }).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_8__.identity).join(' ').trim();

          if (ids) {
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.setAttr)($input, attr, ids);
          } else {
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.removeAttr)($input, attr);
          }
        }
      }
    },
    onLegendClick: function onLegendClick(event) {
      // Don't do anything if `labelFor` is set

      /* istanbul ignore next: clicking a label will focus the input, so no need to test */
      if (this.labelFor) {
        return;
      }

      var target = event.target;
      var tagName = target ? target.tagName : ''; // If clicked an interactive element inside legend,
      // we just let the default happen

      /* istanbul ignore next */

      if (LEGEND_INTERACTIVE_ELEMENTS.indexOf(tagName) !== -1) {
        return;
      } // If only a single input, focus it, emulating label behaviour


      var inputs = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.selectAll)(INPUT_SELECTOR, this.$refs.content).filter(_utils_dom__WEBPACK_IMPORTED_MODULE_12__.isVisible);

      if (inputs.length === 1) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.attemptFocus)(inputs[0]);
      }
    }
  },
  render: function render(h) {
    var state = this.computedState,
        feedbackAriaLive = this.feedbackAriaLive,
        isHorizontal = this.isHorizontal,
        labelFor = this.labelFor,
        normalizeSlot = this.normalizeSlot,
        safeId = this.safeId,
        tooltip = this.tooltip;
    var id = safeId();
    var isFieldset = !labelFor;
    var $label = h();
    var labelContent = normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_16__.SLOT_NAME_LABEL) || this.label;
    var labelId = labelContent ? safeId('_BV_label_') : null;

    if (labelContent || isHorizontal) {
      var labelSize = this.labelSize,
          labelColProps = this.labelColProps;
      var labelTag = isFieldset ? 'legend' : 'label';

      if (this.labelSrOnly) {
        if (labelContent) {
          $label = h(labelTag, {
            class: 'sr-only',
            attrs: {
              id: labelId,
              for: labelFor || null
            }
          }, [labelContent]);
        }

        $label = h(isHorizontal ? _layout_col__WEBPACK_IMPORTED_MODULE_17__.BCol : 'div', {
          props: isHorizontal ? labelColProps : {}
        }, [$label]);
      } else {
        $label = h(isHorizontal ? _layout_col__WEBPACK_IMPORTED_MODULE_17__.BCol : labelTag, {
          on: isFieldset ? {
            click: this.onLegendClick
          } : {},
          props: isHorizontal ? _objectSpread(_objectSpread({}, labelColProps), {}, {
            tag: labelTag
          }) : {},
          attrs: {
            id: labelId,
            for: labelFor || null,
            // We add a `tabindex` to legend so that screen readers
            // will properly read the `aria-labelledby` in IE
            tabindex: isFieldset ? '-1' : null
          },
          class: [// Hide the focus ring on the legend
          isFieldset ? 'bv-no-focus-ring' : '', // When horizontal or if a legend is rendered, add 'col-form-label' class
          // for correct sizing as Bootstrap has inconsistent font styling for
          // legend in non-horizontal form groups
          // See: https://github.com/twbs/bootstrap/issues/27805
          isHorizontal || isFieldset ? 'col-form-label' : '', // Emulate label padding top of `0` on legend when not horizontal
          !isHorizontal &amp;&amp; isFieldset ? 'pt-0' : '', // If not horizontal and not a legend, we add 'd-block' class to label
          // so that label-align works
          !isHorizontal &amp;&amp; !isFieldset ? 'd-block' : '', labelSize ? "col-form-label-".concat(labelSize) : '', this.labelAlignClasses, this.labelClass]
        }, [labelContent]);
      }
    }

    var $invalidFeedback = h();
    var invalidFeedbackContent = normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_16__.SLOT_NAME_INVALID_FEEDBACK) || this.invalidFeedback;
    var invalidFeedbackId = invalidFeedbackContent ? safeId('_BV_feedback_invalid_') : null;

    if (invalidFeedbackContent) {
      $invalidFeedback = h(_form_form_invalid_feedback__WEBPACK_IMPORTED_MODULE_18__.BFormInvalidFeedback, {
        props: {
          ariaLive: feedbackAriaLive,
          id: invalidFeedbackId,
          // If state is explicitly `false`, always show the feedback
          state: state,
          tooltip: tooltip
        },
        attrs: {
          tabindex: invalidFeedbackContent ? '-1' : null
        }
      }, [invalidFeedbackContent]);
    }

    var $validFeedback = h();
    var validFeedbackContent = normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_16__.SLOT_NAME_VALID_FEEDBACK) || this.validFeedback;
    var validFeedbackId = validFeedbackContent ? safeId('_BV_feedback_valid_') : null;

    if (validFeedbackContent) {
      $validFeedback = h(_form_form_valid_feedback__WEBPACK_IMPORTED_MODULE_19__.BFormValidFeedback, {
        props: {
          ariaLive: feedbackAriaLive,
          id: validFeedbackId,
          // If state is explicitly `true`, always show the feedback
          state: state,
          tooltip: tooltip
        },
        attrs: {
          tabindex: validFeedbackContent ? '-1' : null
        }
      }, [validFeedbackContent]);
    }

    var $description = h();
    var descriptionContent = normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_16__.SLOT_NAME_DESCRIPTION) || this.description;
    var descriptionId = descriptionContent ? safeId('_BV_description_') : null;

    if (descriptionContent) {
      $description = h(_form_form_text__WEBPACK_IMPORTED_MODULE_20__.BFormText, {
        attrs: {
          id: descriptionId,
          tabindex: '-1'
        }
      }, [descriptionContent]);
    } // Update `ariaDescribedby`
    // Screen readers will read out any content linked to by `aria-describedby`
    // even if the content is hidden with `display: none;`, hence we only include
    // feedback IDs if the form group's state is explicitly valid or invalid


    var ariaDescribedby = this.ariaDescribedby = [descriptionId, state === false ? invalidFeedbackId : null, state === true ? validFeedbackId : null].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_8__.identity).join(' ') || null;
    var $content = h(isHorizontal ? _layout_col__WEBPACK_IMPORTED_MODULE_17__.BCol : 'div', {
      props: isHorizontal ? this.contentColProps : {},
      ref: 'content'
    }, [normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_16__.SLOT_NAME_DEFAULT, {
      ariaDescribedby: ariaDescribedby,
      descriptionId: descriptionId,
      id: id,
      labelId: labelId
    }) || h(), $invalidFeedback, $validFeedback, $description]); // Return it wrapped in a form group
    // Note: Fieldsets do not support adding `row` or `form-row` directly
    // to them due to browser specific render issues, so we move the `form-row`
    // to an inner wrapper div when horizontal and using a fieldset

    return h(isFieldset ? 'fieldset' : isHorizontal ? _layout_form_row__WEBPACK_IMPORTED_MODULE_21__.BFormRow : 'div', {
      staticClass: 'form-group',
      class: [{
        'was-validated': this.validated
      }, this.stateClass],
      attrs: {
        id: id,
        disabled: isFieldset ? this.disabled : null,
        role: isFieldset ? null : 'group',
        'aria-invalid': this.computedAriaInvalid,
        // Only apply `aria-labelledby` if we are a horizontal fieldset
        // as the legend is no longer a direct child of fieldset
        'aria-labelledby': isFieldset &amp;&amp; isHorizontal ? labelId : null
      }
    }, isHorizontal &amp;&amp; isFieldset ? [h(_layout_form_row__WEBPACK_IMPORTED_MODULE_21__.BFormRow, [$label, $content])] : [$label, $content]);
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-group/index.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-group/index.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormGroup: () =&gt; (/* reexport safe */ _form_group__WEBPACK_IMPORTED_MODULE_1__.BFormGroup),
/* harmony export */   FormGroupPlugin: () =&gt; (/* binding */ FormGroupPlugin)
/* harmony export */ });
/* harmony import */ var _form_group__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-group */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var FormGroupPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormGroup: _form_group__WEBPACK_IMPORTED_MODULE_1__.BFormGroup,
    BFormFieldset: _form_group__WEBPACK_IMPORTED_MODULE_1__.BFormGroup
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-input/form-input.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormInput: () =&gt; (/* binding */ BFormInput),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_control__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../mixins/form-control */ "./node_modules/bootstrap-vue/esm/mixins/form-control.js");
/* harmony import */ var _mixins_form_selection__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../mixins/form-selection */ "./node_modules/bootstrap-vue/esm/mixins/form-selection.js");
/* harmony import */ var _mixins_form_size__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/form-size */ "./node_modules/bootstrap-vue/esm/mixins/form-size.js");
/* harmony import */ var _mixins_form_state__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/form-state */ "./node_modules/bootstrap-vue/esm/mixins/form-state.js");
/* harmony import */ var _mixins_form_text__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/form-text */ "./node_modules/bootstrap-vue/esm/mixins/form-text.js");
/* harmony import */ var _mixins_form_validity__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../mixins/form-validity */ "./node_modules/bootstrap-vue/esm/mixins/form-validity.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_listeners__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../mixins/listeners */ "./node_modules/bootstrap-vue/esm/mixins/listeners.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
















 // --- Constants ---
// Valid supported input types

var TYPES = ['text', 'password', 'email', 'number', 'url', 'tel', 'search', 'range', 'color', 'date', 'time', 'datetime', 'datetime-local', 'month', 'week']; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.props), _mixins_form_control__WEBPACK_IMPORTED_MODULE_3__.props), _mixins_form_size__WEBPACK_IMPORTED_MODULE_4__.props), _mixins_form_state__WEBPACK_IMPORTED_MODULE_5__.props), _mixins_form_text__WEBPACK_IMPORTED_MODULE_6__.props), {}, {
  list: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING),
  max: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_NUMBER_STRING),
  min: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_NUMBER_STRING),
  // Disable mousewheel to prevent wheel from changing values (i.e. number/date)
  noWheel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_BOOLEAN, false),
  step: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_NUMBER_STRING),
  type: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING, 'text', function (type) {
    return (0,_utils_array__WEBPACK_IMPORTED_MODULE_8__.arrayIncludes)(TYPES, type);
  })
})), _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_FORM_INPUT); // --- Main component ---
// @vue/component

var BFormInput = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_10__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_FORM_INPUT,
  // Mixin order is important!
  mixins: [_mixins_listeners__WEBPACK_IMPORTED_MODULE_11__.listenersMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.idMixin, _mixins_form_control__WEBPACK_IMPORTED_MODULE_3__.formControlMixin, _mixins_form_size__WEBPACK_IMPORTED_MODULE_4__.formSizeMixin, _mixins_form_state__WEBPACK_IMPORTED_MODULE_5__.formStateMixin, _mixins_form_text__WEBPACK_IMPORTED_MODULE_6__.formTextMixin, _mixins_form_selection__WEBPACK_IMPORTED_MODULE_12__.formSelectionMixin, _mixins_form_validity__WEBPACK_IMPORTED_MODULE_13__.formValidityMixin],
  props: props,
  computed: {
    localType: function localType() {
      // We only allow certain types
      var type = this.type;
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_8__.arrayIncludes)(TYPES, type) ? type : 'text';
    },
    computedAttrs: function computedAttrs() {
      var type = this.localType,
          name = this.name,
          form = this.form,
          disabled = this.disabled,
          placeholder = this.placeholder,
          required = this.required,
          min = this.min,
          max = this.max,
          step = this.step;
      return {
        id: this.safeId(),
        name: name,
        form: form,
        type: type,
        disabled: disabled,
        placeholder: placeholder,
        required: required,
        autocomplete: this.autocomplete || null,
        readonly: this.readonly || this.plaintext,
        min: min,
        max: max,
        step: step,
        list: type !== 'password' ? this.list : null,
        'aria-required': required ? 'true' : null,
        'aria-invalid': this.computedAriaInvalid
      };
    },
    computedListeners: function computedListeners() {
      return _objectSpread(_objectSpread({}, this.bvListeners), {}, {
        input: this.onInput,
        change: this.onChange,
        blur: this.onBlur
      });
    }
  },
  watch: {
    noWheel: function noWheel(newValue) {
      this.setWheelStopper(newValue);
    }
  },
  mounted: function mounted() {
    this.setWheelStopper(this.noWheel);
  },

  /* istanbul ignore next */
  deactivated: function deactivated() {
    // Turn off listeners when keep-alive component deactivated

    /* istanbul ignore next */
    this.setWheelStopper(false);
  },

  /* istanbul ignore next */
  activated: function activated() {
    // Turn on listeners (if no-wheel) when keep-alive component activated

    /* istanbul ignore next */
    this.setWheelStopper(this.noWheel);
  },
  beforeDestroy: function beforeDestroy() {
    /* istanbul ignore next */
    this.setWheelStopper(false);
  },
  methods: {
    setWheelStopper: function setWheelStopper(on) {
      var input = this.$el; // We use native events, so that we don't interfere with propagation

      (0,_utils_events__WEBPACK_IMPORTED_MODULE_14__.eventOnOff)(on, input, 'focus', this.onWheelFocus);
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_14__.eventOnOff)(on, input, 'blur', this.onWheelBlur);

      if (!on) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_14__.eventOff)(document, 'wheel', this.stopWheel);
      }
    },
    onWheelFocus: function onWheelFocus() {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_14__.eventOn)(document, 'wheel', this.stopWheel);
    },
    onWheelBlur: function onWheelBlur() {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_14__.eventOff)(document, 'wheel', this.stopWheel);
    },
    stopWheel: function stopWheel(event) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_14__.stopEvent)(event, {
        propagation: false
      });
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_15__.attemptBlur)(this.$el);
    }
  },
  render: function render(h) {
    return h('input', {
      class: this.computedClass,
      attrs: this.computedAttrs,
      domProps: {
        value: this.localValue
      },
      on: this.computedListeners,
      ref: 'input'
    });
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-input/index.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-input/index.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormInput: () =&gt; (/* reexport safe */ _form_input__WEBPACK_IMPORTED_MODULE_1__.BFormInput),
/* harmony export */   FormInputPlugin: () =&gt; (/* binding */ FormInputPlugin)
/* harmony export */ });
/* harmony import */ var _form_input__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-input */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var FormInputPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormInput: _form_input__WEBPACK_IMPORTED_MODULE_1__.BFormInput,
    BInput: _form_input__WEBPACK_IMPORTED_MODULE_1__.BFormInput
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-radio/form-radio-group.js":
/*!**********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-radio/form-radio-group.js ***!
  \**********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormRadioGroup: () =&gt; (/* binding */ BFormRadioGroup),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_radio_check_group__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../mixins/form-radio-check-group */ "./node_modules/bootstrap-vue/esm/mixins/form-radio-check-group.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)(_mixins_form_radio_check_group__WEBPACK_IMPORTED_MODULE_1__.props, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_RADIO_GROUP); // --- Main component ---
// @vue/component

var BFormRadioGroup = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_RADIO_GROUP,
  mixins: [_mixins_form_radio_check_group__WEBPACK_IMPORTED_MODULE_1__.formRadioCheckGroupMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvRadioGroup: function getBvRadioGroup() {
        return _this;
      }
    };
  },
  props: props,
  computed: {
    isRadioGroup: function isRadioGroup() {
      return true;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-radio/form-radio.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-radio/form-radio.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormRadio: () =&gt; (/* binding */ BFormRadio),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_radio_check__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../mixins/form-radio-check */ "./node_modules/bootstrap-vue/esm/mixins/form-radio-check.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)(_mixins_form_radio_check__WEBPACK_IMPORTED_MODULE_1__.props, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_RADIO); // --- Main component ---
// @vue/component

var BFormRadio = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_RADIO,
  mixins: [_mixins_form_radio_check__WEBPACK_IMPORTED_MODULE_1__.formRadioCheckMixin],
  inject: {
    getBvGroup: {
      from: 'getBvRadioGroup',
      default: function _default() {
        return function () {
          return null;
        };
      }
    }
  },
  props: props,
  computed: {
    bvGroup: function bvGroup() {
      return this.getBvGroup();
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-radio/index.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-radio/index.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormRadio: () =&gt; (/* reexport safe */ _form_radio__WEBPACK_IMPORTED_MODULE_1__.BFormRadio),
/* harmony export */   BFormRadioGroup: () =&gt; (/* reexport safe */ _form_radio_group__WEBPACK_IMPORTED_MODULE_2__.BFormRadioGroup),
/* harmony export */   FormRadioPlugin: () =&gt; (/* binding */ FormRadioPlugin)
/* harmony export */ });
/* harmony import */ var _form_radio__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-radio */ "./node_modules/bootstrap-vue/esm/components/form-radio/form-radio.js");
/* harmony import */ var _form_radio_group__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./form-radio-group */ "./node_modules/bootstrap-vue/esm/components/form-radio/form-radio-group.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var FormRadioPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormRadio: _form_radio__WEBPACK_IMPORTED_MODULE_1__.BFormRadio,
    BRadio: _form_radio__WEBPACK_IMPORTED_MODULE_1__.BFormRadio,
    BFormRadioGroup: _form_radio_group__WEBPACK_IMPORTED_MODULE_2__.BFormRadioGroup,
    BRadioGroup: _form_radio_group__WEBPACK_IMPORTED_MODULE_2__.BFormRadioGroup
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-rating/form-rating.js":
/*!******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-rating/form-rating.js ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormRating: () =&gt; (/* binding */ BFormRating),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_locale__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../utils/locale */ "./node_modules/bootstrap-vue/esm/utils/locale.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _mixins_form_size__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../mixins/form-size */ "./node_modules/bootstrap-vue/esm/mixins/form-size.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _mixins_form_control__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../mixins/form-control */ "./node_modules/bootstrap-vue/esm/mixins/form-control.js");
/* harmony import */ var _icons_icon__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../../icons/icon */ "./node_modules/bootstrap-vue/esm/icons/icon.js");
/* harmony import */ var _icons_icons__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../icons/icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
























 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING,
  event: _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_CHANGE
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event;

var MIN_STARS = 3;
var DEFAULT_STARS = 5; // --- Helper methods ---

var computeStars = function computeStars(stars) {
  return (0,_utils_math__WEBPACK_IMPORTED_MODULE_3__.mathMax)(MIN_STARS, (0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toInteger)(stars, DEFAULT_STARS));
};

var clampValue = function clampValue(value, min, max) {
  return (0,_utils_math__WEBPACK_IMPORTED_MODULE_3__.mathMax)((0,_utils_math__WEBPACK_IMPORTED_MODULE_3__.mathMin)(value, max), min);
}; // --- Helper components ---
// @vue/component


var BVFormRatingStar = (0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_FORM_RATING_STAR,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__.normalizeSlotMixin],
  props: {
    disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
    // If parent is focused
    focused: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
    hasClear: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
    rating: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER, 0),
    readonly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
    star: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER, 0),
    variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
  },
  methods: {
    onClick: function onClick(event) {
      if (!this.disabled &amp;&amp; !this.readonly) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_9__.stopEvent)(event, {
          propagation: false
        });
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SELECTED, this.star);
      }
    }
  },
  render: function render(h) {
    var rating = this.rating,
        star = this.star,
        focused = this.focused,
        hasClear = this.hasClear,
        variant = this.variant,
        disabled = this.disabled,
        readonly = this.readonly;
    var minStar = hasClear ? 0 : 1;
    var type = rating &gt;= star ? 'full' : rating &gt;= star - 0.5 ? 'half' : 'empty';
    var slotScope = {
      variant: variant,
      disabled: disabled,
      readonly: readonly
    };
    return h('span', {
      staticClass: 'b-rating-star',
      class: {
        // When not hovered, we use this class to focus the current (or first) star
        focused: focused &amp;&amp; rating === star || !(0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toInteger)(rating) &amp;&amp; star === minStar,
        // We add type classes to we can handle RTL styling
        'b-rating-star-empty': type === 'empty',
        'b-rating-star-half': type === 'half',
        'b-rating-star-full': type === 'full'
      },
      attrs: {
        tabindex: !disabled &amp;&amp; !readonly ? '-1' : null
      },
      on: {
        click: this.onClick
      }
    }, [h('span', {
      staticClass: 'b-rating-icon'
    }, [this.normalizeSlot(type, slotScope)])]);
  }
}); // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_10__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_11__.props), modelProps), (0,_utils_object__WEBPACK_IMPORTED_MODULE_10__.omit)(_mixins_form_control__WEBPACK_IMPORTED_MODULE_12__.props, ['required', 'autofocus'])), _mixins_form_size__WEBPACK_IMPORTED_MODULE_13__.props), {}, {
  // CSS color string (overrides variant)
  color: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  iconClear: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'x'),
  iconEmpty: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'star'),
  iconFull: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'star-fill'),
  iconHalf: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'star-half'),
  inline: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Locale for the formatted value (if shown)
  // Defaults to the browser locale. Falls back to `en`
  locale: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_STRING),
  noBorder: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  precision: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING),
  readonly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  showClear: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  showValue: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  showValueMax: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  stars: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, DEFAULT_STARS, function (value) {
    return (0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toInteger)(value) &gt;= MIN_STARS;
  }),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_8__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_FORM_RATING); // --- Main component ---
// @vue/component

var BFormRating = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_FORM_RATING,
  components: {
    BIconStar: _icons_icons__WEBPACK_IMPORTED_MODULE_14__.BIconStar,
    BIconStarHalf: _icons_icons__WEBPACK_IMPORTED_MODULE_14__.BIconStarHalf,
    BIconStarFill: _icons_icons__WEBPACK_IMPORTED_MODULE_14__.BIconStarFill,
    BIconX: _icons_icons__WEBPACK_IMPORTED_MODULE_14__.BIconX
  },
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_11__.idMixin, modelMixin, _mixins_form_size__WEBPACK_IMPORTED_MODULE_13__.formSizeMixin],
  props: props,
  data: function data() {
    var value = (0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toFloat)(this[MODEL_PROP_NAME], null);
    var stars = computeStars(this.stars);
    return {
      localValue: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isNull)(value) ? null : clampValue(value, 0, stars),
      hasFocus: false
    };
  },
  computed: {
    computedStars: function computedStars() {
      return computeStars(this.stars);
    },
    computedRating: function computedRating() {
      var value = (0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toFloat)(this.localValue, 0);
      var precision = (0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toInteger)(this.precision, 3); // We clamp the value between `0` and stars

      return clampValue((0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toFloat)(value.toFixed(precision)), 0, this.computedStars);
    },
    computedLocale: function computedLocale() {
      var locales = (0,_utils_array__WEBPACK_IMPORTED_MODULE_16__.concat)(this.locale).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_17__.identity);
      var nf = new Intl.NumberFormat(locales);
      return nf.resolvedOptions().locale;
    },
    isInteractive: function isInteractive() {
      return !this.disabled &amp;&amp; !this.readonly;
    },
    isRTL: function isRTL() {
      return (0,_utils_locale__WEBPACK_IMPORTED_MODULE_18__.isLocaleRTL)(this.computedLocale);
    },
    formattedRating: function formattedRating() {
      var precision = (0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toInteger)(this.precision);
      var showValueMax = this.showValueMax;
      var locale = this.computedLocale;
      var formatOptions = {
        notation: 'standard',
        minimumFractionDigits: isNaN(precision) ? 0 : precision,
        maximumFractionDigits: isNaN(precision) ? 3 : precision
      };
      var stars = this.computedStars.toLocaleString(locale);
      var value = this.localValue;
      value = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isNull)(value) ? showValueMax ? '-' : '' : value.toLocaleString(locale, formatOptions);
      return showValueMax ? "".concat(value, "/").concat(stars) : value;
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue, oldValue) {
    if (newValue !== oldValue) {
      var value = (0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toFloat)(newValue, null);
      this.localValue = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isNull)(value) ? null : clampValue(value, 0, this.computedStars);
    }
  }), _defineProperty(_watch, "localValue", function localValue(newValue, oldValue) {
    if (newValue !== oldValue &amp;&amp; newValue !== (this.value || 0)) {
      this.$emit(MODEL_EVENT_NAME, newValue || null);
    }
  }), _defineProperty(_watch, "disabled", function disabled(newValue) {
    if (newValue) {
      this.hasFocus = false;
      this.blur();
    }
  }), _watch),
  methods: {
    // --- Public methods ---
    focus: function focus() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.attemptFocus)(this.$el);
      }
    },
    blur: function blur() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.attemptBlur)(this.$el);
      }
    },
    // --- Private methods ---
    onKeydown: function onKeydown(event) {
      var keyCode = event.keyCode;

      if (this.isInteractive &amp;&amp; (0,_utils_array__WEBPACK_IMPORTED_MODULE_16__.arrayIncludes)([_constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_LEFT, _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_DOWN, _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_RIGHT, _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_UP], keyCode)) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_9__.stopEvent)(event, {
          propagation: false
        });
        var value = (0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toInteger)(this.localValue, 0);
        var min = this.showClear ? 0 : 1;
        var stars = this.computedStars; // In RTL mode, LEFT/RIGHT are swapped

        var amountRtl = this.isRTL ? -1 : 1;

        if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_LEFT) {
          this.localValue = clampValue(value - amountRtl, min, stars) || null;
        } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_RIGHT) {
          this.localValue = clampValue(value + amountRtl, min, stars);
        } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_DOWN) {
          this.localValue = clampValue(value - 1, min, stars) || null;
        } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_UP) {
          this.localValue = clampValue(value + 1, min, stars);
        }
      }
    },
    onSelected: function onSelected(value) {
      if (this.isInteractive) {
        this.localValue = value;
      }
    },
    onFocus: function onFocus(event) {
      this.hasFocus = !this.isInteractive ? false : event.type === 'focus';
    },
    // --- Render methods ---
    renderIcon: function renderIcon(icon) {
      return this.$createElement(_icons_icon__WEBPACK_IMPORTED_MODULE_21__.BIcon, {
        props: {
          icon: icon,
          variant: this.disabled || this.color ? null : this.variant || null
        }
      });
    },
    iconEmptyFn: function iconEmptyFn() {
      return this.renderIcon(this.iconEmpty);
    },
    iconHalfFn: function iconHalfFn() {
      return this.renderIcon(this.iconHalf);
    },
    iconFullFn: function iconFullFn() {
      return this.renderIcon(this.iconFull);
    },
    iconClearFn: function iconClearFn() {
      return this.$createElement(_icons_icon__WEBPACK_IMPORTED_MODULE_21__.BIcon, {
        props: {
          icon: this.iconClear
        }
      });
    }
  },
  render: function render(h) {
    var _this = this;

    var disabled = this.disabled,
        readonly = this.readonly,
        name = this.name,
        form = this.form,
        inline = this.inline,
        variant = this.variant,
        color = this.color,
        noBorder = this.noBorder,
        hasFocus = this.hasFocus,
        computedRating = this.computedRating,
        computedStars = this.computedStars,
        formattedRating = this.formattedRating,
        showClear = this.showClear,
        isRTL = this.isRTL,
        isInteractive = this.isInteractive,
        $scopedSlots = this.$scopedSlots;
    var $content = [];

    if (showClear &amp;&amp; !disabled &amp;&amp; !readonly) {
      var $icon = h('span', {
        staticClass: 'b-rating-icon'
      }, [($scopedSlots[_constants_slots__WEBPACK_IMPORTED_MODULE_22__.SLOT_NAME_ICON_CLEAR] || this.iconClearFn)()]);
      $content.push(h('span', {
        staticClass: 'b-rating-star b-rating-star-clear flex-grow-1',
        class: {
          focused: hasFocus &amp;&amp; computedRating === 0
        },
        attrs: {
          tabindex: isInteractive ? '-1' : null
        },
        on: {
          click: function click() {
            return _this.onSelected(null);
          }
        },
        key: 'clear'
      }, [$icon]));
    }

    for (var index = 0; index &lt; computedStars; index++) {
      var value = index + 1;
      $content.push(h(BVFormRatingStar, {
        staticClass: 'flex-grow-1',
        style: color &amp;&amp; !disabled ? {
          color: color
        } : {},
        props: {
          rating: computedRating,
          star: value,
          variant: disabled ? null : variant || null,
          disabled: disabled,
          readonly: readonly,
          focused: hasFocus,
          hasClear: showClear
        },
        on: {
          selected: this.onSelected
        },
        scopedSlots: {
          empty: $scopedSlots[_constants_slots__WEBPACK_IMPORTED_MODULE_22__.SLOT_NAME_ICON_EMPTY] || this.iconEmptyFn,
          half: $scopedSlots[_constants_slots__WEBPACK_IMPORTED_MODULE_22__.SLOT_NAME_ICON_HALF] || this.iconHalfFn,
          full: $scopedSlots[_constants_slots__WEBPACK_IMPORTED_MODULE_22__.SLOT_NAME_ICON_FULL] || this.iconFullFn
        },
        key: index
      }));
    }

    if (name) {
      $content.push(h('input', {
        attrs: {
          type: 'hidden',
          value: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isNull)(this.localValue) ? '' : computedRating,
          name: name,
          form: form || null
        },
        key: 'hidden'
      }));
    }

    if (this.showValue) {
      $content.push(h('b', {
        staticClass: 'b-rating-value flex-grow-1',
        attrs: {
          'aria-hidden': 'true'
        },
        key: 'value'
      }, (0,_utils_string__WEBPACK_IMPORTED_MODULE_23__.toString)(formattedRating)));
    }

    return h('output', {
      staticClass: 'b-rating form-control align-items-center',
      class: [{
        'd-inline-flex': inline,
        'd-flex': !inline,
        'border-0': noBorder,
        disabled: disabled,
        readonly: !disabled &amp;&amp; readonly
      }, this.sizeFormClass],
      attrs: {
        id: this.safeId(),
        dir: isRTL ? 'rtl' : 'ltr',
        tabindex: disabled ? null : '0',
        disabled: disabled,
        role: 'slider',
        'aria-disabled': disabled ? 'true' : null,
        'aria-readonly': !disabled &amp;&amp; readonly ? 'true' : null,
        'aria-live': 'off',
        'aria-valuemin': showClear ? '0' : '1',
        'aria-valuemax': (0,_utils_string__WEBPACK_IMPORTED_MODULE_23__.toString)(computedStars),
        'aria-valuenow': computedRating ? (0,_utils_string__WEBPACK_IMPORTED_MODULE_23__.toString)(computedRating) : null
      },
      on: {
        keydown: this.onKeydown,
        focus: this.onFocus,
        blur: this.onFocus
      }
    }, $content);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-rating/index.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-rating/index.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormRating: () =&gt; (/* reexport safe */ _form_rating__WEBPACK_IMPORTED_MODULE_1__.BFormRating),
/* harmony export */   FormRatingPlugin: () =&gt; (/* binding */ FormRatingPlugin)
/* harmony export */ });
/* harmony import */ var _form_rating__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-rating */ "./node_modules/bootstrap-vue/esm/components/form-rating/form-rating.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var FormRatingPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormRating: _form_rating__WEBPACK_IMPORTED_MODULE_1__.BFormRating,
    BRating: _form_rating__WEBPACK_IMPORTED_MODULE_1__.BFormRating
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-select/form-select-option-group.js":
/*!*******************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-select/form-select-option-group.js ***!
  \*******************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormSelectOptionGroup: () =&gt; (/* binding */ BFormSelectOptionGroup),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_options__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/form-options */ "./node_modules/bootstrap-vue/esm/mixins/form-options.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _form_select_option__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./form-select-option */ "./node_modules/bootstrap-vue/esm/components/form-select/form-select-option.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }










 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, _mixins_form_options__WEBPACK_IMPORTED_MODULE_2__.props), {}, {
  label: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, undefined, true) // Required

})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_SELECT_OPTION_GROUP); // --- Main component ---
// @vue/component

var BFormSelectOptionGroup = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_SELECT_OPTION_GROUP,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlotMixin, _mixins_form_options__WEBPACK_IMPORTED_MODULE_2__.formOptionsMixin],
  props: props,
  render: function render(h) {
    var label = this.label;
    var $options = this.formOptions.map(function (option, index) {
      var value = option.value,
          text = option.text,
          html = option.html,
          disabled = option.disabled;
      return h(_form_select_option__WEBPACK_IMPORTED_MODULE_7__.BFormSelectOption, {
        attrs: {
          value: value,
          disabled: disabled
        },
        domProps: (0,_utils_html__WEBPACK_IMPORTED_MODULE_8__.htmlOrText)(html, text),
        key: "option_".concat(index)
      });
    });
    return h('optgroup', {
      attrs: {
        label: label
      }
    }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_9__.SLOT_NAME_FIRST), $options, this.normalizeSlot()]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-select/form-select-option.js":
/*!*************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-select/form-select-option.js ***!
  \*************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormSelectOption: () =&gt; (/* binding */ BFormSelectOption),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  value: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ANY, undefined, true) // Required

}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_SELECT_OPTION); // --- Main component ---
// @vue/component

var BFormSelectOption = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_SELECT_OPTION,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var value = props.value,
        disabled = props.disabled;
    return h('option', (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      attrs: {
        disabled: disabled
      },
      domProps: {
        value: value
      }
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-select/form-select.js":
/*!******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-select/form-select.js ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormSelect: () =&gt; (/* binding */ BFormSelect),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_control__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/form-control */ "./node_modules/bootstrap-vue/esm/mixins/form-control.js");
/* harmony import */ var _mixins_form_custom__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/form-custom */ "./node_modules/bootstrap-vue/esm/mixins/form-custom.js");
/* harmony import */ var _mixins_form_size__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/form-size */ "./node_modules/bootstrap-vue/esm/mixins/form-size.js");
/* harmony import */ var _mixins_form_state__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/form-state */ "./node_modules/bootstrap-vue/esm/mixins/form-state.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_model__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../mixins/model */ "./node_modules/bootstrap-vue/esm/mixins/model.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _helpers_mixin_options__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./helpers/mixin-options */ "./node_modules/bootstrap-vue/esm/components/form-select/helpers/mixin-options.js");
/* harmony import */ var _form_select_option__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ./form-select-option */ "./node_modules/bootstrap-vue/esm/components/form-select/form-select-option.js");
/* harmony import */ var _form_select_option_group__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ./form-select-option-group */ "./node_modules/bootstrap-vue/esm/components/form-select/form-select-option-group.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





















 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.props), _mixins_model__WEBPACK_IMPORTED_MODULE_3__.props), _mixins_form_control__WEBPACK_IMPORTED_MODULE_4__.props), _mixins_form_custom__WEBPACK_IMPORTED_MODULE_5__.props), _mixins_form_size__WEBPACK_IMPORTED_MODULE_6__.props), _mixins_form_state__WEBPACK_IMPORTED_MODULE_7__.props), {}, {
  ariaInvalid: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_BOOLEAN_STRING, false),
  multiple: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_BOOLEAN, false),
  // Browsers default size to `0`, which shows 4 rows in most browsers in multiple mode
  // Size of `1` can bork out Firefox
  selectSize: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_NUMBER, 0)
})), _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_FORM_SELECT); // --- Main component ---
// @vue/component

var BFormSelect = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_10__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_FORM_SELECT,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_2__.idMixin, _mixins_model__WEBPACK_IMPORTED_MODULE_3__.modelMixin, _mixins_form_control__WEBPACK_IMPORTED_MODULE_4__.formControlMixin, _mixins_form_size__WEBPACK_IMPORTED_MODULE_6__.formSizeMixin, _mixins_form_state__WEBPACK_IMPORTED_MODULE_7__.formStateMixin, _mixins_form_custom__WEBPACK_IMPORTED_MODULE_5__.formCustomMixin, _helpers_mixin_options__WEBPACK_IMPORTED_MODULE_11__.optionsMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_12__.normalizeSlotMixin],
  props: props,
  data: function data() {
    return {
      localValue: this[_mixins_model__WEBPACK_IMPORTED_MODULE_3__.MODEL_PROP_NAME]
    };
  },
  computed: {
    computedSelectSize: function computedSelectSize() {
      // Custom selects with a size of zero causes the arrows to be hidden,
      // so dont render the size attribute in this case
      return !this.plain &amp;&amp; this.selectSize === 0 ? null : this.selectSize;
    },
    inputClass: function inputClass() {
      return [this.plain ? 'form-control' : 'custom-select', this.size &amp;&amp; this.plain ? "form-control-".concat(this.size) : null, this.size &amp;&amp; !this.plain ? "custom-select-".concat(this.size) : null, this.stateClass];
    }
  },
  watch: {
    value: function value(newValue) {
      this.localValue = newValue;
    },
    localValue: function localValue() {
      this.$emit(_mixins_model__WEBPACK_IMPORTED_MODULE_3__.MODEL_EVENT_NAME, this.localValue);
    }
  },
  methods: {
    focus: function focus() {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.attemptFocus)(this.$refs.input);
    },
    blur: function blur() {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.attemptBlur)(this.$refs.input);
    },
    onChange: function onChange(event) {
      var _this = this;

      var target = event.target;
      var selectedValue = (0,_utils_array__WEBPACK_IMPORTED_MODULE_14__.from)(target.options).filter(function (o) {
        return o.selected;
      }).map(function (o) {
        return '_value' in o ? o._value : o.value;
      });
      this.localValue = target.multiple ? selectedValue : selectedValue[0];
      this.$nextTick(function () {
        _this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_15__.EVENT_NAME_CHANGE, _this.localValue);
      });
    }
  },
  render: function render(h) {
    var name = this.name,
        disabled = this.disabled,
        required = this.required,
        size = this.computedSelectSize,
        value = this.localValue;
    var $options = this.formOptions.map(function (option, index) {
      var value = option.value,
          label = option.label,
          options = option.options,
          disabled = option.disabled;
      var key = "option_".concat(index);
      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_16__.isArray)(options) ? h(_form_select_option_group__WEBPACK_IMPORTED_MODULE_17__.BFormSelectOptionGroup, {
        props: {
          label: label,
          options: options
        },
        key: key
      }) : h(_form_select_option__WEBPACK_IMPORTED_MODULE_18__.BFormSelectOption, {
        props: {
          value: value,
          disabled: disabled
        },
        domProps: (0,_utils_html__WEBPACK_IMPORTED_MODULE_19__.htmlOrText)(option.html, option.text),
        key: key
      });
    });
    return h('select', {
      class: this.inputClass,
      attrs: {
        id: this.safeId(),
        name: name,
        form: this.form || null,
        multiple: this.multiple || null,
        size: size,
        disabled: disabled,
        required: required,
        'aria-required': required ? 'true' : null,
        'aria-invalid': this.computedAriaInvalid
      },
      on: {
        change: this.onChange
      },
      directives: [{
        name: 'model',
        value: value
      }],
      ref: 'input'
    }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_20__.SLOT_NAME_FIRST), $options, this.normalizeSlot()]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-select/helpers/mixin-options.js":
/*!****************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-select/helpers/mixin-options.js ***!
  \****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   optionsMixin: () =&gt; (/* binding */ optionsMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_get__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../utils/get */ "./node_modules/bootstrap-vue/esm/utils/get.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_options__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../mixins/form-options */ "./node_modules/bootstrap-vue/esm/mixins/form-options.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, _mixins_form_options__WEBPACK_IMPORTED_MODULE_2__.props), {}, {
  labelField: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'label'),
  optionsField: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'options')
})), 'formOptions'); // --- Mixin ---
// @vue/component

var optionsMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  mixins: [_mixins_form_options__WEBPACK_IMPORTED_MODULE_2__.formOptionsMixin],
  props: props,
  methods: {
    normalizeOption: function normalizeOption(option) {
      var key = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : null;

      // When the option is an object, normalize it
      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isPlainObject)(option)) {
        var value = (0,_utils_get__WEBPACK_IMPORTED_MODULE_6__.get)(option, this.valueField);
        var text = (0,_utils_get__WEBPACK_IMPORTED_MODULE_6__.get)(option, this.textField);
        var options = (0,_utils_get__WEBPACK_IMPORTED_MODULE_6__.get)(option, this.optionsField, null); // When it has options, create an `&lt;optgroup&gt;` object

        if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isNull)(options)) {
          return {
            label: String((0,_utils_get__WEBPACK_IMPORTED_MODULE_6__.get)(option, this.labelField) || text),
            options: this.normalizeOptions(options)
          };
        } // Otherwise create an `&lt;option&gt;` object


        return {
          value: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isUndefined)(value) ? key || text : value,
          text: String((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isUndefined)(text) ? key : text),
          html: (0,_utils_get__WEBPACK_IMPORTED_MODULE_6__.get)(option, this.htmlField),
          disabled: Boolean((0,_utils_get__WEBPACK_IMPORTED_MODULE_6__.get)(option, this.disabledField))
        };
      } // Otherwise create an `&lt;option&gt;` object from the given value


      return {
        value: key || option,
        text: String(option),
        disabled: false
      };
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-select/index.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-select/index.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormSelect: () =&gt; (/* reexport safe */ _form_select__WEBPACK_IMPORTED_MODULE_1__.BFormSelect),
/* harmony export */   BFormSelectOption: () =&gt; (/* reexport safe */ _form_select_option__WEBPACK_IMPORTED_MODULE_2__.BFormSelectOption),
/* harmony export */   BFormSelectOptionGroup: () =&gt; (/* reexport safe */ _form_select_option_group__WEBPACK_IMPORTED_MODULE_3__.BFormSelectOptionGroup),
/* harmony export */   FormSelectPlugin: () =&gt; (/* binding */ FormSelectPlugin)
/* harmony export */ });
/* harmony import */ var _form_select__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-select */ "./node_modules/bootstrap-vue/esm/components/form-select/form-select.js");
/* harmony import */ var _form_select_option__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./form-select-option */ "./node_modules/bootstrap-vue/esm/components/form-select/form-select-option.js");
/* harmony import */ var _form_select_option_group__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./form-select-option-group */ "./node_modules/bootstrap-vue/esm/components/form-select/form-select-option-group.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");




var FormSelectPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormSelect: _form_select__WEBPACK_IMPORTED_MODULE_1__.BFormSelect,
    BFormSelectOption: _form_select_option__WEBPACK_IMPORTED_MODULE_2__.BFormSelectOption,
    BFormSelectOptionGroup: _form_select_option_group__WEBPACK_IMPORTED_MODULE_3__.BFormSelectOptionGroup,
    BSelect: _form_select__WEBPACK_IMPORTED_MODULE_1__.BFormSelect,
    BSelectOption: _form_select_option__WEBPACK_IMPORTED_MODULE_2__.BFormSelectOption,
    BSelectOptionGroup: _form_select_option_group__WEBPACK_IMPORTED_MODULE_3__.BFormSelectOptionGroup
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-spinbutton/form-spinbutton.js":
/*!**************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-spinbutton/form-spinbutton.js ***!
  \**************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormSpinbutton: () =&gt; (/* binding */ BFormSpinbutton),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_locale__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../utils/locale */ "./node_modules/bootstrap-vue/esm/utils/locale.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_form_size__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/form-size */ "./node_modules/bootstrap-vue/esm/mixins/form-size.js");
/* harmony import */ var _mixins_form_state__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/form-state */ "./node_modules/bootstrap-vue/esm/mixins/form-state.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _mixins_form_control__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/form-control */ "./node_modules/bootstrap-vue/esm/mixins/form-control.js");
/* harmony import */ var _icons_icons__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ../../icons/icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

























 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  // Should this really be String, to match native number inputs?
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_NUMBER
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event; // Default for spin button range and step


var DEFAULT_MIN = 1;
var DEFAULT_MAX = 100;
var DEFAULT_STEP = 1; // Delay before auto-repeat in ms

var DEFAULT_REPEAT_DELAY = 500; // Repeat interval in ms

var DEFAULT_REPEAT_INTERVAL = 100; // Repeat rate increased after number of repeats

var DEFAULT_REPEAT_THRESHOLD = 10; // Repeat speed multiplier (step multiplier, must be an integer)

var DEFAULT_REPEAT_MULTIPLIER = 4;
var KEY_CODES = [_constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_UP, _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_DOWN, _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_HOME, _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_END, _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_PAGEUP, _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_PAGEDOWN]; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_5__.props), modelProps), (0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.omit)(_mixins_form_control__WEBPACK_IMPORTED_MODULE_6__.props, ['required', 'autofocus'])), _mixins_form_size__WEBPACK_IMPORTED_MODULE_7__.props), _mixins_form_state__WEBPACK_IMPORTED_MODULE_8__.props), {}, {
  ariaControls: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  ariaLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  formatterFn: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_FUNCTION),
  inline: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  labelDecrement: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Decrement'),
  labelIncrement: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Increment'),
  locale: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_STRING),
  max: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, DEFAULT_MAX),
  min: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, DEFAULT_MIN),
  placeholder: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  readonly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  repeatDelay: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, DEFAULT_REPEAT_DELAY),
  repeatInterval: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, DEFAULT_REPEAT_INTERVAL),
  repeatStepMultiplier: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, DEFAULT_REPEAT_MULTIPLIER),
  repeatThreshold: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, DEFAULT_REPEAT_THRESHOLD),
  step: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, DEFAULT_STEP),
  vertical: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  wrap: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
})), _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_FORM_SPINBUTTON); // --- Main Component ---
// @vue/component

var BFormSpinbutton = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_10__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_FORM_SPINBUTTON,
  // Mixin order is important!
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_11__.attrsMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_5__.idMixin, modelMixin, _mixins_form_size__WEBPACK_IMPORTED_MODULE_7__.formSizeMixin, _mixins_form_state__WEBPACK_IMPORTED_MODULE_8__.formStateMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_12__.normalizeSlotMixin],
  inheritAttrs: false,
  props: props,
  data: function data() {
    return {
      localValue: (0,_utils_number__WEBPACK_IMPORTED_MODULE_13__.toFloat)(this[MODEL_PROP_NAME], null),
      hasFocus: false
    };
  },
  computed: {
    required: function required() {
      return false;
    },
    spinId: function spinId() {
      return this.safeId();
    },
    computedInline: function computedInline() {
      return this.inline &amp;&amp; !this.vertical;
    },
    computedReadonly: function computedReadonly() {
      return this.readonly &amp;&amp; !this.disabled;
    },
    computedRequired: function computedRequired() {
      return this.required &amp;&amp; !this.computedReadonly &amp;&amp; !this.disabled;
    },
    computedStep: function computedStep() {
      return (0,_utils_number__WEBPACK_IMPORTED_MODULE_13__.toFloat)(this.step, DEFAULT_STEP);
    },
    computedMin: function computedMin() {
      return (0,_utils_number__WEBPACK_IMPORTED_MODULE_13__.toFloat)(this.min, DEFAULT_MIN);
    },
    computedMax: function computedMax() {
      // We round down to the nearest maximum step value
      var max = (0,_utils_number__WEBPACK_IMPORTED_MODULE_13__.toFloat)(this.max, DEFAULT_MAX);
      var step = this.computedStep;
      var min = this.computedMin;
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_14__.mathFloor)((max - min) / step) * step + min;
    },
    computedDelay: function computedDelay() {
      var delay = (0,_utils_number__WEBPACK_IMPORTED_MODULE_13__.toInteger)(this.repeatDelay, 0);
      return delay &gt; 0 ? delay : DEFAULT_REPEAT_DELAY;
    },
    computedInterval: function computedInterval() {
      var interval = (0,_utils_number__WEBPACK_IMPORTED_MODULE_13__.toInteger)(this.repeatInterval, 0);
      return interval &gt; 0 ? interval : DEFAULT_REPEAT_INTERVAL;
    },
    computedThreshold: function computedThreshold() {
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_14__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_13__.toInteger)(this.repeatThreshold, DEFAULT_REPEAT_THRESHOLD), 1);
    },
    computedStepMultiplier: function computedStepMultiplier() {
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_14__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_13__.toInteger)(this.repeatStepMultiplier, DEFAULT_REPEAT_MULTIPLIER), 1);
    },
    computedPrecision: function computedPrecision() {
      // Quick and dirty way to get the number of decimals
      var step = this.computedStep;
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_14__.mathFloor)(step) === step ? 0 : (step.toString().split('.')[1] || '').length;
    },
    computedMultiplier: function computedMultiplier() {
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_14__.mathPow)(10, this.computedPrecision || 0);
    },
    valueAsFixed: function valueAsFixed() {
      var value = this.localValue;
      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isNull)(value) ? '' : value.toFixed(this.computedPrecision);
    },
    computedLocale: function computedLocale() {
      var locales = (0,_utils_array__WEBPACK_IMPORTED_MODULE_16__.concat)(this.locale).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_17__.identity);
      var nf = new Intl.NumberFormat(locales);
      return nf.resolvedOptions().locale;
    },
    computedRTL: function computedRTL() {
      return (0,_utils_locale__WEBPACK_IMPORTED_MODULE_18__.isLocaleRTL)(this.computedLocale);
    },
    defaultFormatter: function defaultFormatter() {
      // Returns and `Intl.NumberFormat` formatter method reference
      var precision = this.computedPrecision;
      var nf = new Intl.NumberFormat(this.computedLocale, {
        style: 'decimal',
        useGrouping: false,
        minimumIntegerDigits: 1,
        minimumFractionDigits: precision,
        maximumFractionDigits: precision,
        notation: 'standard'
      }); // Return the format method reference

      return nf.format;
    },
    computedFormatter: function computedFormatter() {
      var formatterFn = this.formatterFn;
      return (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.hasPropFunction)(formatterFn) ? formatterFn : this.defaultFormatter;
    },
    computedAttrs: function computedAttrs() {
      return _objectSpread(_objectSpread({}, this.bvAttrs), {}, {
        role: 'group',
        lang: this.computedLocale,
        tabindex: this.disabled ? null : '-1',
        title: this.ariaLabel
      });
    },
    computedSpinAttrs: function computedSpinAttrs() {
      var spinId = this.spinId,
          value = this.localValue,
          required = this.computedRequired,
          disabled = this.disabled,
          state = this.state,
          computedFormatter = this.computedFormatter;
      var hasValue = !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isNull)(value);
      return _objectSpread(_objectSpread({
        dir: this.computedRTL ? 'rtl' : 'ltr'
      }, this.bvAttrs), {}, {
        id: spinId,
        role: 'spinbutton',
        tabindex: disabled ? null : '0',
        'aria-live': 'off',
        'aria-label': this.ariaLabel || null,
        'aria-controls': this.ariaControls || null,
        // TODO: May want to check if the value is in range
        'aria-invalid': state === false || !hasValue &amp;&amp; required ? 'true' : null,
        'aria-required': required ? 'true' : null,
        // These attrs are required for role spinbutton
        'aria-valuemin': (0,_utils_string__WEBPACK_IMPORTED_MODULE_19__.toString)(this.computedMin),
        'aria-valuemax': (0,_utils_string__WEBPACK_IMPORTED_MODULE_19__.toString)(this.computedMax),
        // These should be `null` if the value is out of range
        // They must also be non-existent attrs if the value is out of range or `null`
        'aria-valuenow': hasValue ? value : null,
        'aria-valuetext': hasValue ? computedFormatter(value) : null
      });
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (value) {
    this.localValue = (0,_utils_number__WEBPACK_IMPORTED_MODULE_13__.toFloat)(value, null);
  }), _defineProperty(_watch, "localValue", function localValue(value) {
    this.$emit(MODEL_EVENT_NAME, value);
  }), _defineProperty(_watch, "disabled", function disabled(_disabled) {
    if (_disabled) {
      this.clearRepeat();
    }
  }), _defineProperty(_watch, "readonly", function readonly(_readonly) {
    if (_readonly) {
      this.clearRepeat();
    }
  }), _watch),
  created: function created() {
    // Create non reactive properties
    this.$_autoDelayTimer = null;
    this.$_autoRepeatTimer = null;
    this.$_keyIsDown = false;
  },
  beforeDestroy: function beforeDestroy() {
    this.clearRepeat();
  },

  /* istanbul ignore next */
  deactivated: function deactivated() {
    this.clearRepeat();
  },
  methods: {
    // --- Public methods ---
    focus: function focus() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.attemptFocus)(this.$refs.spinner);
      }
    },
    blur: function blur() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.attemptBlur)(this.$refs.spinner);
      }
    },
    // --- Private methods ---
    emitChange: function emitChange() {
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_21__.EVENT_NAME_CHANGE, this.localValue);
    },
    stepValue: function stepValue(direction) {
      // Sets a new incremented or decremented value, supporting optional wrapping
      // Direction is either +1 or -1 (or a multiple thereof)
      var value = this.localValue;

      if (!this.disabled &amp;&amp; !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isNull)(value)) {
        var step = this.computedStep * direction;
        var min = this.computedMin;
        var max = this.computedMax;
        var multiplier = this.computedMultiplier;
        var wrap = this.wrap; // We ensure that the value steps like a native input

        value = (0,_utils_math__WEBPACK_IMPORTED_MODULE_14__.mathRound)((value - min) / step) * step + min + step; // We ensure that precision is maintained (decimals)

        value = (0,_utils_math__WEBPACK_IMPORTED_MODULE_14__.mathRound)(value * multiplier) / multiplier; // Handle if wrapping is enabled

        this.localValue = value &gt; max ? wrap ? min : max : value &lt; min ? wrap ? max : min : value;
      }
    },
    onFocusBlur: function onFocusBlur(event) {
      this.hasFocus = this.disabled ? false : event.type === 'focus';
    },
    stepUp: function stepUp() {
      var multiplier = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 1;
      var value = this.localValue;

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isNull)(value)) {
        this.localValue = this.computedMin;
      } else {
        this.stepValue(+1 * multiplier);
      }
    },
    stepDown: function stepDown() {
      var multiplier = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 1;
      var value = this.localValue;

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isNull)(value)) {
        this.localValue = this.wrap ? this.computedMax : this.computedMin;
      } else {
        this.stepValue(-1 * multiplier);
      }
    },
    onKeydown: function onKeydown(event) {
      var keyCode = event.keyCode,
          altKey = event.altKey,
          ctrlKey = event.ctrlKey,
          metaKey = event.metaKey;
      /* istanbul ignore if */

      if (this.disabled || this.readonly || altKey || ctrlKey || metaKey) {
        return;
      }

      if ((0,_utils_array__WEBPACK_IMPORTED_MODULE_16__.arrayIncludes)(KEY_CODES, keyCode)) {
        // https://w3c.github.io/aria-practices/#spinbutton
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_22__.stopEvent)(event, {
          propagation: false
        });
        /* istanbul ignore if */

        if (this.$_keyIsDown) {
          // Keypress is already in progress
          return;
        }

        this.resetTimers();

        if ((0,_utils_array__WEBPACK_IMPORTED_MODULE_16__.arrayIncludes)([_constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_UP, _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_DOWN], keyCode)) {
          // The following use the custom auto-repeat handling
          this.$_keyIsDown = true;

          if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_UP) {
            this.handleStepRepeat(event, this.stepUp);
          } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_DOWN) {
            this.handleStepRepeat(event, this.stepDown);
          }
        } else {
          // These use native OS key repeating
          if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_PAGEUP) {
            this.stepUp(this.computedStepMultiplier);
          } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_PAGEDOWN) {
            this.stepDown(this.computedStepMultiplier);
          } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_HOME) {
            this.localValue = this.computedMin;
          } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_END) {
            this.localValue = this.computedMax;
          }
        }
      }
    },
    onKeyup: function onKeyup(event) {
      // Emit a change event when the keyup happens
      var keyCode = event.keyCode,
          altKey = event.altKey,
          ctrlKey = event.ctrlKey,
          metaKey = event.metaKey;
      /* istanbul ignore if */

      if (this.disabled || this.readonly || altKey || ctrlKey || metaKey) {
        return;
      }

      if ((0,_utils_array__WEBPACK_IMPORTED_MODULE_16__.arrayIncludes)(KEY_CODES, keyCode)) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_22__.stopEvent)(event, {
          propagation: false
        });
        this.resetTimers();
        this.$_keyIsDown = false;
        this.emitChange();
      }
    },
    handleStepRepeat: function handleStepRepeat(event, stepper) {
      var _this = this;

      var _ref = event || {},
          type = _ref.type,
          button = _ref.button;

      if (!this.disabled &amp;&amp; !this.readonly) {
        /* istanbul ignore if */
        if (type === 'mousedown' &amp;&amp; button) {
          // We only respond to left (main === 0) button clicks
          return;
        }

        this.resetTimers(); // Step the counter initially

        stepper(1);
        var threshold = this.computedThreshold;
        var multiplier = this.computedStepMultiplier;
        var delay = this.computedDelay;
        var interval = this.computedInterval; // Initiate the delay/repeat interval

        this.$_autoDelayTimer = setTimeout(function () {
          var count = 0;
          _this.$_autoRepeatTimer = setInterval(function () {
            // After N initial repeats, we increase the incrementing step amount
            // We do this to minimize screen reader announcements of the value
            // (values are announced every change, which can be chatty for SR users)
            // And to make it easer to select a value when the range is large
            stepper(count &lt; threshold ? 1 : multiplier);
            count++;
          }, interval);
        }, delay);
      }
    },
    onMouseup: function onMouseup(event) {
      // `&lt;body&gt;` listener, only enabled when mousedown starts
      var _ref2 = event || {},
          type = _ref2.type,
          button = _ref2.button;
      /* istanbul ignore if */


      if (type === 'mouseup' &amp;&amp; button) {
        // Ignore non left button (main === 0) mouse button click
        return;
      }

      (0,_utils_events__WEBPACK_IMPORTED_MODULE_22__.stopEvent)(event, {
        propagation: false
      });
      this.resetTimers();
      this.setMouseup(false); // Trigger the change event

      this.emitChange();
    },
    setMouseup: function setMouseup(on) {
      // Enable or disabled the body mouseup/touchend handlers
      // Use try/catch to handle case when called server side
      try {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_22__.eventOnOff)(on, document.body, 'mouseup', this.onMouseup, false);
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_22__.eventOnOff)(on, document.body, 'touchend', this.onMouseup, false);
      } catch (_unused) {}
    },
    resetTimers: function resetTimers() {
      clearTimeout(this.$_autoDelayTimer);
      clearInterval(this.$_autoRepeatTimer);
      this.$_autoDelayTimer = null;
      this.$_autoRepeatTimer = null;
    },
    clearRepeat: function clearRepeat() {
      this.resetTimers();
      this.setMouseup(false);
      this.$_keyIsDown = false;
    }
  },
  render: function render(h) {
    var _this2 = this;

    var spinId = this.spinId,
        value = this.localValue,
        inline = this.computedInline,
        readonly = this.computedReadonly,
        vertical = this.vertical,
        disabled = this.disabled,
        computedFormatter = this.computedFormatter;
    var hasValue = !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isNull)(value);

    var makeButton = function makeButton(stepper, label, IconCmp, keyRef, shortcut, btnDisabled, slotName) {
      var $icon = h(IconCmp, {
        props: {
          scale: _this2.hasFocus ? 1.5 : 1.25
        },
        attrs: {
          'aria-hidden': 'true'
        }
      });
      var scope = {
        hasFocus: _this2.hasFocus
      };

      var handler = function handler(event) {
        if (!disabled &amp;&amp; !readonly) {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_22__.stopEvent)(event, {
            propagation: false
          });

          _this2.setMouseup(true); // Since we `preventDefault()`, we must manually focus the button


          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.attemptFocus)(event.currentTarget);

          _this2.handleStepRepeat(event, stepper);
        }
      };

      return h('button', {
        staticClass: 'btn btn-sm border-0 rounded-0',
        class: {
          'py-0': !vertical
        },
        attrs: {
          tabindex: '-1',
          type: 'button',
          disabled: disabled || readonly || btnDisabled,
          'aria-disabled': disabled || readonly || btnDisabled ? 'true' : null,
          'aria-controls': spinId,
          'aria-label': label || null,
          'aria-keyshortcuts': shortcut || null
        },
        on: {
          mousedown: handler,
          touchstart: handler
        },
        key: keyRef || null,
        ref: keyRef
      }, [_this2.normalizeSlot(slotName, scope) || $icon]);
    }; // TODO: Add button disabled state when `wrap` is `false` and at value max/min


    var $increment = makeButton(this.stepUp, this.labelIncrement, _icons_icons__WEBPACK_IMPORTED_MODULE_23__.BIconPlus, 'inc', 'ArrowUp', false, _constants_slots__WEBPACK_IMPORTED_MODULE_24__.SLOT_NAME_INCREMENT);
    var $decrement = makeButton(this.stepDown, this.labelDecrement, _icons_icons__WEBPACK_IMPORTED_MODULE_23__.BIconDash, 'dec', 'ArrowDown', false, _constants_slots__WEBPACK_IMPORTED_MODULE_24__.SLOT_NAME_DECREMENT);
    var $hidden = h();

    if (this.name &amp;&amp; !disabled) {
      $hidden = h('input', {
        attrs: {
          type: 'hidden',
          name: this.name,
          form: this.form || null,
          // TODO: Should this be set to '' if value is out of range?
          value: this.valueAsFixed
        },
        key: 'hidden'
      });
    }

    var $spin = h( // We use 'output' element to make this accept a `&lt;label for="id"&gt;` (Except IE)
    'output', {
      staticClass: 'flex-grow-1',
      class: {
        'd-flex': vertical,
        'align-self-center': !vertical,
        'align-items-center': vertical,
        'border-top': vertical,
        'border-bottom': vertical,
        'border-left': !vertical,
        'border-right': !vertical
      },
      attrs: this.computedSpinAttrs,
      key: 'output',
      ref: 'spinner'
    }, [h('bdi', hasValue ? computedFormatter(value) : this.placeholder || '')]);
    return h('div', {
      staticClass: 'b-form-spinbutton form-control',
      class: [{
        disabled: disabled,
        readonly: readonly,
        focus: this.hasFocus,
        'd-inline-flex': inline || vertical,
        'd-flex': !inline &amp;&amp; !vertical,
        'align-items-stretch': !vertical,
        'flex-column': vertical
      }, this.sizeFormClass, this.stateClass],
      attrs: this.computedAttrs,
      on: {
        keydown: this.onKeydown,
        keyup: this.onKeyup,
        // We use capture phase (`!` prefix) since focus and blur do not bubble
        '!focus': this.onFocusBlur,
        '!blur': this.onFocusBlur
      }
    }, vertical ? [$increment, $hidden, $spin, $decrement] : [$decrement, $hidden, $spin, $increment]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-spinbutton/index.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-spinbutton/index.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormSpinbutton: () =&gt; (/* reexport safe */ _form_spinbutton__WEBPACK_IMPORTED_MODULE_1__.BFormSpinbutton),
/* harmony export */   FormSpinbuttonPlugin: () =&gt; (/* binding */ FormSpinbuttonPlugin)
/* harmony export */ });
/* harmony import */ var _form_spinbutton__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-spinbutton */ "./node_modules/bootstrap-vue/esm/components/form-spinbutton/form-spinbutton.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var FormSpinbuttonPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormSpinbutton: _form_spinbutton__WEBPACK_IMPORTED_MODULE_1__.BFormSpinbutton,
    BSpinbutton: _form_spinbutton__WEBPACK_IMPORTED_MODULE_1__.BFormSpinbutton
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-tags/form-tag.js":
/*!*************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-tags/form-tag.js ***!
  \*************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormTag: () =&gt; (/* binding */ BFormTag),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _badge_badge__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../badge/badge */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var _button_button_close__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../button/button-close */ "./node_modules/bootstrap-vue/esm/components/button/button-close.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }











 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.props), {}, {
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  noRemove: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  pill: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  removeLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'Remove tag'),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'span'),
  title: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'secondary')
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_TAG); // --- Main component ---
// @vue/component

var BFormTag = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_TAG,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_2__.idMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlotMixin],
  props: props,
  methods: {
    onRemove: function onRemove(event) {
      var type = event.type,
          keyCode = event.keyCode;

      if (!this.disabled &amp;&amp; (type === 'click' || type === 'keydown' &amp;&amp; keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__.CODE_DELETE)) {
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_8__.EVENT_NAME_REMOVE);
      }
    }
  },
  render: function render(h) {
    var title = this.title,
        tag = this.tag,
        variant = this.variant,
        pill = this.pill,
        disabled = this.disabled;
    var tagId = this.safeId();
    var tagLabelId = this.safeId('_taglabel_');
    var $remove = h();

    if (!this.noRemove &amp;&amp; !disabled) {
      $remove = h(_button_button_close__WEBPACK_IMPORTED_MODULE_9__.BButtonClose, {
        staticClass: 'b-form-tag-remove',
        props: {
          ariaLabel: this.removeLabel
        },
        attrs: {
          'aria-controls': tagId,
          'aria-describedby': tagLabelId,
          'aria-keyshortcuts': 'Delete'
        },
        on: {
          click: this.onRemove,
          keydown: this.onRemove
        }
      });
    }

    var $tag = h('span', {
      staticClass: 'b-form-tag-content flex-grow-1 text-truncate',
      attrs: {
        id: tagLabelId
      }
    }, this.normalizeSlot() || title);
    return h(_badge_badge__WEBPACK_IMPORTED_MODULE_10__.BBadge, {
      staticClass: 'b-form-tag d-inline-flex align-items-baseline mw-100',
      class: {
        disabled: disabled
      },
      props: {
        tag: tag,
        variant: variant,
        pill: pill
      },
      attrs: {
        id: tagId,
        title: title || null,
        'aria-labelledby': tagLabelId
      }
    }, [$tag, $remove]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-tags/form-tags.js":
/*!**************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-tags/form-tags.js ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormTags: () =&gt; (/* binding */ BFormTags)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_25__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_css_escape__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ../../utils/css-escape */ "./node_modules/bootstrap-vue/esm/utils/css-escape.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _mixins_form_control__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../mixins/form-control */ "./node_modules/bootstrap-vue/esm/mixins/form-control.js");
/* harmony import */ var _mixins_form_size__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../mixins/form-size */ "./node_modules/bootstrap-vue/esm/mixins/form-size.js");
/* harmony import */ var _mixins_form_state__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../mixins/form-state */ "./node_modules/bootstrap-vue/esm/mixins/form-state.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_listeners__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../mixins/listeners */ "./node_modules/bootstrap-vue/esm/mixins/listeners.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _button_button__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ../button/button */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var _form_form_invalid_feedback__WEBPACK_IMPORTED_MODULE_26__ = __webpack_require__(/*! ../form/form-invalid-feedback */ "./node_modules/bootstrap-vue/esm/components/form/form-invalid-feedback.js");
/* harmony import */ var _form_form_text__WEBPACK_IMPORTED_MODULE_27__ = __webpack_require__(/*! ../form/form-text */ "./node_modules/bootstrap-vue/esm/components/form/form-text.js");
/* harmony import */ var _form_tag__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ./form-tag */ "./node_modules/bootstrap-vue/esm/components/form-tags/form-tag.js");
var _watch;

function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _unsupportedIterableToArray(arr) || _nonIterableSpread(); }

function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _iterableToArray(iter) { if (typeof Symbol !== "undefined" &amp;&amp; iter[Symbol.iterator] != null || iter["@@iterator"] != null) return Array.from(iter); }

function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) return _arrayLikeToArray(arr); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

// Tagged input form control
// Based loosely on https://adamwathan.me/renderless-components-in-vuejs/



























 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY,
  defaultValue: []
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event; // Supported input types (for built in input)


var TYPES = ['text', 'email', 'tel', 'url', 'number']; // Default ignore input focus selector

var DEFAULT_INPUT_FOCUS_SELECTOR = ['.b-form-tag', 'button', 'input', 'select'].join(' '); // --- Helper methods ---
// Escape special chars in string and replace
// contiguous spaces with a whitespace match

var escapeRegExpChars = function escapeRegExpChars(str) {
  return (0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.escapeRegExp)(str).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_3__.RX_SPACES, '\\s');
}; // Remove leading/trailing spaces from array of tags and remove duplicates


var cleanTags = function cleanTags(tags) {
  return (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.concat)(tags).map(function (tag) {
    return (0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.trim)((0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.toString)(tag));
  }).filter(function (tag, index, arr) {
    return tag.length &gt; 0 &amp;&amp; arr.indexOf(tag) === index;
  });
}; // Processes an input/change event, normalizing string or event argument


var processEventValue = function processEventValue(event) {
  return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isString)(event) ? event : (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isEvent)(event) ? event.target.value || '' : '';
}; // Returns a fresh empty `tagsState` object


var cleanTagsState = function cleanTagsState() {
  return {
    all: [],
    valid: [],
    invalid: [],
    duplicate: []
  };
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_7__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_8__.props), modelProps), _mixins_form_control__WEBPACK_IMPORTED_MODULE_9__.props), _mixins_form_size__WEBPACK_IMPORTED_MODULE_10__.props), _mixins_form_state__WEBPACK_IMPORTED_MODULE_11__.props), {}, {
  addButtonText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Add'),
  addButtonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'outline-secondary'),
  // Enable change event triggering tag addition
  // Handy if using &lt;select&gt; as the input
  addOnChange: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  duplicateTagText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Duplicate tag(s)'),
  feedbackAriaLive: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'assertive'),
  // Disable the input focus behavior when clicking
  // on element matching the selector (or selectors)
  ignoreInputFocusSelector: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_STRING, DEFAULT_INPUT_FOCUS_SELECTOR),
  // Additional attributes to add to the input element
  inputAttrs: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_OBJECT, {}),
  inputClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  inputId: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  inputType: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'text', function (value) {
    return (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.arrayIncludes)(TYPES, value);
  }),
  invalidTagText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Invalid tag(s)'),
  limit: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER),
  limitTagsText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Tag limit reached'),
  // Disable ENTER key from triggering tag addition
  noAddOnEnter: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Disable the focus ring on the root element
  noOuterFocus: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noTagRemove: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  placeholder: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Add tag...'),
  // Enable deleting last tag in list when CODE_BACKSPACE is
  // pressed and input is empty
  removeOnDelete: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Character (or characters) that trigger adding tags
  separator: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_STRING),
  tagClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  tagPills: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tagRemoveLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Remove tag'),
  tagRemovedLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Tag removed'),
  tagValidator: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_FUNCTION),
  tagVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'secondary')
})), _constants_components__WEBPACK_IMPORTED_MODULE_12__.NAME_FORM_TAGS); // --- Main component ---
// @vue/component

var BFormTags = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_13__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_12__.NAME_FORM_TAGS,
  mixins: [_mixins_listeners__WEBPACK_IMPORTED_MODULE_14__.listenersMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_8__.idMixin, modelMixin, _mixins_form_control__WEBPACK_IMPORTED_MODULE_9__.formControlMixin, _mixins_form_size__WEBPACK_IMPORTED_MODULE_10__.formSizeMixin, _mixins_form_state__WEBPACK_IMPORTED_MODULE_11__.formStateMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_15__.normalizeSlotMixin],
  props: props,
  data: function data() {
    return {
      hasFocus: false,
      newTag: '',
      tags: [],
      // Tags that were removed
      removedTags: [],
      // Populated when tags are parsed
      tagsState: cleanTagsState(),
      focusState: null
    };
  },
  computed: {
    computedInputId: function computedInputId() {
      return this.inputId || this.safeId('__input__');
    },
    computedInputType: function computedInputType() {
      // We only allow certain types
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.arrayIncludes)(TYPES, this.inputType) ? this.inputType : 'text';
    },
    computedInputAttrs: function computedInputAttrs() {
      var disabled = this.disabled,
          form = this.form;
      return _objectSpread(_objectSpread({}, this.inputAttrs), {}, {
        // Must have attributes
        id: this.computedInputId,
        value: this.newTag,
        disabled: disabled,
        form: form
      });
    },
    computedInputHandlers: function computedInputHandlers() {
      return _objectSpread(_objectSpread({}, (0,_utils_object__WEBPACK_IMPORTED_MODULE_7__.omit)(this.bvListeners, [_constants_events__WEBPACK_IMPORTED_MODULE_16__.EVENT_NAME_FOCUSIN, _constants_events__WEBPACK_IMPORTED_MODULE_16__.EVENT_NAME_FOCUSOUT])), {}, {
        blur: this.onInputBlur,
        change: this.onInputChange,
        focus: this.onInputFocus,
        input: this.onInputInput,
        keydown: this.onInputKeydown,
        reset: this.reset
      });
    },
    computedSeparator: function computedSeparator() {
      // Merge the array into a string
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.concat)(this.separator).filter(_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isString).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_17__.identity).join('');
    },
    computedSeparatorRegExp: function computedSeparatorRegExp() {
      // We use a computed prop here to precompile the RegExp
      // The RegExp is a character class RE in the form of `/[abc]+/`
      // where a, b, and c are the valid separator characters
      // -&gt; `tags = str.split(/[abc]+/).filter(t =&gt; t)`
      var separator = this.computedSeparator;
      return separator ? new RegExp("[".concat(escapeRegExpChars(separator), "]+")) : null;
    },
    computedJoiner: function computedJoiner() {
      // When tag(s) are invalid or duplicate, we leave them
      // in the input so that the user can see them
      // If there are more than one tag in the input, we use the
      // first separator character as the separator in the input
      // We append a space if the first separator is not a space
      var joiner = this.computedSeparator.charAt(0);
      return joiner !== ' ' ? "".concat(joiner, " ") : joiner;
    },
    computeIgnoreInputFocusSelector: function computeIgnoreInputFocusSelector() {
      // Normalize to an single selector with selectors separated by `,`
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.concat)(this.ignoreInputFocusSelector).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_17__.identity).join(',').trim();
    },
    disableAddButton: function disableAddButton() {
      var _this = this;

      // If 'Add' button should be disabled
      // If the input contains at least one tag that can
      // be added, then the 'Add' button should be enabled
      var newTag = (0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.trim)(this.newTag);
      return newTag === '' || !this.splitTags(newTag).some(function (t) {
        return !(0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.arrayIncludes)(_this.tags, t) &amp;&amp; _this.validateTag(t);
      });
    },
    duplicateTags: function duplicateTags() {
      return this.tagsState.duplicate;
    },
    hasDuplicateTags: function hasDuplicateTags() {
      return this.duplicateTags.length &gt; 0;
    },
    invalidTags: function invalidTags() {
      return this.tagsState.invalid;
    },
    hasInvalidTags: function hasInvalidTags() {
      return this.invalidTags.length &gt; 0;
    },
    isLimitReached: function isLimitReached() {
      var limit = this.limit;
      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isNumber)(limit) &amp;&amp; limit &gt;= 0 &amp;&amp; this.tags.length &gt;= limit;
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue) {
    this.tags = cleanTags(newValue);
  }), _defineProperty(_watch, "tags", function tags(newValue, oldValue) {
    // Update the `v-model` (if it differs from the value prop)
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_18__.looseEqual)(newValue, this[MODEL_PROP_NAME])) {
      this.$emit(MODEL_EVENT_NAME, newValue);
    }

    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_18__.looseEqual)(newValue, oldValue)) {
      newValue = (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.concat)(newValue).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_17__.identity);
      oldValue = (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.concat)(oldValue).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_17__.identity);
      this.removedTags = oldValue.filter(function (old) {
        return !(0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.arrayIncludes)(newValue, old);
      });
    }
  }), _defineProperty(_watch, "tagsState", function tagsState(newValue, oldValue) {
    // Emit a tag-state event when the `tagsState` object changes
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_18__.looseEqual)(newValue, oldValue)) {
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_16__.EVENT_NAME_TAG_STATE, newValue.valid, newValue.invalid, newValue.duplicate);
    }
  }), _watch),
  created: function created() {
    // We do this in created to make sure an input event emits
    // if the cleaned tags are not equal to the value prop
    this.tags = cleanTags(this[MODEL_PROP_NAME]);
  },
  mounted: function mounted() {
    // Listen for form reset events, to reset the tags input
    var $form = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.closest)('form', this.$el);

    if ($form) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.eventOn)($form, 'reset', this.reset, _constants_events__WEBPACK_IMPORTED_MODULE_16__.EVENT_OPTIONS_PASSIVE);
    }
  },
  beforeDestroy: function beforeDestroy() {
    var $form = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.closest)('form', this.$el);

    if ($form) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.eventOff)($form, 'reset', this.reset, _constants_events__WEBPACK_IMPORTED_MODULE_16__.EVENT_OPTIONS_PASSIVE);
    }
  },
  methods: {
    addTag: function addTag(newTag) {
      newTag = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isString)(newTag) ? newTag : this.newTag;
      /* istanbul ignore next */

      if (this.disabled || (0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.trim)(newTag) === '' || this.isLimitReached) {
        // Early exit
        return;
      }

      var parsed = this.parseTags(newTag); // Add any new tags to the `tags` array, or if the
      // array of `allTags` is empty, we clear the input

      if (parsed.valid.length &gt; 0 || parsed.all.length === 0) {
        // Clear the user input element (and leave in any invalid/duplicate tag(s)

        /* istanbul ignore if: full testing to be added later */
        if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.matches)(this.getInput(), 'select')) {
          // The following is needed to properly
          // work with `&lt;select&gt;` elements
          this.newTag = '';
        } else {
          var invalidAndDuplicates = [].concat(_toConsumableArray(parsed.invalid), _toConsumableArray(parsed.duplicate));
          this.newTag = parsed.all.filter(function (tag) {
            return (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.arrayIncludes)(invalidAndDuplicates, tag);
          }).join(this.computedJoiner).concat(invalidAndDuplicates.length &gt; 0 ? this.computedJoiner.charAt(0) : '');
        }
      }

      if (parsed.valid.length &gt; 0) {
        // We add the new tags in one atomic operation
        // to trigger reactivity once (instead of once per tag)
        // We do this after we update the new tag input value
        // `concat()` can be faster than array spread, when both args are arrays
        this.tags = (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.concat)(this.tags, parsed.valid);
      }

      this.tagsState = parsed; // Attempt to re-focus the input (specifically for when using the Add
      // button, as the button disappears after successfully adding a tag

      this.focus();
    },
    removeTag: function removeTag(tag) {
      /* istanbul ignore next */
      if (this.disabled) {
        return;
      } // TODO:
      //   Add `onRemoveTag(tag)` user method, which if returns `false`
      //   will prevent the tag from being removed (i.e. confirmation)
      //   Or emit cancelable `BvEvent`


      this.tags = this.tags.filter(function (t) {
        return t !== tag;
      });
    },
    reset: function reset() {
      var _this2 = this;

      this.newTag = '';
      this.tags = [];
      this.$nextTick(function () {
        _this2.removedTags = [];
        _this2.tagsState = cleanTagsState();
      });
    },
    // --- Input element event handlers ---
    onInputInput: function onInputInput(event) {
      /* istanbul ignore next: hard to test composition events */
      if (this.disabled || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isEvent)(event) &amp;&amp; event.target.composing) {
        // `event.target.composing` is set by Vue (`v-model` directive)
        // https://github.com/vuejs/vue/blob/dev/src/platforms/web/runtime/directives/model.js
        return;
      }

      var newTag = processEventValue(event);
      var separatorRe = this.computedSeparatorRegExp;

      if (this.newTag !== newTag) {
        this.newTag = newTag;
      } // We ignore leading whitespace for the following


      newTag = (0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.trimLeft)(newTag);

      if (separatorRe &amp;&amp; separatorRe.test(newTag.slice(-1))) {
        // A trailing separator character was entered, so add the tag(s)
        // Note: More than one tag on input event is possible via copy/paste
        this.addTag();
      } else {
        // Validate (parse tags) on input event
        this.tagsState = newTag === '' ? cleanTagsState() : this.parseTags(newTag);
      }
    },
    onInputChange: function onInputChange(event) {
      // Change is triggered on `&lt;input&gt;` blur, or `&lt;select&gt;` selected
      // This event is opt-in
      if (!this.disabled &amp;&amp; this.addOnChange) {
        var newTag = processEventValue(event);
        /* istanbul ignore next */

        if (this.newTag !== newTag) {
          this.newTag = newTag;
        }

        this.addTag();
      }
    },
    onInputKeydown: function onInputKeydown(event) {
      // Early exit

      /* istanbul ignore next */
      if (this.disabled || !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isEvent)(event)) {
        return;
      }

      var keyCode = event.keyCode;
      var value = event.target.value || '';
      /* istanbul ignore else: testing to be added later */

      if (!this.noAddOnEnter &amp;&amp; keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_ENTER) {
        // Attempt to add the tag when user presses enter
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.stopEvent)(event, {
          propagation: false
        });
        this.addTag();
      } else if (this.removeOnDelete &amp;&amp; (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_BACKSPACE || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_DELETE) &amp;&amp; value === '') {
        // Remove the last tag if the user pressed backspace/delete and the input is empty
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.stopEvent)(event, {
          propagation: false
        });
        this.tags = this.tags.slice(0, -1);
      }
    },
    // --- Wrapper event handlers ---
    onClick: function onClick(event) {
      var _this3 = this;

      var ignoreFocusSelector = this.computeIgnoreInputFocusSelector;

      if (!ignoreFocusSelector || !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.closest)(ignoreFocusSelector, event.target, true)) {
        this.$nextTick(function () {
          _this3.focus();
        });
      }
    },
    onInputFocus: function onInputFocus(event) {
      var _this4 = this;

      if (this.focusState !== 'out') {
        this.focusState = 'in';
        this.$nextTick(function () {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.requestAF)(function () {
            if (_this4.hasFocus) {
              _this4.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_16__.EVENT_NAME_FOCUS, event);

              _this4.focusState = null;
            }
          });
        });
      }
    },
    onInputBlur: function onInputBlur(event) {
      var _this5 = this;

      if (this.focusState !== 'in') {
        this.focusState = 'out';
        this.$nextTick(function () {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.requestAF)(function () {
            if (!_this5.hasFocus) {
              _this5.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_16__.EVENT_NAME_BLUR, event);

              _this5.focusState = null;
            }
          });
        });
      }
    },
    onFocusin: function onFocusin(event) {
      this.hasFocus = true;
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_16__.EVENT_NAME_FOCUSIN, event);
    },
    onFocusout: function onFocusout(event) {
      this.hasFocus = false;
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_16__.EVENT_NAME_FOCUSOUT, event);
    },
    handleAutofocus: function handleAutofocus() {
      var _this6 = this;

      this.$nextTick(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.requestAF)(function () {
          if (_this6.autofocus) {
            _this6.focus();
          }
        });
      });
    },
    // --- Public methods ---
    focus: function focus() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.attemptFocus)(this.getInput());
      }
    },
    blur: function blur() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.attemptBlur)(this.getInput());
      }
    },
    // --- Private methods ---
    splitTags: function splitTags(newTag) {
      // Split the input into an array of raw tags
      newTag = (0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.toString)(newTag);
      var separatorRe = this.computedSeparatorRegExp; // Split the tag(s) via the optional separator
      // Normally only a single tag is provided, but copy/paste
      // can enter multiple tags in a single operation

      return (separatorRe ? newTag.split(separatorRe) : [newTag]).map(_utils_string__WEBPACK_IMPORTED_MODULE_2__.trim).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_17__.identity);
    },
    parseTags: function parseTags(newTag) {
      var _this7 = this;

      // Takes `newTag` value and parses it into `validTags`,
      // `invalidTags`, and duplicate tags as an object
      // Split the input into raw tags
      var tags = this.splitTags(newTag); // Base results

      var parsed = {
        all: tags,
        valid: [],
        invalid: [],
        duplicate: []
      }; // Parse the unique tags

      tags.forEach(function (tag) {
        if ((0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.arrayIncludes)(_this7.tags, tag) || (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.arrayIncludes)(parsed.valid, tag)) {
          // Unique duplicate tags
          if (!(0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.arrayIncludes)(parsed.duplicate, tag)) {
            parsed.duplicate.push(tag);
          }
        } else if (_this7.validateTag(tag)) {
          // We only add unique/valid tags
          parsed.valid.push(tag);
        } else {
          // Unique invalid tags
          if (!(0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.arrayIncludes)(parsed.invalid, tag)) {
            parsed.invalid.push(tag);
          }
        }
      });
      return parsed;
    },
    validateTag: function validateTag(tag) {
      var tagValidator = this.tagValidator;
      return (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.hasPropFunction)(tagValidator) ? tagValidator(tag) : true;
    },
    getInput: function getInput() {
      // Returns the input element reference (or null if not found)
      // We need to escape `computedInputId` since it can be user-provided
      return (0,_utils_dom__WEBPACK_IMPORTED_MODULE_19__.select)("#".concat((0,_utils_css_escape__WEBPACK_IMPORTED_MODULE_22__.cssEscape)(this.computedInputId)), this.$el);
    },
    // Default User Interface render
    defaultRender: function defaultRender(_ref) {
      var addButtonText = _ref.addButtonText,
          addButtonVariant = _ref.addButtonVariant,
          addTag = _ref.addTag,
          disableAddButton = _ref.disableAddButton,
          disabled = _ref.disabled,
          duplicateTagText = _ref.duplicateTagText,
          inputAttrs = _ref.inputAttrs,
          inputClass = _ref.inputClass,
          inputHandlers = _ref.inputHandlers,
          inputType = _ref.inputType,
          invalidTagText = _ref.invalidTagText,
          isDuplicate = _ref.isDuplicate,
          isInvalid = _ref.isInvalid,
          isLimitReached = _ref.isLimitReached,
          limitTagsText = _ref.limitTagsText,
          noTagRemove = _ref.noTagRemove,
          placeholder = _ref.placeholder,
          removeTag = _ref.removeTag,
          tagClass = _ref.tagClass,
          tagPills = _ref.tagPills,
          tagRemoveLabel = _ref.tagRemoveLabel,
          tagVariant = _ref.tagVariant,
          tags = _ref.tags;
      var h = this.$createElement; // Make the list of tags

      var $tags = tags.map(function (tag) {
        tag = (0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.toString)(tag);
        return h(_form_tag__WEBPACK_IMPORTED_MODULE_23__.BFormTag, {
          class: tagClass,
          // `BFormTag` will auto generate an ID
          // so we do not need to set the ID prop
          props: {
            disabled: disabled,
            noRemove: noTagRemove,
            pill: tagPills,
            removeLabel: tagRemoveLabel,
            tag: 'li',
            title: tag,
            variant: tagVariant
          },
          on: {
            remove: function remove() {
              return removeTag(tag);
            }
          },
          key: "tags_".concat(tag)
        }, tag);
      }); // Feedback IDs if needed

      var invalidFeedbackId = invalidTagText &amp;&amp; isInvalid ? this.safeId('__invalid_feedback__') : null;
      var duplicateFeedbackId = duplicateTagText &amp;&amp; isDuplicate ? this.safeId('__duplicate_feedback__') : null;
      var limitFeedbackId = limitTagsText &amp;&amp; isLimitReached ? this.safeId('__limit_feedback__') : null; // Compute the `aria-describedby` attribute value

      var ariaDescribedby = [inputAttrs['aria-describedby'], invalidFeedbackId, duplicateFeedbackId, limitFeedbackId].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_17__.identity).join(' '); // Input

      var $input = h('input', {
        staticClass: 'b-form-tags-input w-100 flex-grow-1 p-0 m-0 bg-transparent border-0',
        class: inputClass,
        style: {
          outline: 0,
          minWidth: '5rem'
        },
        attrs: _objectSpread(_objectSpread({}, inputAttrs), {}, {
          'aria-describedby': ariaDescribedby || null,
          type: inputType,
          placeholder: placeholder || null
        }),
        domProps: {
          value: inputAttrs.value
        },
        on: inputHandlers,
        // Directive needed to get `event.target.composing` set (if needed)
        directives: [{
          name: 'model',
          value: inputAttrs.value
        }],
        ref: 'input'
      }); // Add button

      var $button = h(_button_button__WEBPACK_IMPORTED_MODULE_24__.BButton, {
        staticClass: 'b-form-tags-button py-0',
        class: {
          // Only show the button if the tag can be added
          // We use the `invisible` class instead of not rendering
          // the button, so that we maintain layout to prevent
          // the user input from jumping around
          invisible: disableAddButton
        },
        style: {
          fontSize: '90%'
        },
        props: {
          disabled: disableAddButton || isLimitReached,
          variant: addButtonVariant
        },
        on: {
          click: function click() {
            return addTag();
          }
        },
        ref: 'button'
      }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_25__.SLOT_NAME_ADD_BUTTON_TEXT) || addButtonText]); // ID of the tags + input `&lt;ul&gt;` list
      // Note we could concatenate `inputAttrs.id` with '__tag_list__'
      // but `inputId` may be `null` until after mount
      // `safeId()` returns `null`, if no user provided ID,
      // until after mount when a unique ID is generated

      var tagListId = this.safeId('__tag_list__');
      var $field = h('li', {
        staticClass: 'b-form-tags-field flex-grow-1',
        attrs: {
          role: 'none',
          'aria-live': 'off',
          'aria-controls': tagListId
        },
        key: 'tags_field'
      }, [h('div', {
        staticClass: 'd-flex',
        attrs: {
          role: 'group'
        }
      }, [$input, $button])]); // Wrap in an unordered list element (we use a list for accessibility)

      var $ul = h('ul', {
        staticClass: 'b-form-tags-list list-unstyled mb-0 d-flex flex-wrap align-items-center',
        attrs: {
          id: tagListId
        },
        key: 'tags_list'
      }, [$tags, $field]); // Assemble the feedback

      var $feedback = h();

      if (invalidTagText || duplicateTagText || limitTagsText) {
        // Add an aria live region for the invalid/duplicate tag
        // messages if the user has not disabled the messages
        var ariaLive = this.feedbackAriaLive,
            joiner = this.computedJoiner; // Invalid tag feedback if needed (error)

        var $invalid = h();

        if (invalidFeedbackId) {
          $invalid = h(_form_form_invalid_feedback__WEBPACK_IMPORTED_MODULE_26__.BFormInvalidFeedback, {
            props: {
              id: invalidFeedbackId,
              ariaLive: ariaLive,
              forceShow: true
            },
            key: 'tags_invalid_feedback'
          }, [this.invalidTagText, ': ', this.invalidTags.join(joiner)]);
        } // Duplicate tag feedback if needed (warning, not error)


        var $duplicate = h();

        if (duplicateFeedbackId) {
          $duplicate = h(_form_form_text__WEBPACK_IMPORTED_MODULE_27__.BFormText, {
            props: {
              id: duplicateFeedbackId,
              ariaLive: ariaLive
            },
            key: 'tags_duplicate_feedback'
          }, [this.duplicateTagText, ': ', this.duplicateTags.join(joiner)]);
        } // Limit tags feedback if needed (warning, not error)


        var $limit = h();

        if (limitFeedbackId) {
          $limit = h(_form_form_text__WEBPACK_IMPORTED_MODULE_27__.BFormText, {
            props: {
              id: limitFeedbackId,
              ariaLive: ariaLive
            },
            key: 'tags_limit_feedback'
          }, [limitTagsText]);
        }

        $feedback = h('div', {
          attrs: {
            'aria-live': 'polite',
            'aria-atomic': 'true'
          },
          key: 'tags_feedback'
        }, [$invalid, $duplicate, $limit]);
      } // Return the content


      return [$ul, $feedback];
    }
  },
  render: function render(h) {
    var name = this.name,
        disabled = this.disabled,
        required = this.required,
        form = this.form,
        tags = this.tags,
        computedInputId = this.computedInputId,
        hasFocus = this.hasFocus,
        noOuterFocus = this.noOuterFocus; // Scoped slot properties

    var scope = _objectSpread({
      // Array of tags (shallow copy to prevent mutations)
      tags: tags.slice(),
      // &lt;input&gt; v-bind:inputAttrs
      inputAttrs: this.computedInputAttrs,
      // We don't include this in the attrs, as users may want to override this
      inputType: this.computedInputType,
      // &lt;input&gt; v-on:inputHandlers
      inputHandlers: this.computedInputHandlers,
      // Methods
      removeTag: this.removeTag,
      addTag: this.addTag,
      reset: this.reset,
      // &lt;input&gt; :id="inputId"
      inputId: computedInputId,
      // Invalid/Duplicate state information
      isInvalid: this.hasInvalidTags,
      invalidTags: this.invalidTags.slice(),
      isDuplicate: this.hasDuplicateTags,
      duplicateTags: this.duplicateTags.slice(),
      isLimitReached: this.isLimitReached,
      // If the 'Add' button should be disabled
      disableAddButton: this.disableAddButton
    }, (0,_utils_object__WEBPACK_IMPORTED_MODULE_7__.pick)(this.$props, ['addButtonText', 'addButtonVariant', 'disabled', 'duplicateTagText', 'form', 'inputClass', 'invalidTagText', 'limit', 'limitTagsText', 'noTagRemove', 'placeholder', 'required', 'separator', 'size', 'state', 'tagClass', 'tagPills', 'tagRemoveLabel', 'tagVariant'])); // Generate the user interface


    var $content = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_25__.SLOT_NAME_DEFAULT, scope) || this.defaultRender(scope); // Generate the `aria-live` region for the current value(s)

    var $output = h('output', {
      staticClass: 'sr-only',
      attrs: {
        id: this.safeId('__selected_tags__'),
        role: 'status',
        for: computedInputId,
        'aria-live': hasFocus ? 'polite' : 'off',
        'aria-atomic': 'true',
        'aria-relevant': 'additions text'
      }
    }, this.tags.join(', ')); // Removed tag live region

    var $removed = h('div', {
      staticClass: 'sr-only',
      attrs: {
        id: this.safeId('__removed_tags__'),
        role: 'status',
        'aria-live': hasFocus ? 'assertive' : 'off',
        'aria-atomic': 'true'
      }
    }, this.removedTags.length &gt; 0 ? "(".concat(this.tagRemovedLabel, ") ").concat(this.removedTags.join(', ')) : ''); // Add hidden inputs for form submission

    var $hidden = h();

    if (name &amp;&amp; !disabled) {
      // We add hidden inputs for each tag if a name is provided
      // When there are currently no tags, a visually hidden input
      // with empty value is rendered for proper required handling
      var hasTags = tags.length &gt; 0;
      $hidden = (hasTags ? tags : ['']).map(function (tag) {
        return h('input', {
          class: {
            'sr-only': !hasTags
          },
          attrs: {
            type: hasTags ? 'hidden' : 'text',
            value: tag,
            required: required,
            name: name,
            form: form
          },
          key: "tag_input_".concat(tag)
        });
      });
    } // Return the rendered output


    return h('div', {
      staticClass: 'b-form-tags form-control h-auto',
      class: [{
        focus: hasFocus &amp;&amp; !noOuterFocus &amp;&amp; !disabled,
        disabled: disabled
      }, this.sizeFormClass, this.stateClass],
      attrs: {
        id: this.safeId(),
        role: 'group',
        tabindex: disabled || noOuterFocus ? null : '-1',
        'aria-describedby': this.safeId('__selected_tags__')
      },
      on: {
        click: this.onClick,
        focusin: this.onFocusin,
        focusout: this.onFocusout
      }
    }, [$output, $removed, $content, $hidden]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-tags/index.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-tags/index.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormTag: () =&gt; (/* reexport safe */ _form_tag__WEBPACK_IMPORTED_MODULE_2__.BFormTag),
/* harmony export */   BFormTags: () =&gt; (/* reexport safe */ _form_tags__WEBPACK_IMPORTED_MODULE_1__.BFormTags),
/* harmony export */   FormTagsPlugin: () =&gt; (/* binding */ FormTagsPlugin)
/* harmony export */ });
/* harmony import */ var _form_tags__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-tags */ "./node_modules/bootstrap-vue/esm/components/form-tags/form-tags.js");
/* harmony import */ var _form_tag__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./form-tag */ "./node_modules/bootstrap-vue/esm/components/form-tags/form-tag.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var FormTagsPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormTags: _form_tags__WEBPACK_IMPORTED_MODULE_1__.BFormTags,
    BTags: _form_tags__WEBPACK_IMPORTED_MODULE_1__.BFormTags,
    BFormTag: _form_tag__WEBPACK_IMPORTED_MODULE_2__.BFormTag,
    BTag: _form_tag__WEBPACK_IMPORTED_MODULE_2__.BFormTag
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-textarea/form-textarea.js":
/*!**********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-textarea/form-textarea.js ***!
  \**********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormTextarea: () =&gt; (/* binding */ BFormTextarea),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_control__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../mixins/form-control */ "./node_modules/bootstrap-vue/esm/mixins/form-control.js");
/* harmony import */ var _mixins_form_selection__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../mixins/form-selection */ "./node_modules/bootstrap-vue/esm/mixins/form-selection.js");
/* harmony import */ var _mixins_form_size__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/form-size */ "./node_modules/bootstrap-vue/esm/mixins/form-size.js");
/* harmony import */ var _mixins_form_state__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/form-state */ "./node_modules/bootstrap-vue/esm/mixins/form-state.js");
/* harmony import */ var _mixins_form_text__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/form-text */ "./node_modules/bootstrap-vue/esm/mixins/form-text.js");
/* harmony import */ var _mixins_form_validity__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../mixins/form-validity */ "./node_modules/bootstrap-vue/esm/mixins/form-validity.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../mixins/listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");
/* harmony import */ var _mixins_listeners__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../mixins/listeners */ "./node_modules/bootstrap-vue/esm/mixins/listeners.js");
/* harmony import */ var _directives_visible_visible__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../directives/visible/visible */ "./node_modules/bootstrap-vue/esm/directives/visible/visible.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }



















 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.props), _mixins_form_control__WEBPACK_IMPORTED_MODULE_3__.props), _mixins_form_size__WEBPACK_IMPORTED_MODULE_4__.props), _mixins_form_state__WEBPACK_IMPORTED_MODULE_5__.props), _mixins_form_text__WEBPACK_IMPORTED_MODULE_6__.props), {}, {
  maxRows: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_NUMBER_STRING),
  // When in auto resize mode, disable shrinking to content height
  noAutoShrink: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_BOOLEAN, false),
  // Disable the resize handle of textarea
  noResize: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_BOOLEAN, false),
  rows: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_NUMBER_STRING, 2),
  // 'soft', 'hard' or 'off'
  // Browser default is 'soft'
  wrap: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING, 'soft')
})), _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_FORM_TEXTAREA); // --- Main component ---
// @vue/component

var BFormTextarea = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_9__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_FORM_TEXTAREA,
  directives: {
    'b-visible': _directives_visible_visible__WEBPACK_IMPORTED_MODULE_10__.VBVisible
  },
  // Mixin order is important!
  mixins: [_mixins_listeners__WEBPACK_IMPORTED_MODULE_11__.listenersMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.idMixin, _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_12__.listenOnRootMixin, _mixins_form_control__WEBPACK_IMPORTED_MODULE_3__.formControlMixin, _mixins_form_size__WEBPACK_IMPORTED_MODULE_4__.formSizeMixin, _mixins_form_state__WEBPACK_IMPORTED_MODULE_5__.formStateMixin, _mixins_form_text__WEBPACK_IMPORTED_MODULE_6__.formTextMixin, _mixins_form_selection__WEBPACK_IMPORTED_MODULE_13__.formSelectionMixin, _mixins_form_validity__WEBPACK_IMPORTED_MODULE_14__.formValidityMixin],
  props: props,
  data: function data() {
    return {
      heightInPx: null
    };
  },
  computed: {
    type: function type() {
      return null;
    },
    computedStyle: function computedStyle() {
      var styles = {
        // Setting `noResize` to true will disable the ability for the user to
        // manually resize the textarea. We also disable when in auto height mode
        resize: !this.computedRows || this.noResize ? 'none' : null
      };

      if (!this.computedRows) {
        // Conditionally set the computed CSS height when auto rows/height is enabled
        // We avoid setting the style to `null`, which can override user manual resize handle
        styles.height = this.heightInPx; // We always add a vertical scrollbar to the textarea when auto-height is
        // enabled so that the computed height calculation returns a stable value

        styles.overflowY = 'scroll';
      }

      return styles;
    },
    computedMinRows: function computedMinRows() {
      // Ensure rows is at least 2 and positive (2 is the native textarea value)
      // A value of 1 can cause issues in some browsers, and most browsers
      // only support 2 as the smallest value
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_15__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_16__.toInteger)(this.rows, 2), 2);
    },
    computedMaxRows: function computedMaxRows() {
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_15__.mathMax)(this.computedMinRows, (0,_utils_number__WEBPACK_IMPORTED_MODULE_16__.toInteger)(this.maxRows, 0));
    },
    computedRows: function computedRows() {
      // This is used to set the attribute 'rows' on the textarea
      // If auto-height is enabled, then we return `null` as we use CSS to control height
      return this.computedMinRows === this.computedMaxRows ? this.computedMinRows : null;
    },
    computedAttrs: function computedAttrs() {
      var disabled = this.disabled,
          required = this.required;
      return {
        id: this.safeId(),
        name: this.name || null,
        form: this.form || null,
        disabled: disabled,
        placeholder: this.placeholder || null,
        required: required,
        autocomplete: this.autocomplete || null,
        readonly: this.readonly || this.plaintext,
        rows: this.computedRows,
        wrap: this.wrap || null,
        'aria-required': this.required ? 'true' : null,
        'aria-invalid': this.computedAriaInvalid
      };
    },
    computedListeners: function computedListeners() {
      return _objectSpread(_objectSpread({}, this.bvListeners), {}, {
        input: this.onInput,
        change: this.onChange,
        blur: this.onBlur
      });
    }
  },
  watch: {
    localValue: function localValue() {
      this.setHeight();
    }
  },
  mounted: function mounted() {
    this.setHeight();
  },
  methods: {
    // Called by intersection observer directive

    /* istanbul ignore next */
    visibleCallback: function visibleCallback(visible) {
      if (visible) {
        // We use a `$nextTick()` here just to make sure any
        // transitions or portalling have completed
        this.$nextTick(this.setHeight);
      }
    },
    setHeight: function setHeight() {
      var _this = this;

      this.$nextTick(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_17__.requestAF)(function () {
          _this.heightInPx = _this.computeHeight();
        });
      });
    },

    /* istanbul ignore next: can't test getComputedStyle in JSDOM */
    computeHeight: function computeHeight() {
      if (this.$isServer || !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_18__.isNull)(this.computedRows)) {
        return null;
      }

      var el = this.$el; // Element must be visible (not hidden) and in document
      // Must be checked after above checks

      if (!(0,_utils_dom__WEBPACK_IMPORTED_MODULE_17__.isVisible)(el)) {
        return null;
      } // Get current computed styles


      var computedStyle = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_17__.getCS)(el); // Height of one line of text in px

      var lineHeight = (0,_utils_number__WEBPACK_IMPORTED_MODULE_16__.toFloat)(computedStyle.lineHeight, 1); // Calculate height of border and padding

      var border = (0,_utils_number__WEBPACK_IMPORTED_MODULE_16__.toFloat)(computedStyle.borderTopWidth, 0) + (0,_utils_number__WEBPACK_IMPORTED_MODULE_16__.toFloat)(computedStyle.borderBottomWidth, 0);
      var padding = (0,_utils_number__WEBPACK_IMPORTED_MODULE_16__.toFloat)(computedStyle.paddingTop, 0) + (0,_utils_number__WEBPACK_IMPORTED_MODULE_16__.toFloat)(computedStyle.paddingBottom, 0); // Calculate offset

      var offset = border + padding; // Minimum height for min rows (which must be 2 rows or greater for cross-browser support)

      var minHeight = lineHeight * this.computedMinRows + offset; // Get the current style height (with `px` units)

      var oldHeight = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_17__.getStyle)(el, 'height') || computedStyle.height; // Probe scrollHeight by temporarily changing the height to `auto`

      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_17__.setStyle)(el, 'height', 'auto');
      var scrollHeight = el.scrollHeight; // Place the original old height back on the element, just in case `computedProp`
      // returns the same value as before

      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_17__.setStyle)(el, 'height', oldHeight); // Calculate content height in 'rows' (scrollHeight includes padding but not border)

      var contentRows = (0,_utils_math__WEBPACK_IMPORTED_MODULE_15__.mathMax)((scrollHeight - padding) / lineHeight, 2); // Calculate number of rows to display (limited within min/max rows)

      var rows = (0,_utils_math__WEBPACK_IMPORTED_MODULE_15__.mathMin)((0,_utils_math__WEBPACK_IMPORTED_MODULE_15__.mathMax)(contentRows, this.computedMinRows), this.computedMaxRows); // Calculate the required height of the textarea including border and padding (in pixels)

      var height = (0,_utils_math__WEBPACK_IMPORTED_MODULE_15__.mathMax)((0,_utils_math__WEBPACK_IMPORTED_MODULE_15__.mathCeil)(rows * lineHeight + offset), minHeight); // Computed height remains the larger of `oldHeight` and new `height`,
      // when height is in `sticky` mode (prop `no-auto-shrink` is true)

      if (this.noAutoShrink &amp;&amp; (0,_utils_number__WEBPACK_IMPORTED_MODULE_16__.toFloat)(oldHeight, 0) &gt; height) {
        return oldHeight;
      } // Return the new computed CSS height in px units


      return "".concat(height, "px");
    }
  },
  render: function render(h) {
    return h('textarea', {
      class: this.computedClass,
      style: this.computedStyle,
      directives: [{
        name: 'b-visible',
        value: this.visibleCallback,
        // If textarea is within 640px of viewport, consider it visible
        modifiers: {
          '640': true
        }
      }],
      attrs: this.computedAttrs,
      domProps: {
        value: this.localValue
      },
      on: this.computedListeners,
      ref: 'input'
    });
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-textarea/index.js":
/*!**************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-textarea/index.js ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormTextarea: () =&gt; (/* reexport safe */ _form_textarea__WEBPACK_IMPORTED_MODULE_1__.BFormTextarea),
/* harmony export */   FormTextareaPlugin: () =&gt; (/* binding */ FormTextareaPlugin)
/* harmony export */ });
/* harmony import */ var _form_textarea__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-textarea */ "./node_modules/bootstrap-vue/esm/components/form-textarea/form-textarea.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var FormTextareaPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormTextarea: _form_textarea__WEBPACK_IMPORTED_MODULE_1__.BFormTextarea,
    BTextarea: _form_textarea__WEBPACK_IMPORTED_MODULE_1__.BFormTextarea
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-timepicker/form-timepicker.js":
/*!**************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-timepicker/form-timepicker.js ***!
  \**************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormTimepicker: () =&gt; (/* binding */ BFormTimepicker),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _icons_icons__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../icons/icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
/* harmony import */ var _button_button__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../button/button */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var _form_btn_label_control_bv_form_btn_label_control__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../form-btn-label-control/bv-form-btn-label-control */ "./node_modules/bootstrap-vue/esm/components/form-btn-label-control/bv-form-btn-label-control.js");
/* harmony import */ var _time_time__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../time/time */ "./node_modules/bootstrap-vue/esm/components/time/time.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }















 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING,
  defaultValue: ''
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event; // --- Props ---


var timeProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.omit)(_time_time__WEBPACK_IMPORTED_MODULE_3__.props, ['hidden', 'id', 'value']);
var formBtnLabelControlProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.omit)(_form_btn_label_control_bv_form_btn_label_control__WEBPACK_IMPORTED_MODULE_4__.props, ['formattedValue', 'id', 'lang', 'rtl', 'value']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_6__.props), modelProps), timeProps), formBtnLabelControlProps), {}, {
  closeButtonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'outline-secondary'),
  labelCloseButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Close'),
  labelNowButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Select now'),
  labelResetButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Reset'),
  noCloseButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  nowButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  nowButtonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'outline-primary'),
  resetButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  resetButtonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'outline-danger'),
  resetValue: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_DATE_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_7__.NAME_FORM_TIMEPICKER); // --- Main component ---
// @vue/component

var BFormTimepicker = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_8__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_7__.NAME_FORM_TIMEPICKER,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_6__.idMixin, modelMixin],
  props: props,
  data: function data() {
    return {
      // We always use `HH:mm:ss` value internally
      localHMS: this[MODEL_PROP_NAME] || '',
      // Context data from BTime
      localLocale: null,
      isRTL: false,
      formattedValue: '',
      // If the menu is opened
      isVisible: false
    };
  },
  computed: {
    computedLang: function computedLang() {
      return (this.localLocale || '').replace(/-u-.*$/i, '') || null;
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue) {
    this.localHMS = newValue || '';
  }), _defineProperty(_watch, "localHMS", function localHMS(newValue) {
    // We only update the v-model value when the timepicker
    // is open, to prevent cursor jumps when bound to a
    // text input in button only mode
    if (this.isVisible) {
      this.$emit(MODEL_EVENT_NAME, newValue || '');
    }
  }), _watch),
  methods: {
    // Public methods
    focus: function focus() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_9__.attemptFocus)(this.$refs.control);
      }
    },
    blur: function blur() {
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_9__.attemptBlur)(this.$refs.control);
      }
    },
    // Private methods
    setAndClose: function setAndClose(value) {
      var _this = this;

      this.localHMS = value;
      this.$nextTick(function () {
        _this.$refs.control.hide(true);
      });
    },
    onInput: function onInput(hms) {
      if (this.localHMS !== hms) {
        this.localHMS = hms;
      }
    },
    onContext: function onContext(ctx) {
      var isRTL = ctx.isRTL,
          locale = ctx.locale,
          value = ctx.value,
          formatted = ctx.formatted;
      this.isRTL = isRTL;
      this.localLocale = locale;
      this.formattedValue = formatted;
      this.localHMS = value || ''; // Re-emit the context event

      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_CONTEXT, ctx);
    },
    onNowButton: function onNowButton() {
      var now = new Date();
      var hours = now.getHours();
      var minutes = now.getMinutes();
      var seconds = this.showSeconds ? now.getSeconds() : 0;
      var value = [hours, minutes, seconds].map(function (v) {
        return "00".concat(v || '').slice(-2);
      }).join(':');
      this.setAndClose(value);
    },
    onResetButton: function onResetButton() {
      this.setAndClose(this.resetValue);
    },
    onCloseButton: function onCloseButton() {
      this.$refs.control.hide(true);
    },
    onShow: function onShow() {
      this.isVisible = true;
    },
    onShown: function onShown() {
      var _this2 = this;

      this.$nextTick(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_9__.attemptFocus)(_this2.$refs.time);

        _this2.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_SHOWN);
      });
    },
    onHidden: function onHidden() {
      this.isVisible = false;
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_HIDDEN);
    },
    // Render function helpers
    defaultButtonFn: function defaultButtonFn(_ref) {
      var isHovered = _ref.isHovered,
          hasFocus = _ref.hasFocus;
      return this.$createElement(isHovered || hasFocus ? _icons_icons__WEBPACK_IMPORTED_MODULE_11__.BIconClockFill : _icons_icons__WEBPACK_IMPORTED_MODULE_11__.BIconClock, {
        attrs: {
          'aria-hidden': 'true'
        }
      });
    }
  },
  render: function render(h) {
    var localHMS = this.localHMS,
        disabled = this.disabled,
        readonly = this.readonly,
        $props = this.$props;
    var placeholder = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_12__.isUndefinedOrNull)(this.placeholder) ? this.labelNoTimeSelected : this.placeholder; // Footer buttons

    var $footer = [];

    if (this.nowButton) {
      var label = this.labelNowButton;
      $footer.push(h(_button_button__WEBPACK_IMPORTED_MODULE_13__.BButton, {
        props: {
          size: 'sm',
          disabled: disabled || readonly,
          variant: this.nowButtonVariant
        },
        attrs: {
          'aria-label': label || null
        },
        on: {
          click: this.onNowButton
        },
        key: 'now-btn'
      }, label));
    }

    if (this.resetButton) {
      if ($footer.length &gt; 0) {
        // Add a "spacer" between buttons ('&amp;nbsp;')
        $footer.push(h('span', "\xA0"));
      }

      var _label = this.labelResetButton;
      $footer.push(h(_button_button__WEBPACK_IMPORTED_MODULE_13__.BButton, {
        props: {
          size: 'sm',
          disabled: disabled || readonly,
          variant: this.resetButtonVariant
        },
        attrs: {
          'aria-label': _label || null
        },
        on: {
          click: this.onResetButton
        },
        key: 'reset-btn'
      }, _label));
    }

    if (!this.noCloseButton) {
      // Add a "spacer" between buttons ('&amp;nbsp;')
      if ($footer.length &gt; 0) {
        $footer.push(h('span', "\xA0"));
      }

      var _label2 = this.labelCloseButton;
      $footer.push(h(_button_button__WEBPACK_IMPORTED_MODULE_13__.BButton, {
        props: {
          size: 'sm',
          disabled: disabled,
          variant: this.closeButtonVariant
        },
        attrs: {
          'aria-label': _label2 || null
        },
        on: {
          click: this.onCloseButton
        },
        key: 'close-btn'
      }, _label2));
    }

    if ($footer.length &gt; 0) {
      $footer = [h('div', {
        staticClass: 'b-form-date-controls d-flex flex-wrap',
        class: {
          'justify-content-between': $footer.length &gt; 1,
          'justify-content-end': $footer.length &lt; 2
        }
      }, $footer)];
    }

    var $time = h(_time_time__WEBPACK_IMPORTED_MODULE_3__.BTime, {
      staticClass: 'b-form-time-control',
      props: _objectSpread(_objectSpread({}, (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.pluckProps)(timeProps, $props)), {}, {
        value: localHMS,
        hidden: !this.isVisible
      }),
      on: {
        input: this.onInput,
        context: this.onContext
      },
      ref: 'time'
    }, $footer);
    return h(_form_btn_label_control_bv_form_btn_label_control__WEBPACK_IMPORTED_MODULE_4__.BVFormBtnLabelControl, {
      staticClass: 'b-form-timepicker',
      props: _objectSpread(_objectSpread({}, (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.pluckProps)(formBtnLabelControlProps, $props)), {}, {
        id: this.safeId(),
        value: localHMS,
        formattedValue: localHMS ? this.formattedValue : '',
        placeholder: placeholder,
        rtl: this.isRTL,
        lang: this.computedLang
      }),
      on: {
        show: this.onShow,
        shown: this.onShown,
        hidden: this.onHidden
      },
      scopedSlots: _defineProperty({}, _constants_slots__WEBPACK_IMPORTED_MODULE_14__.SLOT_NAME_BUTTON_CONTENT, this.$scopedSlots[_constants_slots__WEBPACK_IMPORTED_MODULE_14__.SLOT_NAME_BUTTON_CONTENT] || this.defaultButtonFn),
      ref: 'control'
    }, [$time]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form-timepicker/index.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form-timepicker/index.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormTimepicker: () =&gt; (/* reexport safe */ _form_timepicker__WEBPACK_IMPORTED_MODULE_1__.BFormTimepicker),
/* harmony export */   FormTimepickerPlugin: () =&gt; (/* binding */ FormTimepickerPlugin)
/* harmony export */ });
/* harmony import */ var _form_timepicker__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form-timepicker */ "./node_modules/bootstrap-vue/esm/components/form-timepicker/form-timepicker.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var FormTimepickerPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BFormTimepicker: _form_timepicker__WEBPACK_IMPORTED_MODULE_1__.BFormTimepicker,
    BTimepicker: _form_timepicker__WEBPACK_IMPORTED_MODULE_1__.BFormTimepicker
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form/form-datalist.js":
/*!*************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form/form-datalist.js ***!
  \*************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormDatalist: () =&gt; (/* binding */ BFormDatalist),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_form_options__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/form-options */ "./node_modules/bootstrap-vue/esm/mixins/form-options.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }








 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, _mixins_form_options__WEBPACK_IMPORTED_MODULE_2__.props), {}, {
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, undefined, true) // Required

})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_DATALIST); // --- Main component ---
// @vue/component

var BFormDatalist = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_FORM_DATALIST,
  mixins: [_mixins_form_options__WEBPACK_IMPORTED_MODULE_2__.formOptionsMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlotMixin],
  props: props,
  render: function render(h) {
    var id = this.id;
    var $options = this.formOptions.map(function (option, index) {
      var value = option.value,
          text = option.text,
          html = option.html,
          disabled = option.disabled;
      return h('option', {
        attrs: {
          value: value,
          disabled: disabled
        },
        domProps: (0,_utils_html__WEBPACK_IMPORTED_MODULE_7__.htmlOrText)(html, text),
        key: "option_".concat(index)
      });
    });
    return h('datalist', {
      attrs: {
        id: id
      }
    }, [$options, this.normalizeSlot()]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form/form-invalid-feedback.js":
/*!*********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form/form-invalid-feedback.js ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormInvalidFeedback: () =&gt; (/* binding */ BFormInvalidFeedback),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  ariaLive: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  forceShow: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  role: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // Tri-state prop: `true`, `false`, or `null`
  state: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, null),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  tooltip: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_INVALID_FEEDBACK); // --- Main component ---
// @vue/component

var BFormInvalidFeedback = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_INVALID_FEEDBACK,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var tooltip = props.tooltip,
        ariaLive = props.ariaLive;
    var show = props.forceShow === true || props.state === false;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      class: {
        'd-block': show,
        'invalid-feedback': !tooltip,
        'invalid-tooltip': tooltip
      },
      attrs: {
        id: props.id || null,
        role: props.role || null,
        'aria-live': ariaLive || null,
        'aria-atomic': ariaLive ? 'true' : null
      }
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form/form-text.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form/form-text.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormText: () =&gt; (/* binding */ BFormText),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }




 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  inline: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'small'),
  textVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'muted')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_TEXT); // --- Main component ---
// @vue/component

var BFormText = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_TEXT,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      class: _defineProperty({
        'form-text': !props.inline
      }, "text-".concat(props.textVariant), props.textVariant),
      attrs: {
        id: props.id
      }
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form/form-valid-feedback.js":
/*!*******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form/form-valid-feedback.js ***!
  \*******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormValidFeedback: () =&gt; (/* binding */ BFormValidFeedback),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  ariaLive: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  forceShow: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  role: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // Tri-state prop: `true`, `false`, or `null`
  state: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, null),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  tooltip: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_VALID_FEEDBACK); // --- Main component ---
// @vue/component

var BFormValidFeedback = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_VALID_FEEDBACK,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var tooltip = props.tooltip,
        ariaLive = props.ariaLive;
    var show = props.forceShow === true || props.state === true;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      class: {
        'd-block': show,
        'valid-feedback': !tooltip,
        'valid-tooltip': tooltip
      },
      attrs: {
        id: props.id || null,
        role: props.role || null,
        'aria-live': ariaLive || null,
        'aria-atomic': ariaLive ? 'true' : null
      }
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form/form.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form/form.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BForm: () =&gt; (/* binding */ BForm),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  inline: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  novalidate: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  validated: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM); // --- Main component ---
// @vue/component

var BForm = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h('form', (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      class: {
        'form-inline': props.inline,
        'was-validated': props.validated
      },
      attrs: {
        id: props.id,
        novalidate: props.novalidate
      }
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/form/index.js":
/*!*****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/form/index.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BForm: () =&gt; (/* reexport safe */ _form__WEBPACK_IMPORTED_MODULE_1__.BForm),
/* harmony export */   BFormDatalist: () =&gt; (/* reexport safe */ _form_datalist__WEBPACK_IMPORTED_MODULE_2__.BFormDatalist),
/* harmony export */   BFormInvalidFeedback: () =&gt; (/* reexport safe */ _form_invalid_feedback__WEBPACK_IMPORTED_MODULE_4__.BFormInvalidFeedback),
/* harmony export */   BFormText: () =&gt; (/* reexport safe */ _form_text__WEBPACK_IMPORTED_MODULE_3__.BFormText),
/* harmony export */   BFormValidFeedback: () =&gt; (/* reexport safe */ _form_valid_feedback__WEBPACK_IMPORTED_MODULE_5__.BFormValidFeedback),
/* harmony export */   FormPlugin: () =&gt; (/* binding */ FormPlugin)
/* harmony export */ });
/* harmony import */ var _form__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./form */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var _form_datalist__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./form-datalist */ "./node_modules/bootstrap-vue/esm/components/form/form-datalist.js");
/* harmony import */ var _form_text__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./form-text */ "./node_modules/bootstrap-vue/esm/components/form/form-text.js");
/* harmony import */ var _form_invalid_feedback__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./form-invalid-feedback */ "./node_modules/bootstrap-vue/esm/components/form/form-invalid-feedback.js");
/* harmony import */ var _form_valid_feedback__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./form-valid-feedback */ "./node_modules/bootstrap-vue/esm/components/form/form-valid-feedback.js");
/* harmony import */ var _layout_form_row__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../layout/form-row */ "./node_modules/bootstrap-vue/esm/components/layout/form-row.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");







var FormPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BForm: _form__WEBPACK_IMPORTED_MODULE_1__.BForm,
    BFormDatalist: _form_datalist__WEBPACK_IMPORTED_MODULE_2__.BFormDatalist,
    BDatalist: _form_datalist__WEBPACK_IMPORTED_MODULE_2__.BFormDatalist,
    BFormText: _form_text__WEBPACK_IMPORTED_MODULE_3__.BFormText,
    BFormInvalidFeedback: _form_invalid_feedback__WEBPACK_IMPORTED_MODULE_4__.BFormInvalidFeedback,
    BFormFeedback: _form_invalid_feedback__WEBPACK_IMPORTED_MODULE_4__.BFormInvalidFeedback,
    BFormValidFeedback: _form_valid_feedback__WEBPACK_IMPORTED_MODULE_5__.BFormValidFeedback,
    // Added here for convenience
    BFormRow: _layout_form_row__WEBPACK_IMPORTED_MODULE_6__.BFormRow
  }
}); // BFormRow is not exported here as a named export, as it is exported by Layout



/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/image/img-lazy.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/image/img-lazy.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BImgLazy: () =&gt; (/* binding */ BImgLazy),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _directives_visible_visible__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../directives/visible/visible */ "./node_modules/bootstrap-vue/esm/directives/visible/visible.js");
/* harmony import */ var _img__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./img */ "./node_modules/bootstrap-vue/esm/components/image/img.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }













 // --- Constants ---

var MODEL_PROP_NAME_SHOW = 'show';
var MODEL_EVENT_NAME_SHOW = _constants_events__WEBPACK_IMPORTED_MODULE_0__.MODEL_EVENT_NAME_PREFIX + MODEL_PROP_NAME_SHOW; // --- Props ---

var imgProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.omit)(_img__WEBPACK_IMPORTED_MODULE_2__.props, ['blank']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makePropsConfigurable)(_objectSpread(_objectSpread({}, imgProps), {}, _defineProperty({
  blankHeight: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_NUMBER_STRING),
  // If `null`, a blank image is generated
  blankSrc: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING, null),
  blankWidth: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_NUMBER_STRING),
  // Distance away from viewport (in pixels)
  // before being considered "visible"
  offset: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_NUMBER_STRING, 360)
}, MODEL_PROP_NAME_SHOW, (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false))), _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_IMG_LAZY); // --- Main component ---
// @vue/component

var BImgLazy = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_6__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_IMG_LAZY,
  directives: {
    'b-visible': _directives_visible_visible__WEBPACK_IMPORTED_MODULE_7__.VBVisible
  },
  props: props,
  data: function data() {
    return {
      isShown: this[MODEL_PROP_NAME_SHOW]
    };
  },
  computed: {
    computedSrc: function computedSrc() {
      var blankSrc = this.blankSrc;
      return !blankSrc || this.isShown ? this.src : blankSrc;
    },
    computedBlank: function computedBlank() {
      return !(this.isShown || this.blankSrc);
    },
    computedWidth: function computedWidth() {
      var width = this.width;
      return this.isShown ? width : this.blankWidth || width;
    },
    computedHeight: function computedHeight() {
      var height = this.height;
      return this.isShown ? height : this.blankHeight || height;
    },
    computedSrcset: function computedSrcset() {
      var srcset = (0,_utils_array__WEBPACK_IMPORTED_MODULE_8__.concat)(this.srcset).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_9__.identity).join(',');
      return srcset &amp;&amp; (!this.blankSrc || this.isShown) ? srcset : null;
    },
    computedSizes: function computedSizes() {
      var sizes = (0,_utils_array__WEBPACK_IMPORTED_MODULE_8__.concat)(this.sizes).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_9__.identity).join(',');
      return sizes &amp;&amp; (!this.blankSrc || this.isShown) ? sizes : null;
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME_SHOW, function (newValue, oldValue) {
    if (newValue !== oldValue) {
      // If `IntersectionObserver` support is not available, image is always shown
      var visible = _constants_env__WEBPACK_IMPORTED_MODULE_10__.HAS_INTERACTION_OBSERVER_SUPPORT ? newValue : true;
      this.isShown = visible; // Ensure the show prop is synced (when no `IntersectionObserver`)

      if (newValue !== visible) {
        this.$nextTick(this.updateShowProp);
      }
    }
  }), _defineProperty(_watch, "isShown", function isShown(newValue, oldValue) {
    // Update synched show prop
    if (newValue !== oldValue) {
      this.updateShowProp();
    }
  }), _watch),
  mounted: function mounted() {
    var _this = this;

    // If `IntersectionObserver` is not available, image is always shown
    this.$nextTick(function () {
      _this.isShown = _constants_env__WEBPACK_IMPORTED_MODULE_10__.HAS_INTERACTION_OBSERVER_SUPPORT ? _this[MODEL_PROP_NAME_SHOW] : true;
    });
  },
  methods: {
    updateShowProp: function updateShowProp() {
      this.$emit(MODEL_EVENT_NAME_SHOW, this.isShown);
    },
    doShow: function doShow(visible) {
      var _this2 = this;

      // If IntersectionObserver is not supported, the callback
      // will be called with `null` rather than `true` or `false`
      if ((visible || visible === null) &amp;&amp; !this.isShown) {
        // In a `requestAF()` to render the `blank` placeholder properly
        // for fast loading images in some browsers (i.e. Firefox)
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_11__.requestAF)(function () {
          _this2.isShown = true;
        });
      }
    }
  },
  render: function render(h) {
    var directives = [];

    if (!this.isShown) {
      var _modifiers;

      // We only add the visible directive if we are not shown
      directives.push({
        // Visible directive will silently do nothing if
        // `IntersectionObserver` is not supported
        name: 'b-visible',
        // Value expects a callback (passed one arg of `visible` = `true` or `false`)
        value: this.doShow,
        modifiers: (_modifiers = {}, _defineProperty(_modifiers, "".concat((0,_utils_number__WEBPACK_IMPORTED_MODULE_12__.toInteger)(this.offset, 0)), true), _defineProperty(_modifiers, "once", true), _modifiers)
      });
    }

    return h(_img__WEBPACK_IMPORTED_MODULE_2__.BImg, {
      directives: directives,
      props: _objectSpread(_objectSpread({}, (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.pluckProps)(imgProps, this.$props)), {}, {
        // Computed value props
        src: this.computedSrc,
        blank: this.computedBlank,
        width: this.computedWidth,
        height: this.computedHeight,
        srcset: this.computedSrcset,
        sizes: this.computedSizes
      })
    });
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/image/img.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/image/img.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BImg: () =&gt; (/* binding */ BImg),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }









 // --- Constants --
// Blank image with fill template

var BLANK_TEMPLATE = '&lt;svg width="%{w}" height="%{h}" ' + 'xmlns="http://www.w3.org/2000/svg" ' + 'viewBox="0 0 %{w} %{h}" preserveAspectRatio="none"&gt;' + '&lt;rect width="100%" height="100%" style="fill:%{f};"&gt;&lt;/rect&gt;' + '&lt;/svg&gt;'; // --- Helper methods ---

var makeBlankImgSrc = function makeBlankImgSrc(width, height, color) {
  var src = encodeURIComponent(BLANK_TEMPLATE.replace('%{w}', (0,_utils_string__WEBPACK_IMPORTED_MODULE_0__.toString)(width)).replace('%{h}', (0,_utils_string__WEBPACK_IMPORTED_MODULE_0__.toString)(height)).replace('%{f}', color));
  return "data:image/svg+xml;charset=UTF-8,".concat(src);
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makePropsConfigurable)({
  alt: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING),
  blank: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  blankColor: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING, 'transparent'),
  block: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  center: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  fluid: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  // Gives fluid images class `w-100` to make them grow to fit container
  fluidGrow: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  height: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_NUMBER_STRING),
  left: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  right: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  // Possible values:
  //   `false`: no rounding of corners
  //   `true`: slightly rounded corners
  //   'top': top corners rounded
  //   'right': right corners rounded
  //   'bottom': bottom corners rounded
  //   'left': left corners rounded
  //   'circle': circle/oval
  //   '0': force rounding off
  rounded: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN_STRING, false),
  sizes: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_ARRAY_STRING),
  src: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING),
  srcset: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_ARRAY_STRING),
  thumbnail: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  width: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_NUMBER_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_IMG); // --- Main component ---
// @vue/component

var BImg = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_IMG,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _class;

    var props = _ref.props,
        data = _ref.data;
    var alt = props.alt,
        src = props.src,
        block = props.block,
        fluidGrow = props.fluidGrow,
        rounded = props.rounded;
    var width = (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toInteger)(props.width) || null;
    var height = (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toInteger)(props.height) || null;
    var align = null;
    var srcset = (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.concat)(props.srcset).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity).join(',');
    var sizes = (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.concat)(props.sizes).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity).join(',');

    if (props.blank) {
      if (!height &amp;&amp; width) {
        height = width;
      } else if (!width &amp;&amp; height) {
        width = height;
      }

      if (!width &amp;&amp; !height) {
        width = 1;
        height = 1;
      } // Make a blank SVG image


      src = makeBlankImgSrc(width, height, props.blankColor || 'transparent'); // Disable srcset and sizes

      srcset = null;
      sizes = null;
    }

    if (props.left) {
      align = 'float-left';
    } else if (props.right) {
      align = 'float-right';
    } else if (props.center) {
      align = 'mx-auto';
      block = true;
    }

    return h('img', (0,_vue__WEBPACK_IMPORTED_MODULE_8__.mergeData)(data, {
      attrs: {
        src: src,
        alt: alt,
        width: width ? (0,_utils_string__WEBPACK_IMPORTED_MODULE_0__.toString)(width) : null,
        height: height ? (0,_utils_string__WEBPACK_IMPORTED_MODULE_0__.toString)(height) : null,
        srcset: srcset || null,
        sizes: sizes || null
      },
      class: (_class = {
        'img-thumbnail': props.thumbnail,
        'img-fluid': props.fluid || fluidGrow,
        'w-100': fluidGrow,
        rounded: rounded === '' || rounded === true
      }, _defineProperty(_class, "rounded-".concat(rounded), (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_9__.isString)(rounded) &amp;&amp; rounded !== ''), _defineProperty(_class, align, align), _defineProperty(_class, 'd-block', block), _class)
    }));
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/image/index.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/image/index.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BImg: () =&gt; (/* reexport safe */ _img__WEBPACK_IMPORTED_MODULE_1__.BImg),
/* harmony export */   BImgLazy: () =&gt; (/* reexport safe */ _img_lazy__WEBPACK_IMPORTED_MODULE_2__.BImgLazy),
/* harmony export */   ImagePlugin: () =&gt; (/* binding */ ImagePlugin)
/* harmony export */ });
/* harmony import */ var _img__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./img */ "./node_modules/bootstrap-vue/esm/components/image/img.js");
/* harmony import */ var _img_lazy__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./img-lazy */ "./node_modules/bootstrap-vue/esm/components/image/img-lazy.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var ImagePlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BImg: _img__WEBPACK_IMPORTED_MODULE_1__.BImg,
    BImgLazy: _img_lazy__WEBPACK_IMPORTED_MODULE_2__.BImgLazy
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/index.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/index.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   componentsPlugin: () =&gt; (/* binding */ componentsPlugin)
/* harmony export */ });
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");
/* harmony import */ var _alert__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./alert */ "./node_modules/bootstrap-vue/esm/components/alert/index.js");
/* harmony import */ var _aspect__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./aspect */ "./node_modules/bootstrap-vue/esm/components/aspect/index.js");
/* harmony import */ var _avatar__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./avatar */ "./node_modules/bootstrap-vue/esm/components/avatar/index.js");
/* harmony import */ var _badge__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./badge */ "./node_modules/bootstrap-vue/esm/components/badge/index.js");
/* harmony import */ var _breadcrumb__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./breadcrumb */ "./node_modules/bootstrap-vue/esm/components/breadcrumb/index.js");
/* harmony import */ var _button__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./button */ "./node_modules/bootstrap-vue/esm/components/button/index.js");
/* harmony import */ var _button_group__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./button-group */ "./node_modules/bootstrap-vue/esm/components/button-group/index.js");
/* harmony import */ var _button_toolbar__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./button-toolbar */ "./node_modules/bootstrap-vue/esm/components/button-toolbar/index.js");
/* harmony import */ var _calendar__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./calendar */ "./node_modules/bootstrap-vue/esm/components/calendar/index.js");
/* harmony import */ var _card__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./card */ "./node_modules/bootstrap-vue/esm/components/card/index.js");
/* harmony import */ var _carousel__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./carousel */ "./node_modules/bootstrap-vue/esm/components/carousel/index.js");
/* harmony import */ var _collapse__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ./collapse */ "./node_modules/bootstrap-vue/esm/components/collapse/index.js");
/* harmony import */ var _dropdown__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ./dropdown */ "./node_modules/bootstrap-vue/esm/components/dropdown/index.js");
/* harmony import */ var _embed__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ./embed */ "./node_modules/bootstrap-vue/esm/components/embed/index.js");
/* harmony import */ var _form__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ./form */ "./node_modules/bootstrap-vue/esm/components/form/index.js");
/* harmony import */ var _form_checkbox__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ./form-checkbox */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/index.js");
/* harmony import */ var _form_datepicker__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ./form-datepicker */ "./node_modules/bootstrap-vue/esm/components/form-datepicker/index.js");
/* harmony import */ var _form_file__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ./form-file */ "./node_modules/bootstrap-vue/esm/components/form-file/index.js");
/* harmony import */ var _form_group__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ./form-group */ "./node_modules/bootstrap-vue/esm/components/form-group/index.js");
/* harmony import */ var _form_input__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ./form-input */ "./node_modules/bootstrap-vue/esm/components/form-input/index.js");
/* harmony import */ var _form_radio__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ./form-radio */ "./node_modules/bootstrap-vue/esm/components/form-radio/index.js");
/* harmony import */ var _form_rating__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ./form-rating */ "./node_modules/bootstrap-vue/esm/components/form-rating/index.js");
/* harmony import */ var _form_select__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ./form-select */ "./node_modules/bootstrap-vue/esm/components/form-select/index.js");
/* harmony import */ var _form_spinbutton__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ./form-spinbutton */ "./node_modules/bootstrap-vue/esm/components/form-spinbutton/index.js");
/* harmony import */ var _form_tags__WEBPACK_IMPORTED_MODULE_25__ = __webpack_require__(/*! ./form-tags */ "./node_modules/bootstrap-vue/esm/components/form-tags/index.js");
/* harmony import */ var _form_textarea__WEBPACK_IMPORTED_MODULE_26__ = __webpack_require__(/*! ./form-textarea */ "./node_modules/bootstrap-vue/esm/components/form-textarea/index.js");
/* harmony import */ var _form_timepicker__WEBPACK_IMPORTED_MODULE_27__ = __webpack_require__(/*! ./form-timepicker */ "./node_modules/bootstrap-vue/esm/components/form-timepicker/index.js");
/* harmony import */ var _image__WEBPACK_IMPORTED_MODULE_28__ = __webpack_require__(/*! ./image */ "./node_modules/bootstrap-vue/esm/components/image/index.js");
/* harmony import */ var _input_group__WEBPACK_IMPORTED_MODULE_29__ = __webpack_require__(/*! ./input-group */ "./node_modules/bootstrap-vue/esm/components/input-group/index.js");
/* harmony import */ var _jumbotron__WEBPACK_IMPORTED_MODULE_30__ = __webpack_require__(/*! ./jumbotron */ "./node_modules/bootstrap-vue/esm/components/jumbotron/index.js");
/* harmony import */ var _layout__WEBPACK_IMPORTED_MODULE_31__ = __webpack_require__(/*! ./layout */ "./node_modules/bootstrap-vue/esm/components/layout/index.js");
/* harmony import */ var _link__WEBPACK_IMPORTED_MODULE_32__ = __webpack_require__(/*! ./link */ "./node_modules/bootstrap-vue/esm/components/link/index.js");
/* harmony import */ var _list_group__WEBPACK_IMPORTED_MODULE_33__ = __webpack_require__(/*! ./list-group */ "./node_modules/bootstrap-vue/esm/components/list-group/index.js");
/* harmony import */ var _media__WEBPACK_IMPORTED_MODULE_34__ = __webpack_require__(/*! ./media */ "./node_modules/bootstrap-vue/esm/components/media/index.js");
/* harmony import */ var _modal__WEBPACK_IMPORTED_MODULE_35__ = __webpack_require__(/*! ./modal */ "./node_modules/bootstrap-vue/esm/components/modal/index.js");
/* harmony import */ var _nav__WEBPACK_IMPORTED_MODULE_36__ = __webpack_require__(/*! ./nav */ "./node_modules/bootstrap-vue/esm/components/nav/index.js");
/* harmony import */ var _navbar__WEBPACK_IMPORTED_MODULE_37__ = __webpack_require__(/*! ./navbar */ "./node_modules/bootstrap-vue/esm/components/navbar/index.js");
/* harmony import */ var _overlay__WEBPACK_IMPORTED_MODULE_38__ = __webpack_require__(/*! ./overlay */ "./node_modules/bootstrap-vue/esm/components/overlay/index.js");
/* harmony import */ var _pagination__WEBPACK_IMPORTED_MODULE_39__ = __webpack_require__(/*! ./pagination */ "./node_modules/bootstrap-vue/esm/components/pagination/index.js");
/* harmony import */ var _pagination_nav__WEBPACK_IMPORTED_MODULE_40__ = __webpack_require__(/*! ./pagination-nav */ "./node_modules/bootstrap-vue/esm/components/pagination-nav/index.js");
/* harmony import */ var _popover__WEBPACK_IMPORTED_MODULE_41__ = __webpack_require__(/*! ./popover */ "./node_modules/bootstrap-vue/esm/components/popover/index.js");
/* harmony import */ var _progress__WEBPACK_IMPORTED_MODULE_42__ = __webpack_require__(/*! ./progress */ "./node_modules/bootstrap-vue/esm/components/progress/index.js");
/* harmony import */ var _sidebar__WEBPACK_IMPORTED_MODULE_43__ = __webpack_require__(/*! ./sidebar */ "./node_modules/bootstrap-vue/esm/components/sidebar/index.js");
/* harmony import */ var _skeleton__WEBPACK_IMPORTED_MODULE_44__ = __webpack_require__(/*! ./skeleton */ "./node_modules/bootstrap-vue/esm/components/skeleton/index.js");
/* harmony import */ var _spinner__WEBPACK_IMPORTED_MODULE_45__ = __webpack_require__(/*! ./spinner */ "./node_modules/bootstrap-vue/esm/components/spinner/index.js");
/* harmony import */ var _table__WEBPACK_IMPORTED_MODULE_46__ = __webpack_require__(/*! ./table */ "./node_modules/bootstrap-vue/esm/components/table/index.js");
/* harmony import */ var _tabs__WEBPACK_IMPORTED_MODULE_47__ = __webpack_require__(/*! ./tabs */ "./node_modules/bootstrap-vue/esm/components/tabs/index.js");
/* harmony import */ var _time__WEBPACK_IMPORTED_MODULE_48__ = __webpack_require__(/*! ./time */ "./node_modules/bootstrap-vue/esm/components/time/index.js");
/* harmony import */ var _toast__WEBPACK_IMPORTED_MODULE_49__ = __webpack_require__(/*! ./toast */ "./node_modules/bootstrap-vue/esm/components/toast/index.js");
/* harmony import */ var _tooltip__WEBPACK_IMPORTED_MODULE_50__ = __webpack_require__(/*! ./tooltip */ "./node_modules/bootstrap-vue/esm/components/tooltip/index.js");
 // Component group plugins













































 // Table plugin includes TableLitePlugin and TableSimplePlugin





 // Main plugin to install all component group plugins

var componentsPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  plugins: {
    AlertPlugin: _alert__WEBPACK_IMPORTED_MODULE_1__.AlertPlugin,
    AspectPlugin: _aspect__WEBPACK_IMPORTED_MODULE_2__.AspectPlugin,
    AvatarPlugin: _avatar__WEBPACK_IMPORTED_MODULE_3__.AvatarPlugin,
    BadgePlugin: _badge__WEBPACK_IMPORTED_MODULE_4__.BadgePlugin,
    BreadcrumbPlugin: _breadcrumb__WEBPACK_IMPORTED_MODULE_5__.BreadcrumbPlugin,
    ButtonPlugin: _button__WEBPACK_IMPORTED_MODULE_6__.ButtonPlugin,
    ButtonGroupPlugin: _button_group__WEBPACK_IMPORTED_MODULE_7__.ButtonGroupPlugin,
    ButtonToolbarPlugin: _button_toolbar__WEBPACK_IMPORTED_MODULE_8__.ButtonToolbarPlugin,
    CalendarPlugin: _calendar__WEBPACK_IMPORTED_MODULE_9__.CalendarPlugin,
    CardPlugin: _card__WEBPACK_IMPORTED_MODULE_10__.CardPlugin,
    CarouselPlugin: _carousel__WEBPACK_IMPORTED_MODULE_11__.CarouselPlugin,
    CollapsePlugin: _collapse__WEBPACK_IMPORTED_MODULE_12__.CollapsePlugin,
    DropdownPlugin: _dropdown__WEBPACK_IMPORTED_MODULE_13__.DropdownPlugin,
    EmbedPlugin: _embed__WEBPACK_IMPORTED_MODULE_14__.EmbedPlugin,
    FormPlugin: _form__WEBPACK_IMPORTED_MODULE_15__.FormPlugin,
    FormCheckboxPlugin: _form_checkbox__WEBPACK_IMPORTED_MODULE_16__.FormCheckboxPlugin,
    FormDatepickerPlugin: _form_datepicker__WEBPACK_IMPORTED_MODULE_17__.FormDatepickerPlugin,
    FormFilePlugin: _form_file__WEBPACK_IMPORTED_MODULE_18__.FormFilePlugin,
    FormGroupPlugin: _form_group__WEBPACK_IMPORTED_MODULE_19__.FormGroupPlugin,
    FormInputPlugin: _form_input__WEBPACK_IMPORTED_MODULE_20__.FormInputPlugin,
    FormRadioPlugin: _form_radio__WEBPACK_IMPORTED_MODULE_21__.FormRadioPlugin,
    FormRatingPlugin: _form_rating__WEBPACK_IMPORTED_MODULE_22__.FormRatingPlugin,
    FormSelectPlugin: _form_select__WEBPACK_IMPORTED_MODULE_23__.FormSelectPlugin,
    FormSpinbuttonPlugin: _form_spinbutton__WEBPACK_IMPORTED_MODULE_24__.FormSpinbuttonPlugin,
    FormTagsPlugin: _form_tags__WEBPACK_IMPORTED_MODULE_25__.FormTagsPlugin,
    FormTextareaPlugin: _form_textarea__WEBPACK_IMPORTED_MODULE_26__.FormTextareaPlugin,
    FormTimepickerPlugin: _form_timepicker__WEBPACK_IMPORTED_MODULE_27__.FormTimepickerPlugin,
    ImagePlugin: _image__WEBPACK_IMPORTED_MODULE_28__.ImagePlugin,
    InputGroupPlugin: _input_group__WEBPACK_IMPORTED_MODULE_29__.InputGroupPlugin,
    JumbotronPlugin: _jumbotron__WEBPACK_IMPORTED_MODULE_30__.JumbotronPlugin,
    LayoutPlugin: _layout__WEBPACK_IMPORTED_MODULE_31__.LayoutPlugin,
    LinkPlugin: _link__WEBPACK_IMPORTED_MODULE_32__.LinkPlugin,
    ListGroupPlugin: _list_group__WEBPACK_IMPORTED_MODULE_33__.ListGroupPlugin,
    MediaPlugin: _media__WEBPACK_IMPORTED_MODULE_34__.MediaPlugin,
    ModalPlugin: _modal__WEBPACK_IMPORTED_MODULE_35__.ModalPlugin,
    NavPlugin: _nav__WEBPACK_IMPORTED_MODULE_36__.NavPlugin,
    NavbarPlugin: _navbar__WEBPACK_IMPORTED_MODULE_37__.NavbarPlugin,
    OverlayPlugin: _overlay__WEBPACK_IMPORTED_MODULE_38__.OverlayPlugin,
    PaginationPlugin: _pagination__WEBPACK_IMPORTED_MODULE_39__.PaginationPlugin,
    PaginationNavPlugin: _pagination_nav__WEBPACK_IMPORTED_MODULE_40__.PaginationNavPlugin,
    PopoverPlugin: _popover__WEBPACK_IMPORTED_MODULE_41__.PopoverPlugin,
    ProgressPlugin: _progress__WEBPACK_IMPORTED_MODULE_42__.ProgressPlugin,
    SidebarPlugin: _sidebar__WEBPACK_IMPORTED_MODULE_43__.SidebarPlugin,
    SkeletonPlugin: _skeleton__WEBPACK_IMPORTED_MODULE_44__.SkeletonPlugin,
    SpinnerPlugin: _spinner__WEBPACK_IMPORTED_MODULE_45__.SpinnerPlugin,
    TablePlugin: _table__WEBPACK_IMPORTED_MODULE_46__.TablePlugin,
    TabsPlugin: _tabs__WEBPACK_IMPORTED_MODULE_47__.TabsPlugin,
    TimePlugin: _time__WEBPACK_IMPORTED_MODULE_48__.TimePlugin,
    ToastPlugin: _toast__WEBPACK_IMPORTED_MODULE_49__.ToastPlugin,
    TooltipPlugin: _tooltip__WEBPACK_IMPORTED_MODULE_50__.TooltipPlugin
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/input-group/index.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/input-group/index.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BInputGroup: () =&gt; (/* reexport safe */ _input_group__WEBPACK_IMPORTED_MODULE_1__.BInputGroup),
/* harmony export */   BInputGroupAddon: () =&gt; (/* reexport safe */ _input_group_addon__WEBPACK_IMPORTED_MODULE_2__.BInputGroupAddon),
/* harmony export */   BInputGroupAppend: () =&gt; (/* reexport safe */ _input_group_append__WEBPACK_IMPORTED_MODULE_4__.BInputGroupAppend),
/* harmony export */   BInputGroupPrepend: () =&gt; (/* reexport safe */ _input_group_prepend__WEBPACK_IMPORTED_MODULE_3__.BInputGroupPrepend),
/* harmony export */   BInputGroupText: () =&gt; (/* reexport safe */ _input_group_text__WEBPACK_IMPORTED_MODULE_5__.BInputGroupText),
/* harmony export */   InputGroupPlugin: () =&gt; (/* binding */ InputGroupPlugin)
/* harmony export */ });
/* harmony import */ var _input_group__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./input-group */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group.js");
/* harmony import */ var _input_group_addon__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./input-group-addon */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-addon.js");
/* harmony import */ var _input_group_prepend__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./input-group-prepend */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-prepend.js");
/* harmony import */ var _input_group_append__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./input-group-append */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-append.js");
/* harmony import */ var _input_group_text__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./input-group-text */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-text.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");






var InputGroupPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BInputGroup: _input_group__WEBPACK_IMPORTED_MODULE_1__.BInputGroup,
    BInputGroupAddon: _input_group_addon__WEBPACK_IMPORTED_MODULE_2__.BInputGroupAddon,
    BInputGroupPrepend: _input_group_prepend__WEBPACK_IMPORTED_MODULE_3__.BInputGroupPrepend,
    BInputGroupAppend: _input_group_append__WEBPACK_IMPORTED_MODULE_4__.BInputGroupAppend,
    BInputGroupText: _input_group_text__WEBPACK_IMPORTED_MODULE_5__.BInputGroupText
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-addon.js":
/*!************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/input-group/input-group-addon.js ***!
  \************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BInputGroupAddon: () =&gt; (/* binding */ BInputGroupAddon),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _input_group_text__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./input-group-text */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-text.js");




 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  append: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  isText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_INPUT_GROUP_ADDON); // --- Main component ---
// @vue/component

var BInputGroupAddon = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_INPUT_GROUP_ADDON,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var append = props.append;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      class: {
        'input-group-append': append,
        'input-group-prepend': !append
      },
      attrs: {
        id: props.id
      }
    }), props.isText ? [h(_input_group_text__WEBPACK_IMPORTED_MODULE_5__.BInputGroupText, children)] : children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-append.js":
/*!*************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/input-group/input-group-append.js ***!
  \*************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BInputGroupAppend: () =&gt; (/* binding */ BInputGroupAppend),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _input_group_addon__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./input-group-addon */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-addon.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.omit)(_input_group_addon__WEBPACK_IMPORTED_MODULE_2__.props, ['append']), _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_INPUT_GROUP_APPEND); // --- Main component ---
// @vue/component

var BInputGroupAppend = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_INPUT_GROUP_APPEND,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    // Pass all our data down to child, and set `append` to `true`
    return h(_input_group_addon__WEBPACK_IMPORTED_MODULE_2__.BInputGroupAddon, (0,_vue__WEBPACK_IMPORTED_MODULE_5__.mergeData)(data, {
      props: _objectSpread(_objectSpread({}, props), {}, {
        append: true
      })
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-prepend.js":
/*!**************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/input-group/input-group-prepend.js ***!
  \**************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BInputGroupPrepend: () =&gt; (/* binding */ BInputGroupPrepend),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _input_group_addon__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./input-group-addon */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-addon.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.omit)(_input_group_addon__WEBPACK_IMPORTED_MODULE_2__.props, ['append']), _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_INPUT_GROUP_PREPEND); // --- Main component ---
// @vue/component

var BInputGroupPrepend = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_INPUT_GROUP_PREPEND,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    // Pass all our data down to child, and set `append` to `true`
    return h(_input_group_addon__WEBPACK_IMPORTED_MODULE_2__.BInputGroupAddon, (0,_vue__WEBPACK_IMPORTED_MODULE_5__.mergeData)(data, {
      props: _objectSpread(_objectSpread({}, props), {}, {
        append: false
      })
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-text.js":
/*!***********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/input-group/input-group-text.js ***!
  \***********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BInputGroupText: () =&gt; (/* binding */ BInputGroupText),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_INPUT_GROUP_TEXT); // --- Main component ---
// @vue/component

var BInputGroupText = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_INPUT_GROUP_TEXT,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      staticClass: 'input-group-text'
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/input-group/input-group.js":
/*!******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/input-group/input-group.js ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BInputGroup: () =&gt; (/* binding */ BInputGroup),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/normalize-slot */ "./node_modules/bootstrap-vue/esm/utils/normalize-slot.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _input_group_append__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./input-group-append */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-append.js");
/* harmony import */ var _input_group_prepend__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./input-group-prepend */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-prepend.js");
/* harmony import */ var _input_group_text__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./input-group-text */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-text.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }










 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  append: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  appendHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  prepend: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  prependHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  size: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_INPUT_GROUP); // --- Main component ---
// @vue/component

var BInputGroup = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_INPUT_GROUP,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        slots = _ref.slots,
        scopedSlots = _ref.scopedSlots;
    var prepend = props.prepend,
        prependHtml = props.prependHtml,
        append = props.append,
        appendHtml = props.appendHtml,
        size = props.size;
    var $scopedSlots = scopedSlots || {};
    var $slots = slots();
    var slotScope = {};
    var $prepend = h();
    var hasPrependSlot = (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.hasNormalizedSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_PREPEND, $scopedSlots, $slots);

    if (hasPrependSlot || prepend || prependHtml) {
      $prepend = h(_input_group_prepend__WEBPACK_IMPORTED_MODULE_6__.BInputGroupPrepend, [hasPrependSlot ? (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_PREPEND, slotScope, $scopedSlots, $slots) : h(_input_group_text__WEBPACK_IMPORTED_MODULE_7__.BInputGroupText, {
        domProps: (0,_utils_html__WEBPACK_IMPORTED_MODULE_8__.htmlOrText)(prependHtml, prepend)
      })]);
    }

    var $append = h();
    var hasAppendSlot = (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.hasNormalizedSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_APPEND, $scopedSlots, $slots);

    if (hasAppendSlot || append || appendHtml) {
      $append = h(_input_group_append__WEBPACK_IMPORTED_MODULE_9__.BInputGroupAppend, [hasAppendSlot ? (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_APPEND, slotScope, $scopedSlots, $slots) : h(_input_group_text__WEBPACK_IMPORTED_MODULE_7__.BInputGroupText, {
        domProps: (0,_utils_html__WEBPACK_IMPORTED_MODULE_8__.htmlOrText)(appendHtml, append)
      })]);
    }

    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_10__.mergeData)(data, {
      staticClass: 'input-group',
      class: _defineProperty({}, "input-group-".concat(size), size),
      attrs: {
        id: props.id || null,
        role: 'group'
      }
    }), [$prepend, (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_DEFAULT, slotScope, $scopedSlots, $slots), $append]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/jumbotron/index.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/jumbotron/index.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BJumbotron: () =&gt; (/* reexport safe */ _jumbotron__WEBPACK_IMPORTED_MODULE_1__.BJumbotron),
/* harmony export */   JumbotronPlugin: () =&gt; (/* binding */ JumbotronPlugin)
/* harmony export */ });
/* harmony import */ var _jumbotron__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./jumbotron */ "./node_modules/bootstrap-vue/esm/components/jumbotron/jumbotron.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var JumbotronPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BJumbotron: _jumbotron__WEBPACK_IMPORTED_MODULE_1__.BJumbotron
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/jumbotron/jumbotron.js":
/*!**************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/jumbotron/jumbotron.js ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BJumbotron: () =&gt; (/* binding */ BJumbotron),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/normalize-slot */ "./node_modules/bootstrap-vue/esm/utils/normalize-slot.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _layout_container__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../layout/container */ "./node_modules/bootstrap-vue/esm/components/layout/container.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }








 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  bgVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  borderVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  containerFluid: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_STRING, false),
  fluid: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  header: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  headerHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  headerLevel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 3),
  headerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'h1'),
  lead: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  leadHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  leadTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'p'),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  textVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_JUMBOTRON); // --- Main component ---
// @vue/component

var BJumbotron = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_JUMBOTRON,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _class2;

    var props = _ref.props,
        data = _ref.data,
        slots = _ref.slots,
        scopedSlots = _ref.scopedSlots;
    var header = props.header,
        headerHtml = props.headerHtml,
        lead = props.lead,
        leadHtml = props.leadHtml,
        textVariant = props.textVariant,
        bgVariant = props.bgVariant,
        borderVariant = props.borderVariant;
    var $scopedSlots = scopedSlots || {};
    var $slots = slots();
    var slotScope = {};
    var $header = h();
    var hasHeaderSlot = (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.hasNormalizedSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_HEADER, $scopedSlots, $slots);

    if (hasHeaderSlot || header || headerHtml) {
      var headerLevel = props.headerLevel;
      $header = h(props.headerTag, {
        class: _defineProperty({}, "display-".concat(headerLevel), headerLevel),
        domProps: hasHeaderSlot ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_6__.htmlOrText)(headerHtml, header)
      }, (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_HEADER, slotScope, $scopedSlots, $slots));
    }

    var $lead = h();
    var hasLeadSlot = (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.hasNormalizedSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_LEAD, $scopedSlots, $slots);

    if (hasLeadSlot || lead || leadHtml) {
      $lead = h(props.leadTag, {
        staticClass: 'lead',
        domProps: hasLeadSlot ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_6__.htmlOrText)(leadHtml, lead)
      }, (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_LEAD, slotScope, $scopedSlots, $slots));
    }

    var $children = [$header, $lead, (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_DEFAULT, slotScope, $scopedSlots, $slots)]; // If fluid, wrap content in a container

    if (props.fluid) {
      $children = [h(_layout_container__WEBPACK_IMPORTED_MODULE_7__.BContainer, {
        props: {
          fluid: props.containerFluid
        }
      }, $children)];
    }

    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_8__.mergeData)(data, {
      staticClass: 'jumbotron',
      class: (_class2 = {
        'jumbotron-fluid': props.fluid
      }, _defineProperty(_class2, "text-".concat(textVariant), textVariant), _defineProperty(_class2, "bg-".concat(bgVariant), bgVariant), _defineProperty(_class2, "border-".concat(borderVariant), borderVariant), _defineProperty(_class2, "border", borderVariant), _class2)
    }), $children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/layout/col.js":
/*!*****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/layout/col.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCol: () =&gt; (/* binding */ BCol),
/* harmony export */   generateProps: () =&gt; (/* binding */ generateProps)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_config__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/config */ "./node_modules/bootstrap-vue/esm/utils/config.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_memoize__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/memoize */ "./node_modules/bootstrap-vue/esm/utils/memoize.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }












 // --- Constants ---

var ALIGN_SELF_VALUES = ['auto', 'start', 'end', 'center', 'baseline', 'stretch']; // --- Helper methods ---
// Compute a breakpoint class name

var computeBreakpoint = function computeBreakpoint(type, breakpoint, value) {
  var className = type;

  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isUndefinedOrNull)(value) || value === false) {
    return undefined;
  }

  if (breakpoint) {
    className += "-".concat(breakpoint);
  } // Handling the boolean style prop when accepting `[Boolean, String, Number]`
  // means Vue will not convert `&lt;b-col sm&gt;&lt;/b-col&gt;` to `sm: true` for us
  // Since the default is `false`, '' indicates the prop's presence


  if (type === 'col' &amp;&amp; (value === '' || value === true)) {
    // .col-md
    return (0,_utils_string__WEBPACK_IMPORTED_MODULE_1__.lowerCase)(className);
  } // .order-md-6


  className += "-".concat(value);
  return (0,_utils_string__WEBPACK_IMPORTED_MODULE_1__.lowerCase)(className);
}; // Memoized function for better performance on generating class names


var computeBreakpointClass = (0,_utils_memoize__WEBPACK_IMPORTED_MODULE_2__.memoize)(computeBreakpoint); // Cached copy of the breakpoint prop names

var breakpointPropMap = (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.create)(null); // --- Props ---
// Prop generator for lazy generation of props

var generateProps = function generateProps() {
  // Grab the breakpoints from the cached config (exclude the '' (xs) breakpoint)
  var breakpoints = (0,_utils_config__WEBPACK_IMPORTED_MODULE_4__.getBreakpointsUpCached)().filter(_utils_identity__WEBPACK_IMPORTED_MODULE_5__.identity); // i.e. 'col-sm', 'col-md-6', 'col-lg-auto', ...

  var breakpointCol = breakpoints.reduce(function (props, breakpoint) {
    props[breakpoint] = (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_BOOLEAN_NUMBER_STRING);
    return props;
  }, (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.create)(null)); // i.e. 'offset-md-1', 'offset-lg-12', ...

  var breakpointOffset = breakpoints.reduce(function (props, breakpoint) {
    props[(0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.suffixPropName)(breakpoint, 'offset')] = (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_NUMBER_STRING);
    return props;
  }, (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.create)(null)); // i.e. 'order-md-1', 'order-lg-12', ...

  var breakpointOrder = breakpoints.reduce(function (props, breakpoint) {
    props[(0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.suffixPropName)(breakpoint, 'order')] = (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_NUMBER_STRING);
    return props;
  }, (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.create)(null)); // For loop doesn't need to check `.hasOwnProperty()`
  // when using an object created from `null`

  breakpointPropMap = (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.assign)((0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.create)(null), {
    col: (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.keys)(breakpointCol),
    offset: (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.keys)(breakpointOffset),
    order: (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.keys)(breakpointOrder)
  }); // Return the generated props

  return (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, breakpointCol), breakpointOffset), breakpointOrder), {}, {
    // Flex alignment
    alignSelf: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING, null, function (value) {
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_8__.arrayIncludes)(ALIGN_SELF_VALUES, value);
    }),
    // Generic flexbox 'col' (xs)
    col: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_BOOLEAN, false),
    // i.e. 'col-1', 'col-2', 'col-auto', ...
    cols: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_NUMBER_STRING),
    offset: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_NUMBER_STRING),
    order: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_NUMBER_STRING),
    tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_7__.PROP_TYPE_STRING, 'div')
  })), _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_COL);
}; // --- Main component ---
// We do not use extend here as that would evaluate the props
// immediately, which we do not want to happen
// @vue/component

var BCol = {
  name: _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_COL,
  functional: true,

  get props() {
    // Allow props to be lazy evaled on first access and
    // then they become a non-getter afterwards.
    // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/get#Smart_self-overwriting_lazy_getters
    delete this.props; // eslint-disable-next-line no-return-assign

    return this.props = generateProps();
  },

  render: function render(h, _ref) {
    var _classList$push;

    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var cols = props.cols,
        offset = props.offset,
        order = props.order,
        alignSelf = props.alignSelf;
    var classList = []; // Loop through `col`, `offset`, `order` breakpoint props

    for (var type in breakpointPropMap) {
      // Returns colSm, offset, offsetSm, orderMd, etc.
      var _keys = breakpointPropMap[type];

      for (var i = 0; i &lt; _keys.length; i++) {
        // computeBreakpoint(col, colSm =&gt; Sm, value=[String, Number, Boolean])
        var c = computeBreakpointClass(type, _keys[i].replace(type, ''), props[_keys[i]]); // If a class is returned, push it onto the array.

        if (c) {
          classList.push(c);
        }
      }
    }

    var hasColClasses = classList.some(function (className) {
      return _constants_regex__WEBPACK_IMPORTED_MODULE_10__.RX_COL_CLASS.test(className);
    });
    classList.push((_classList$push = {
      // Default to .col if no other col-{bp}-* classes generated nor `cols` specified.
      col: props.col || !hasColClasses &amp;&amp; !cols
    }, _defineProperty(_classList$push, "col-".concat(cols), cols), _defineProperty(_classList$push, "offset-".concat(offset), offset), _defineProperty(_classList$push, "order-".concat(order), order), _defineProperty(_classList$push, "align-self-".concat(alignSelf), alignSelf), _classList$push));
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_11__.mergeData)(data, {
      class: classList
    }), children);
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/layout/container.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/layout/container.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BContainer: () =&gt; (/* binding */ BContainer),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }




 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  // String breakpoint name new in Bootstrap v4.4.x
  fluid: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_STRING, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CONTAINER); // --- Main component ---
// @vue/component

var BContainer = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CONTAINER,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var fluid = props.fluid;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      class: _defineProperty({
        container: !(fluid || fluid === ''),
        'container-fluid': fluid === true || fluid === ''
      }, "container-".concat(fluid), fluid &amp;&amp; fluid !== true)
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/layout/form-row.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/layout/form-row.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BFormRow: () =&gt; (/* binding */ BFormRow),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_ROW); // --- Main component ---
// @vue/component

var BFormRow = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_FORM_ROW,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      staticClass: 'form-row'
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/layout/index.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/layout/index.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BCol: () =&gt; (/* reexport safe */ _col__WEBPACK_IMPORTED_MODULE_3__.BCol),
/* harmony export */   BContainer: () =&gt; (/* reexport safe */ _container__WEBPACK_IMPORTED_MODULE_1__.BContainer),
/* harmony export */   BFormRow: () =&gt; (/* reexport safe */ _form_row__WEBPACK_IMPORTED_MODULE_4__.BFormRow),
/* harmony export */   BRow: () =&gt; (/* reexport safe */ _row__WEBPACK_IMPORTED_MODULE_2__.BRow),
/* harmony export */   LayoutPlugin: () =&gt; (/* binding */ LayoutPlugin)
/* harmony export */ });
/* harmony import */ var _container__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./container */ "./node_modules/bootstrap-vue/esm/components/layout/container.js");
/* harmony import */ var _row__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./row */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var _col__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./col */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var _form_row__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./form-row */ "./node_modules/bootstrap-vue/esm/components/layout/form-row.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");





var LayoutPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BContainer: _container__WEBPACK_IMPORTED_MODULE_1__.BContainer,
    BRow: _row__WEBPACK_IMPORTED_MODULE_2__.BRow,
    BCol: _col__WEBPACK_IMPORTED_MODULE_3__.BCol,
    BFormRow: _form_row__WEBPACK_IMPORTED_MODULE_4__.BFormRow
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/layout/row.js":
/*!*****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/layout/row.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BRow: () =&gt; (/* binding */ BRow),
/* harmony export */   generateProps: () =&gt; (/* binding */ generateProps)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_config__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/config */ "./node_modules/bootstrap-vue/esm/utils/config.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_memoize__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/memoize */ "./node_modules/bootstrap-vue/esm/utils/memoize.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }










 // --- Constants ---

var COMMON_ALIGNMENT = ['start', 'end', 'center']; // --- Helper methods ---
// Compute a `row-cols-{breakpoint}-{cols}` class name
// Memoized function for better performance on generating class names

var computeRowColsClass = (0,_utils_memoize__WEBPACK_IMPORTED_MODULE_0__.memoize)(function (breakpoint, cols) {
  cols = (0,_utils_string__WEBPACK_IMPORTED_MODULE_1__.trim)((0,_utils_string__WEBPACK_IMPORTED_MODULE_1__.toString)(cols));
  return cols ? (0,_utils_string__WEBPACK_IMPORTED_MODULE_1__.lowerCase)(['row-cols', breakpoint, cols].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_2__.identity).join('-')) : null;
}); // Get the breakpoint name from the `rowCols` prop name
// Memoized function for better performance on extracting breakpoint names

var computeRowColsBreakpoint = (0,_utils_memoize__WEBPACK_IMPORTED_MODULE_0__.memoize)(function (prop) {
  return (0,_utils_string__WEBPACK_IMPORTED_MODULE_1__.lowerCase)(prop.replace('cols', ''));
}); // Cached copy of the `row-cols` breakpoint prop names
// Will be populated when the props are generated

var rowColsPropList = []; // --- Props ---
// Prop generator for lazy generation of props

var generateProps = function generateProps() {
  // i.e. 'row-cols-2', 'row-cols-md-4', 'row-cols-xl-6', ...
  var rowColsProps = (0,_utils_config__WEBPACK_IMPORTED_MODULE_3__.getBreakpointsUpCached)().reduce(function (props, breakpoint) {
    props[(0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.suffixPropName)(breakpoint, 'cols')] = (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_NUMBER_STRING);
    return props;
  }, (0,_utils_object__WEBPACK_IMPORTED_MODULE_6__.create)(null)); // Cache the row-cols prop names

  rowColsPropList = (0,_utils_object__WEBPACK_IMPORTED_MODULE_6__.keys)(rowColsProps); // Return the generated props

  return (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_6__.sortKeys)(_objectSpread(_objectSpread({}, rowColsProps), {}, {
    alignContent: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING, null, function (value) {
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_7__.arrayIncludes)((0,_utils_array__WEBPACK_IMPORTED_MODULE_7__.concat)(COMMON_ALIGNMENT, 'between', 'around', 'stretch'), value);
    }),
    alignH: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING, null, function (value) {
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_7__.arrayIncludes)((0,_utils_array__WEBPACK_IMPORTED_MODULE_7__.concat)(COMMON_ALIGNMENT, 'between', 'around'), value);
    }),
    alignV: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING, null, function (value) {
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_7__.arrayIncludes)((0,_utils_array__WEBPACK_IMPORTED_MODULE_7__.concat)(COMMON_ALIGNMENT, 'baseline', 'stretch'), value);
    }),
    noGutters: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_BOOLEAN, false),
    tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING, 'div')
  })), _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_ROW);
}; // --- Main component ---
// We do not use `extend()` here as that would evaluate the props
// immediately, which we do not want to happen
// @vue/component

var BRow = {
  name: _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_ROW,
  functional: true,

  get props() {
    // Allow props to be lazy evaled on first access and
    // then they become a non-getter afterwards
    // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/get#Smart_self-overwriting_lazy_getters
    delete this.props;
    this.props = generateProps();
    return this.props;
  },

  render: function render(h, _ref) {
    var _classList$push;

    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var alignV = props.alignV,
        alignH = props.alignH,
        alignContent = props.alignContent; // Loop through row-cols breakpoint props and generate the classes

    var classList = [];
    rowColsPropList.forEach(function (prop) {
      var c = computeRowColsClass(computeRowColsBreakpoint(prop), props[prop]); // If a class is returned, push it onto the array

      if (c) {
        classList.push(c);
      }
    });
    classList.push((_classList$push = {
      'no-gutters': props.noGutters
    }, _defineProperty(_classList$push, "align-items-".concat(alignV), alignV), _defineProperty(_classList$push, "justify-content-".concat(alignH), alignH), _defineProperty(_classList$push, "align-content-".concat(alignContent), alignContent), _classList$push));
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_9__.mergeData)(data, {
      staticClass: 'row',
      class: classList
    }), children);
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/link/index.js":
/*!*****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/link/index.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BLink: () =&gt; (/* reexport safe */ _link__WEBPACK_IMPORTED_MODULE_1__.BLink),
/* harmony export */   LinkPlugin: () =&gt; (/* binding */ LinkPlugin)
/* harmony export */ });
/* harmony import */ var _link__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var LinkPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BLink: _link__WEBPACK_IMPORTED_MODULE_1__.BLink
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/link/link.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/link/link.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BLink: () =&gt; (/* binding */ BLink),
/* harmony export */   nuxtLinkProps: () =&gt; (/* binding */ nuxtLinkProps),
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   routerLinkProps: () =&gt; (/* binding */ routerLinkProps)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_router__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/router */ "./node_modules/bootstrap-vue/esm/utils/router.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");
/* harmony import */ var _mixins_listeners__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/listeners */ "./node_modules/bootstrap-vue/esm/mixins/listeners.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _unsupportedIterableToArray(arr) || _nonIterableSpread(); }

function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _iterableToArray(iter) { if (typeof Symbol !== "undefined" &amp;&amp; iter[Symbol.iterator] != null || iter["@@iterator"] != null) return Array.from(iter); }

function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) return _arrayLikeToArray(arr); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }















 // --- Constants ---

var ROOT_EVENT_NAME_CLICKED = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_LINK, 'clicked'); // --- Props ---
// `&lt;router-link&gt;` specific props

var routerLinkProps = {
  activeClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  append: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  event: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_STRING),
  exact: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  exactActiveClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  exactPath: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  exactPathActiveClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  replace: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  routerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  to: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_OBJECT_STRING)
}; // `&lt;nuxt-link&gt;` specific props

var nuxtLinkProps = {
  noPrefetch: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  // Must be `null` to fall back to the value defined in the
  // `nuxt.config.js` configuration file for `router.prefetchLinks`
  // We convert `null` to `undefined`, so that Nuxt.js will use the
  // compiled default
  // Vue treats `undefined` as default of `false` for Boolean props,
  // so we must set it as `null` here to be a true tri-state prop
  prefetch: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, null)
}; // All `&lt;b-link&gt;` props

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, nuxtLinkProps), routerLinkProps), {}, {
  active: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  href: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  // Must be `null` if no value provided
  rel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, null),
  // To support 3rd party router links based on `&lt;router-link&gt;` (i.e. `g-link` for Gridsome)
  // Default is to auto choose between `&lt;router-link&gt;` and `&lt;nuxt-link&gt;`
  // Gridsome doesn't provide a mechanism to auto detect and has caveats
  // such as not supporting FQDN URLs or hash only URLs
  routerComponentName: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  target: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, '_self')
})), _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_LINK); // --- Main component ---
// @vue/component

var BLink = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_LINK,
  // Mixin order is important!
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_6__.attrsMixin, _mixins_listeners__WEBPACK_IMPORTED_MODULE_7__.listenersMixin, _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_8__.listenOnRootMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_9__.normalizeSlotMixin],
  inheritAttrs: false,
  props: props,
  computed: {
    computedTag: function computedTag() {
      // We don't pass `this` as the first arg as we need reactivity of the props
      var to = this.to,
          disabled = this.disabled,
          routerComponentName = this.routerComponentName;
      return (0,_utils_router__WEBPACK_IMPORTED_MODULE_10__.computeTag)({
        to: to,
        disabled: disabled,
        routerComponentName: routerComponentName
      }, this);
    },
    isRouterLink: function isRouterLink() {
      return (0,_utils_router__WEBPACK_IMPORTED_MODULE_10__.isRouterLink)(this.computedTag);
    },
    computedRel: function computedRel() {
      // We don't pass `this` as the first arg as we need reactivity of the props
      var target = this.target,
          rel = this.rel;
      return (0,_utils_router__WEBPACK_IMPORTED_MODULE_10__.computeRel)({
        target: target,
        rel: rel
      });
    },
    computedHref: function computedHref() {
      // We don't pass `this` as the first arg as we need reactivity of the props
      var to = this.to,
          href = this.href;
      return (0,_utils_router__WEBPACK_IMPORTED_MODULE_10__.computeHref)({
        to: to,
        href: href
      }, this.computedTag);
    },
    computedProps: function computedProps() {
      var event = this.event,
          prefetch = this.prefetch,
          routerTag = this.routerTag;
      return this.isRouterLink ? _objectSpread(_objectSpread(_objectSpread(_objectSpread({}, (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.pluckProps)((0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.omit)(_objectSpread(_objectSpread({}, routerLinkProps), this.computedTag === 'nuxt-link' ? nuxtLinkProps : {}), ['event', 'prefetch', 'routerTag']), this)), event ? {
        event: event
      } : {}), (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isBoolean)(prefetch) ? {
        prefetch: prefetch
      } : {}), routerTag ? {
        tag: routerTag
      } : {}) : {};
    },
    computedAttrs: function computedAttrs() {
      var bvAttrs = this.bvAttrs,
          href = this.computedHref,
          rel = this.computedRel,
          disabled = this.disabled,
          target = this.target,
          routerTag = this.routerTag,
          isRouterLink = this.isRouterLink;
      return _objectSpread(_objectSpread(_objectSpread(_objectSpread({}, bvAttrs), href ? {
        href: href
      } : {}), isRouterLink &amp;&amp; routerTag &amp;&amp; !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.isTag)(routerTag, 'a') ? {} : {
        rel: rel,
        target: target
      }), {}, {
        tabindex: disabled ? '-1' : (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isUndefined)(bvAttrs.tabindex) ? null : bvAttrs.tabindex,
        'aria-disabled': disabled ? 'true' : null
      });
    },
    computedListeners: function computedListeners() {
      return _objectSpread(_objectSpread({}, this.bvListeners), {}, {
        // We want to overwrite any click handler since our callback
        // will invoke the user supplied handler(s) if `!this.disabled`
        click: this.onClick
      });
    }
  },
  methods: {
    onClick: function onClick(event) {
      var _arguments = arguments;
      var eventIsEvent = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isEvent)(event);
      var isRouterLink = this.isRouterLink;
      var suppliedHandler = this.bvListeners.click;

      if (eventIsEvent &amp;&amp; this.disabled) {
        // Stop event from bubbling up
        // Kill the event loop attached to this specific `EventTarget`
        // Needed to prevent `vue-router` for doing its thing
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.stopEvent)(event, {
          immediatePropagation: true
        });
      } else {
        // Router links do not emit instance `click` events, so we
        // add in an `$emit('click', event)` on its Vue instance
        //
        // seems not to be required for Vue3 compat build

        /* istanbul ignore next: difficult to test, but we know it works */
        if (isRouterLink) {
          var _event$currentTarget$;

          (_event$currentTarget$ = event.currentTarget.__vue__) === null || _event$currentTarget$ === void 0 ? void 0 : _event$currentTarget$.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_13__.EVENT_NAME_CLICK, event);
        } // Call the suppliedHandler(s), if any provided


        (0,_utils_array__WEBPACK_IMPORTED_MODULE_14__.concat)(suppliedHandler).filter(function (h) {
          return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isFunction)(h);
        }).forEach(function (handler) {
          handler.apply(void 0, _toConsumableArray(_arguments));
        }); // Emit the global `$root` click event

        this.emitOnRoot(ROOT_EVENT_NAME_CLICKED, event); // TODO: Remove deprecated 'clicked::link' event with next major release

        this.emitOnRoot('clicked::link', event);
      } // Stop scroll-to-top behavior or navigation on
      // regular links when href is just '#'


      if (eventIsEvent &amp;&amp; !isRouterLink &amp;&amp; this.computedHref === '#') {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.stopEvent)(event, {
          propagation: false
        });
      }
    },
    focus: function focus() {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.attemptFocus)(this.$el);
    },
    blur: function blur() {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_12__.attemptBlur)(this.$el);
    }
  },
  render: function render(h) {
    var active = this.active,
        disabled = this.disabled;
    return h(this.computedTag, _defineProperty({
      class: {
        active: active,
        disabled: disabled
      },
      attrs: this.computedAttrs,
      props: this.computedProps
    }, this.isRouterLink ? 'nativeOn' : 'on', this.computedListeners), this.normalizeSlot());
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/list-group/index.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/list-group/index.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BListGroup: () =&gt; (/* reexport safe */ _list_group__WEBPACK_IMPORTED_MODULE_1__.BListGroup),
/* harmony export */   BListGroupItem: () =&gt; (/* reexport safe */ _list_group_item__WEBPACK_IMPORTED_MODULE_2__.BListGroupItem),
/* harmony export */   ListGroupPlugin: () =&gt; (/* binding */ ListGroupPlugin)
/* harmony export */ });
/* harmony import */ var _list_group__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./list-group */ "./node_modules/bootstrap-vue/esm/components/list-group/list-group.js");
/* harmony import */ var _list_group_item__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./list-group-item */ "./node_modules/bootstrap-vue/esm/components/list-group/list-group-item.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var ListGroupPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BListGroup: _list_group__WEBPACK_IMPORTED_MODULE_1__.BListGroup,
    BListGroupItem: _list_group_item__WEBPACK_IMPORTED_MODULE_2__.BListGroupItem
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/list-group/list-group-item.js":
/*!*********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/list-group/list-group-item.js ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BListGroupItem: () =&gt; (/* binding */ BListGroupItem),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_router__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/router */ "./node_modules/bootstrap-vue/esm/utils/router.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }









 // --- Constants ---

var actionTags = ['a', 'router-link', 'button', 'b-link']; // --- Props ---

var linkProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_link_link__WEBPACK_IMPORTED_MODULE_1__.props, ['event', 'routerTag']);
delete linkProps.href.default;
delete linkProps.to.default;
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.sortKeys)(_objectSpread(_objectSpread({}, linkProps), {}, {
  action: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  button: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'div'),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_LIST_GROUP_ITEM); // --- Main component ---
// @vue/component

var BListGroupItem = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_LIST_GROUP_ITEM,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _class;

    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var button = props.button,
        variant = props.variant,
        active = props.active,
        disabled = props.disabled;
    var link = (0,_utils_router__WEBPACK_IMPORTED_MODULE_6__.isLink)(props);
    var tag = button ? 'button' : !link ? props.tag : _link_link__WEBPACK_IMPORTED_MODULE_1__.BLink;
    var action = !!(props.action || link || button || (0,_utils_array__WEBPACK_IMPORTED_MODULE_7__.arrayIncludes)(actionTags, props.tag));
    var attrs = {};
    var itemProps = {};

    if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_8__.isTag)(tag, 'button')) {
      if (!data.attrs || !data.attrs.type) {
        // Add a type for button is one not provided in passed attributes
        attrs.type = 'button';
      }

      if (props.disabled) {
        // Set disabled attribute if button and disabled
        attrs.disabled = true;
      }
    } else {
      itemProps = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.pluckProps)(linkProps, props);
    }

    return h(tag, (0,_vue__WEBPACK_IMPORTED_MODULE_9__.mergeData)(data, {
      attrs: attrs,
      props: itemProps,
      staticClass: 'list-group-item',
      class: (_class = {}, _defineProperty(_class, "list-group-item-".concat(variant), variant), _defineProperty(_class, 'list-group-item-action', action), _defineProperty(_class, "active", active), _defineProperty(_class, "disabled", disabled), _class)
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/list-group/list-group.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/list-group/list-group.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BListGroup: () =&gt; (/* binding */ BListGroup),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  flush: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  horizontal: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_STRING, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_LIST_GROUP); // --- Main component ---
// @vue/component

var BListGroup = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_LIST_GROUP,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var horizontal = props.horizontal === '' ? true : props.horizontal;
    horizontal = props.flush ? false : horizontal;
    var componentData = {
      staticClass: 'list-group',
      class: _defineProperty({
        'list-group-flush': props.flush,
        'list-group-horizontal': horizontal === true
      }, "list-group-horizontal-".concat(horizontal), (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_4__.isString)(horizontal))
    };
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_5__.mergeData)(data, componentData), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/media/index.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/media/index.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BMedia: () =&gt; (/* reexport safe */ _media__WEBPACK_IMPORTED_MODULE_1__.BMedia),
/* harmony export */   BMediaAside: () =&gt; (/* reexport safe */ _media_aside__WEBPACK_IMPORTED_MODULE_2__.BMediaAside),
/* harmony export */   BMediaBody: () =&gt; (/* reexport safe */ _media_body__WEBPACK_IMPORTED_MODULE_3__.BMediaBody),
/* harmony export */   MediaPlugin: () =&gt; (/* binding */ MediaPlugin)
/* harmony export */ });
/* harmony import */ var _media__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./media */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var _media_aside__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./media-aside */ "./node_modules/bootstrap-vue/esm/components/media/media-aside.js");
/* harmony import */ var _media_body__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./media-body */ "./node_modules/bootstrap-vue/esm/components/media/media-body.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");




var MediaPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BMedia: _media__WEBPACK_IMPORTED_MODULE_1__.BMedia,
    BMediaAside: _media_aside__WEBPACK_IMPORTED_MODULE_2__.BMediaAside,
    BMediaBody: _media_body__WEBPACK_IMPORTED_MODULE_3__.BMediaBody
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/media/media-aside.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/media/media-aside.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BMediaAside: () =&gt; (/* binding */ BMediaAside),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }




 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  right: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  verticalAlign: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'top')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_MEDIA_ASIDE); // --- Main component ---
// @vue/component

var BMediaAside = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_MEDIA_ASIDE,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var verticalAlign = props.verticalAlign;
    var align = verticalAlign === 'top' ? 'start' : verticalAlign === 'bottom' ? 'end' :
    /* istanbul ignore next */
    verticalAlign;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      staticClass: 'media-aside',
      class: _defineProperty({
        'media-aside-right': props.right
      }, "align-self-".concat(align), align)
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/media/media-body.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/media/media-body.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BMediaBody: () =&gt; (/* binding */ BMediaBody),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_MEDIA_BODY); // --- Main component ---
// @vue/component

var BMediaBody = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_MEDIA_BODY,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      staticClass: 'media-body'
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/media/media.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/media/media.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BMedia: () =&gt; (/* binding */ BMedia),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_normalize_slot__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/normalize-slot */ "./node_modules/bootstrap-vue/esm/utils/normalize-slot.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _media_aside__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./media-aside */ "./node_modules/bootstrap-vue/esm/components/media/media-aside.js");
/* harmony import */ var _media_body__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./media-body */ "./node_modules/bootstrap-vue/esm/components/media/media-body.js");







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  noBody: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  rightAlign: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  verticalAlign: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'top')
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_MEDIA); // --- Main component ---
// @vue/component

var BMedia = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_MEDIA,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        slots = _ref.slots,
        scopedSlots = _ref.scopedSlots,
        children = _ref.children;
    var noBody = props.noBody,
        rightAlign = props.rightAlign,
        verticalAlign = props.verticalAlign;
    var $children = noBody ? children : [];

    if (!noBody) {
      var slotScope = {};
      var $slots = slots();
      var $scopedSlots = scopedSlots || {};
      $children.push(h(_media_body__WEBPACK_IMPORTED_MODULE_4__.BMediaBody, (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_5__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_6__.SLOT_NAME_DEFAULT, slotScope, $scopedSlots, $slots)));
      var $aside = (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_5__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_6__.SLOT_NAME_ASIDE, slotScope, $scopedSlots, $slots);

      if ($aside) {
        $children[rightAlign ? 'push' : 'unshift'](h(_media_aside__WEBPACK_IMPORTED_MODULE_7__.BMediaAside, {
          props: {
            right: rightAlign,
            verticalAlign: verticalAlign
          }
        }, $aside));
      }
    }

    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_8__.mergeData)(data, {
      staticClass: 'media'
    }), $children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/modal/helpers/bv-modal-event.class.js":
/*!*****************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/modal/helpers/bv-modal-event.class.js ***!
  \*****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BvModalEvent: () =&gt; (/* binding */ BvModalEvent)
/* harmony export */ });
/* harmony import */ var _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../utils/bv-event.class */ "./node_modules/bootstrap-vue/esm/utils/bv-event.class.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
function _typeof(obj) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj &amp;&amp; "function" == typeof Symbol &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj; }, _typeof(obj); }

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _defineProperties(target, props) { for (var i = 0; i &lt; 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); } }

function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, "prototype", { writable: false }); return Constructor; }

function _get() { if (typeof Reflect !== "undefined" &amp;&amp; Reflect.get) { _get = Reflect.get; } else { _get = function _get(target, property, receiver) { var base = _superPropBase(target, property); if (!base) return; var desc = Object.getOwnPropertyDescriptor(base, property); if (desc.get) { return desc.get.call(arguments.length &lt; 3 ? target : receiver); } return desc.value; }; } return _get.apply(this, arguments); }

function _superPropBase(object, property) { while (!Object.prototype.hasOwnProperty.call(object, property)) { object = _getPrototypeOf(object); if (object === null) break; } return object; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } Object.defineProperty(subClass, "prototype", { value: Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }), writable: false }); if (superClass) _setPrototypeOf(subClass, superClass); }

function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }

function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }

function _possibleConstructorReturn(self, call) { if (call &amp;&amp; (_typeof(call) === "object" || typeof call === "function")) { return call; } else if (call !== void 0) { throw new TypeError("Derived constructors may only return object or undefined"); } return _assertThisInitialized(self); }

function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; }

function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }

function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }




var BvModalEvent = /*#__PURE__*/function (_BvEvent) {
  _inherits(BvModalEvent, _BvEvent);

  var _super = _createSuper(BvModalEvent);

  function BvModalEvent(type) {
    var _this;

    var eventInit = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

    _classCallCheck(this, BvModalEvent);

    _this = _super.call(this, type, eventInit); // Freeze our new props as readonly, but leave them enumerable

    (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.defineProperties)(_assertThisInitialized(_this), {
      trigger: (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)()
    });
    return _this;
  }

  _createClass(BvModalEvent, null, [{
    key: "Defaults",
    get: function get() {
      return _objectSpread(_objectSpread({}, _get(_getPrototypeOf(BvModalEvent), "Defaults", this)), {}, {
        trigger: null
      });
    }
  }]);

  return BvModalEvent;
}(_utils_bv_event_class__WEBPACK_IMPORTED_MODULE_1__.BvEvent); // Named exports




/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/modal/helpers/bv-modal.js":
/*!*****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/modal/helpers/bv-modal.js ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVModalPlugin: () =&gt; (/* binding */ BVModalPlugin)
/* harmony export */ });
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _mixins_use_parent__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../mixins/use-parent */ "./node_modules/bootstrap-vue/esm/mixins/use-parent.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_config__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../utils/config */ "./node_modules/bootstrap-vue/esm/utils/config.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
/* harmony import */ var _utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../utils/create-new-child-component */ "./node_modules/bootstrap-vue/esm/utils/create-new-child-component.js");
/* harmony import */ var _utils_get_event_root__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../../utils/get-event-root */ "./node_modules/bootstrap-vue/esm/utils/get-event-root.js");
/* harmony import */ var _modal__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../modal */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _defineProperties(target, props) { for (var i = 0; i &lt; 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); } }

function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, "prototype", { writable: false }); return Constructor; }

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _unsupportedIterableToArray(arr) || _nonIterableSpread(); }

function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _iterableToArray(iter) { if (typeof Symbol !== "undefined" &amp;&amp; iter[Symbol.iterator] != null || iter["@@iterator"] != null) return Array.from(iter); }

function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) return _arrayLikeToArray(arr); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }

// Plugin for adding `$bvModal` property to all Vue instances













 // --- Constants ---

var PROP_NAME = '$bvModal';
var PROP_NAME_PRIV = '_bv__modal'; // Base modal props that are allowed
// Some may be ignored or overridden on some message boxes
// Prop ID is allowed, but really only should be used for testing
// We need to add it in explicitly as it comes from the `idMixin`

var BASE_PROPS = ['id'].concat(_toConsumableArray((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.keys)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_modal__WEBPACK_IMPORTED_MODULE_1__.props, ['busy', 'lazy', 'noStacking', 'static', 'visible'])))); // Fallback event resolver (returns undefined)

var defaultResolver = function defaultResolver() {}; // Map prop names to modal slot names


var propsToSlots = {
  msgBoxContent: 'default',
  title: 'modal-title',
  okTitle: 'modal-ok',
  cancelTitle: 'modal-cancel'
}; // --- Helper methods ---
// Method to filter only recognized props that are not undefined

var filterOptions = function filterOptions(options) {
  return BASE_PROPS.reduce(function (memo, key) {
    if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isUndefined)(options[key])) {
      memo[key] = options[key];
    }

    return memo;
  }, {});
}; // Method to install `$bvModal` VM injection


var plugin = function plugin(Vue) {
  // Create a private sub-component that extends BModal
  // which self-destructs after hidden
  // @vue/component
  var BMsgBox = Vue.extend({
    name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_MSG_BOX,
    extends: _modal__WEBPACK_IMPORTED_MODULE_1__.BModal,
    mixins: [_mixins_use_parent__WEBPACK_IMPORTED_MODULE_4__.useParentMixin],
    destroyed: function destroyed() {
      // Make sure we not in document any more
      if (this.$el &amp;&amp; this.$el.parentNode) {
        this.$el.parentNode.removeChild(this.$el);
      }
    },
    mounted: function mounted() {
      var _this = this;

      // Self destruct handler
      var handleDestroy = function handleDestroy() {
        _this.$nextTick(function () {
          // In a `requestAF()` to release control back to application
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.requestAF)(function () {
            _this.$destroy();
          });
        });
      }; // Self destruct if parent destroyed


      this.bvParent.$once(_constants_events__WEBPACK_IMPORTED_MODULE_6__.HOOK_EVENT_NAME_DESTROYED, handleDestroy); // Self destruct after hidden

      this.$once(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_HIDDEN, handleDestroy); // Self destruct on route change

      /* istanbul ignore if */

      if (this.$router &amp;&amp; this.$route) {
        // Destroy ourselves if route changes

        /* istanbul ignore next */
        this.$once(_constants_events__WEBPACK_IMPORTED_MODULE_6__.HOOK_EVENT_NAME_BEFORE_DESTROY, this.$watch('$router', handleDestroy));
      } // Show the `BMsgBox`


      this.show();
    }
  }); // Method to generate the on-demand modal message box
  // Returns a promise that resolves to a value returned by the resolve

  var asyncMsgBox = function asyncMsgBox(parent, props) {
    var resolver = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : defaultResolver;

    if ((0,_utils_warn__WEBPACK_IMPORTED_MODULE_7__.warnNotClient)(PROP_NAME) || (0,_utils_warn__WEBPACK_IMPORTED_MODULE_7__.warnNoPromiseSupport)(PROP_NAME)) {
      /* istanbul ignore next */
      return;
    } // Create an instance of `BMsgBox` component
    // We set parent as the local VM so these modals can emit events on
    // the app `$root`, as needed by things like tooltips and popovers
    // And it helps to ensure `BMsgBox` is destroyed when parent is destroyed


    var msgBox = (0,_utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_8__.createNewChildComponent)(parent, BMsgBox, {
      // Preset the prop values
      propsData: _objectSpread(_objectSpread(_objectSpread({}, filterOptions((0,_utils_config__WEBPACK_IMPORTED_MODULE_9__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_MODAL))), {}, {
        // Defaults that user can override
        hideHeaderClose: true,
        hideHeader: !(props.title || props.titleHtml)
      }, (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(props, (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.keys)(propsToSlots))), {}, {
        // Props that can't be overridden
        lazy: false,
        busy: false,
        visible: false,
        noStacking: false,
        noEnforceFocus: false
      })
    }); // Convert certain props to scoped slots

    (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.keys)(propsToSlots).forEach(function (prop) {
      if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isUndefined)(props[prop])) {
        // Can be a string, or array of VNodes.
        // Alternatively, user can use HTML version of prop to pass an HTML string.
        msgBox.$slots[propsToSlots[prop]] = (0,_utils_array__WEBPACK_IMPORTED_MODULE_10__.concat)(props[prop]);
      }
    }); // Return a promise that resolves when hidden, or rejects on destroyed

    return new Promise(function (resolve, reject) {
      var resolved = false;
      msgBox.$once(_constants_events__WEBPACK_IMPORTED_MODULE_6__.HOOK_EVENT_NAME_DESTROYED, function () {
        if (!resolved) {
          /* istanbul ignore next */
          reject(new Error('BootstrapVue MsgBox destroyed before resolve'));
        }
      });
      msgBox.$on(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_HIDE, function (bvModalEvent) {
        if (!bvModalEvent.defaultPrevented) {
          var result = resolver(bvModalEvent); // If resolver didn't cancel hide, we resolve

          if (!bvModalEvent.defaultPrevented) {
            resolved = true;
            resolve(result);
          }
        }
      }); // Create a mount point (a DIV) and mount the msgBo which will trigger it to show

      var div = document.createElement('div');
      document.body.appendChild(div);
      msgBox.$mount(div);
    });
  }; // Private utility method to open a user defined message box and returns a promise.
  // Not to be used directly by consumers, as this method may change calling syntax


  var makeMsgBox = function makeMsgBox(parent, content) {
    var options = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : {};
    var resolver = arguments.length &gt; 3 &amp;&amp; arguments[3] !== undefined ? arguments[3] : null;

    if (!content || (0,_utils_warn__WEBPACK_IMPORTED_MODULE_7__.warnNoPromiseSupport)(PROP_NAME) || (0,_utils_warn__WEBPACK_IMPORTED_MODULE_7__.warnNotClient)(PROP_NAME) || !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isFunction)(resolver)) {
      /* istanbul ignore next */
      return;
    }

    return asyncMsgBox(parent, _objectSpread(_objectSpread({}, filterOptions(options)), {}, {
      msgBoxContent: content
    }), resolver);
  }; // BvModal instance class


  var BvModal = /*#__PURE__*/function () {
    function BvModal(vm) {
      _classCallCheck(this, BvModal);

      // Assign the new properties to this instance
      (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.assign)(this, {
        _vm: vm,
        _root: (0,_utils_get_event_root__WEBPACK_IMPORTED_MODULE_11__.getEventRoot)(vm)
      }); // Set these properties as read-only and non-enumerable

      (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.defineProperties)(this, {
        _vm: (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)(),
        _root: (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)()
      });
    } // --- Instance methods ---
    // Show modal with the specified ID args are for future use


    _createClass(BvModal, [{
      key: "show",
      value: function show(id) {
        if (id &amp;&amp; this._root) {
          var _this$_root;

          for (var _len = arguments.length, args = new Array(_len &gt; 1 ? _len - 1 : 0), _key = 1; _key &lt; _len; _key++) {
            args[_key - 1] = arguments[_key];
          }

          (_this$_root = this._root).$emit.apply(_this$_root, [(0,_utils_events__WEBPACK_IMPORTED_MODULE_12__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_MODAL, 'show'), id].concat(args));
        }
      } // Hide modal with the specified ID args are for future use

    }, {
      key: "hide",
      value: function hide(id) {
        if (id &amp;&amp; this._root) {
          var _this$_root2;

          for (var _len2 = arguments.length, args = new Array(_len2 &gt; 1 ? _len2 - 1 : 0), _key2 = 1; _key2 &lt; _len2; _key2++) {
            args[_key2 - 1] = arguments[_key2];
          }

          (_this$_root2 = this._root).$emit.apply(_this$_root2, [(0,_utils_events__WEBPACK_IMPORTED_MODULE_12__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_MODAL, 'hide'), id].concat(args));
        }
      } // The following methods require Promise support!
      // IE 11 and others do not support Promise natively, so users
      // should have a Polyfill loaded (which they need anyways for IE 11 support)
      // Open a message box with OK button only and returns a promise

    }, {
      key: "msgBoxOk",
      value: function msgBoxOk(message) {
        var options = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

        // Pick the modal props we support from options
        var props = _objectSpread(_objectSpread({}, options), {}, {
          // Add in overrides and our content prop
          okOnly: true,
          okDisabled: false,
          hideFooter: false,
          msgBoxContent: message
        });

        return makeMsgBox(this._vm, message, props, function () {
          // Always resolve to true for OK
          return true;
        });
      } // Open a message box modal with OK and CANCEL buttons
      // and returns a promise

    }, {
      key: "msgBoxConfirm",
      value: function msgBoxConfirm(message) {
        var options = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

        // Set the modal props we support from options
        var props = _objectSpread(_objectSpread({}, options), {}, {
          // Add in overrides and our content prop
          okOnly: false,
          okDisabled: false,
          cancelDisabled: false,
          hideFooter: false
        });

        return makeMsgBox(this._vm, message, props, function (bvModalEvent) {
          var trigger = bvModalEvent.trigger;
          return trigger === 'ok' ? true : trigger === 'cancel' ? false : null;
        });
      }
    }]);

    return BvModal;
  }(); // Add our instance mixin


  Vue.mixin({
    beforeCreate: function beforeCreate() {
      // Because we need access to `$root` for `$emits`, and VM for parenting,
      // we have to create a fresh instance of `BvModal` for each VM
      this[PROP_NAME_PRIV] = new BvModal(this);
    }
  }); // Define our read-only `$bvModal` instance property
  // Placed in an if just in case in HMR mode

  if (!(0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.hasOwnProperty)(Vue.prototype, PROP_NAME)) {
    (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.defineProperty)(Vue.prototype, PROP_NAME, {
      get: function get() {
        /* istanbul ignore next */
        if (!this || !this[PROP_NAME_PRIV]) {
          (0,_utils_warn__WEBPACK_IMPORTED_MODULE_7__.warn)("\"".concat(PROP_NAME, "\" must be accessed from a Vue instance \"this\" context."), _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_MODAL);
        }

        return this[PROP_NAME_PRIV];
      }
    });
  }
};

var BVModalPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_13__.pluginFactory)({
  plugins: {
    plugin: plugin
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/modal/helpers/modal-manager.js":
/*!**********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/modal/helpers/modal-manager.js ***!
  \**********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   modalManager: () =&gt; (/* binding */ modalManager)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/**
 * Private ModalManager helper
 * Handles controlling modal stacking zIndexes and body adjustments/classes
 */




 // --- Constants ---
// Default modal backdrop z-index

var DEFAULT_ZINDEX = 1040; // Selectors for padding/margin adjustments

var SELECTOR_FIXED_CONTENT = '.fixed-top, .fixed-bottom, .is-fixed, .sticky-top';
var SELECTOR_STICKY_CONTENT = '.sticky-top';
var SELECTOR_NAVBAR_TOGGLER = '.navbar-toggler'; // --- Main component ---
// @vue/component

var ModalManager = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  data: function data() {
    return {
      modals: [],
      baseZIndex: null,
      scrollbarWidth: null,
      isBodyOverflowing: false
    };
  },
  computed: {
    modalCount: function modalCount() {
      return this.modals.length;
    },
    modalsAreOpen: function modalsAreOpen() {
      return this.modalCount &gt; 0;
    }
  },
  watch: {
    modalCount: function modalCount(newCount, oldCount) {
      if (_constants_env__WEBPACK_IMPORTED_MODULE_1__.IS_BROWSER) {
        this.getScrollbarWidth();

        if (newCount &gt; 0 &amp;&amp; oldCount === 0) {
          // Transitioning to modal(s) open
          this.checkScrollbar();
          this.setScrollbar();
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.addClass)(document.body, 'modal-open');
        } else if (newCount === 0 &amp;&amp; oldCount &gt; 0) {
          // Transitioning to modal(s) closed
          this.resetScrollbar();
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.removeClass)(document.body, 'modal-open');
        }

        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setAttr)(document.body, 'data-modal-open-count', String(newCount));
      }
    },
    modals: function modals(newValue) {
      var _this = this;

      this.checkScrollbar();
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.requestAF)(function () {
        _this.updateModals(newValue || []);
      });
    }
  },
  methods: {
    // Public methods
    registerModal: function registerModal(modal) {
      // Register the modal if not already registered
      if (modal &amp;&amp; this.modals.indexOf(modal) === -1) {
        this.modals.push(modal);
      }
    },
    unregisterModal: function unregisterModal(modal) {
      var index = this.modals.indexOf(modal);

      if (index &gt; -1) {
        // Remove modal from modals array
        this.modals.splice(index, 1); // Reset the modal's data

        if (!modal._isBeingDestroyed &amp;&amp; !modal._isDestroyed) {
          this.resetModal(modal);
        }
      }
    },
    getBaseZIndex: function getBaseZIndex() {
      if (_constants_env__WEBPACK_IMPORTED_MODULE_1__.IS_BROWSER &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isNull)(this.baseZIndex)) {
        // Create a temporary `div.modal-backdrop` to get computed z-index
        var div = document.createElement('div');
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.addClass)(div, 'modal-backdrop');
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.addClass)(div, 'd-none');
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setStyle)(div, 'display', 'none');
        document.body.appendChild(div);
        this.baseZIndex = (0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toInteger)((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getCS)(div).zIndex, DEFAULT_ZINDEX);
        document.body.removeChild(div);
      }

      return this.baseZIndex || DEFAULT_ZINDEX;
    },
    getScrollbarWidth: function getScrollbarWidth() {
      if (_constants_env__WEBPACK_IMPORTED_MODULE_1__.IS_BROWSER &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isNull)(this.scrollbarWidth)) {
        // Create a temporary `div.measure-scrollbar` to get computed z-index
        var div = document.createElement('div');
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.addClass)(div, 'modal-scrollbar-measure');
        document.body.appendChild(div);
        this.scrollbarWidth = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getBCR)(div).width - div.clientWidth;
        document.body.removeChild(div);
      }

      return this.scrollbarWidth || 0;
    },
    // Private methods
    updateModals: function updateModals(modals) {
      var _this2 = this;

      var baseZIndex = this.getBaseZIndex();
      var scrollbarWidth = this.getScrollbarWidth();
      modals.forEach(function (modal, index) {
        // We update data values on each modal
        modal.zIndex = baseZIndex + index;
        modal.scrollbarWidth = scrollbarWidth;
        modal.isTop = index === _this2.modals.length - 1;
        modal.isBodyOverflowing = _this2.isBodyOverflowing;
      });
    },
    resetModal: function resetModal(modal) {
      if (modal) {
        modal.zIndex = this.getBaseZIndex();
        modal.isTop = true;
        modal.isBodyOverflowing = false;
      }
    },
    checkScrollbar: function checkScrollbar() {
      // Determine if the body element is overflowing
      var _getBCR = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getBCR)(document.body),
          left = _getBCR.left,
          right = _getBCR.right;

      this.isBodyOverflowing = left + right &lt; window.innerWidth;
    },
    setScrollbar: function setScrollbar() {
      var body = document.body; // Storage place to cache changes to margins and padding
      // Note: This assumes the following element types are not added to the
      // document after the modal has opened.

      body._paddingChangedForModal = body._paddingChangedForModal || [];
      body._marginChangedForModal = body._marginChangedForModal || [];

      if (this.isBodyOverflowing) {
        var scrollbarWidth = this.scrollbarWidth; // Adjust fixed content padding

        /* istanbul ignore next: difficult to test in JSDOM */

        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.selectAll)(SELECTOR_FIXED_CONTENT).forEach(function (el) {
          var actualPadding = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getStyle)(el, 'paddingRight') || '';
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setAttr)(el, 'data-padding-right', actualPadding);
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setStyle)(el, 'paddingRight', "".concat((0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toFloat)((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getCS)(el).paddingRight, 0) + scrollbarWidth, "px"));

          body._paddingChangedForModal.push(el);
        }); // Adjust sticky content margin

        /* istanbul ignore next: difficult to test in JSDOM */

        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.selectAll)(SELECTOR_STICKY_CONTENT).forEach(function (el)
        /* istanbul ignore next */
        {
          var actualMargin = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getStyle)(el, 'marginRight') || '';
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setAttr)(el, 'data-margin-right', actualMargin);
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setStyle)(el, 'marginRight', "".concat((0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toFloat)((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getCS)(el).marginRight, 0) - scrollbarWidth, "px"));

          body._marginChangedForModal.push(el);
        }); // Adjust &lt;b-navbar-toggler&gt; margin

        /* istanbul ignore next: difficult to test in JSDOM */

        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.selectAll)(SELECTOR_NAVBAR_TOGGLER).forEach(function (el)
        /* istanbul ignore next */
        {
          var actualMargin = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getStyle)(el, 'marginRight') || '';
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setAttr)(el, 'data-margin-right', actualMargin);
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setStyle)(el, 'marginRight', "".concat((0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toFloat)((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getCS)(el).marginRight, 0) + scrollbarWidth, "px"));

          body._marginChangedForModal.push(el);
        }); // Adjust body padding

        var actualPadding = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getStyle)(body, 'paddingRight') || '';
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setAttr)(body, 'data-padding-right', actualPadding);
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setStyle)(body, 'paddingRight', "".concat((0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toFloat)((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getCS)(body).paddingRight, 0) + scrollbarWidth, "px"));
      }
    },
    resetScrollbar: function resetScrollbar() {
      var body = document.body;

      if (body._paddingChangedForModal) {
        // Restore fixed content padding
        body._paddingChangedForModal.forEach(function (el) {
          /* istanbul ignore next: difficult to test in JSDOM */
          if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.hasAttr)(el, 'data-padding-right')) {
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setStyle)(el, 'paddingRight', (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getAttr)(el, 'data-padding-right') || '');
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.removeAttr)(el, 'data-padding-right');
          }
        });
      }

      if (body._marginChangedForModal) {
        // Restore sticky content and navbar-toggler margin
        body._marginChangedForModal.forEach(function (el) {
          /* istanbul ignore next: difficult to test in JSDOM */
          if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.hasAttr)(el, 'data-margin-right')) {
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setStyle)(el, 'marginRight', (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getAttr)(el, 'data-margin-right') || '');
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.removeAttr)(el, 'data-margin-right');
          }
        });
      }

      body._paddingChangedForModal = null;
      body._marginChangedForModal = null; // Restore body padding

      if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.hasAttr)(body, 'data-padding-right')) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.setStyle)(body, 'paddingRight', (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getAttr)(body, 'data-padding-right') || '');
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.removeAttr)(body, 'data-padding-right');
      }
    }
  }
}); // Create and export our modal manager instance

var modalManager = new ModalManager();

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/modal/index.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/modal/index.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BModal: () =&gt; (/* reexport safe */ _modal__WEBPACK_IMPORTED_MODULE_1__.BModal),
/* harmony export */   ModalPlugin: () =&gt; (/* binding */ ModalPlugin)
/* harmony export */ });
/* harmony import */ var _modal__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./modal */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
/* harmony import */ var _directives_modal_modal__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../directives/modal/modal */ "./node_modules/bootstrap-vue/esm/directives/modal/modal.js");
/* harmony import */ var _helpers_bv_modal__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./helpers/bv-modal */ "./node_modules/bootstrap-vue/esm/components/modal/helpers/bv-modal.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");




var ModalPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BModal: _modal__WEBPACK_IMPORTED_MODULE_1__.BModal
  },
  directives: {
    VBModal: _directives_modal_modal__WEBPACK_IMPORTED_MODULE_2__.VBModal
  },
  // $bvModal injection
  plugins: {
    BVModalPlugin: _helpers_bv_modal__WEBPACK_IMPORTED_MODULE_3__.BVModalPlugin
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/modal/modal.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/modal/modal.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BModal: () =&gt; (/* binding */ BModal),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_25__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_safe_types__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/safe-types */ "./node_modules/bootstrap-vue/esm/constants/safe-types.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_27__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_observe_dom__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../../utils/observe-dom */ "./node_modules/bootstrap-vue/esm/utils/observe-dom.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_listen_on_document__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../mixins/listen-on-document */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-document.js");
/* harmony import */ var _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../mixins/listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");
/* harmony import */ var _mixins_listen_on_window__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../mixins/listen-on-window */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-window.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _mixins_scoped_style__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../mixins/scoped-style */ "./node_modules/bootstrap-vue/esm/mixins/scoped-style.js");
/* harmony import */ var _button_button__WEBPACK_IMPORTED_MODULE_28__ = __webpack_require__(/*! ../button/button */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var _button_button_close__WEBPACK_IMPORTED_MODULE_26__ = __webpack_require__(/*! ../button/button-close */ "./node_modules/bootstrap-vue/esm/components/button/button-close.js");
/* harmony import */ var _transition_bv_transition__WEBPACK_IMPORTED_MODULE_29__ = __webpack_require__(/*! ../transition/bv-transition */ "./node_modules/bootstrap-vue/esm/components/transition/bv-transition.js");
/* harmony import */ var _transporter_transporter__WEBPACK_IMPORTED_MODULE_30__ = __webpack_require__(/*! ../transporter/transporter */ "./node_modules/bootstrap-vue/esm/components/transporter/transporter.js");
/* harmony import */ var _helpers_bv_modal_event_class__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ./helpers/bv-modal-event.class */ "./node_modules/bootstrap-vue/esm/components/modal/helpers/bv-modal-event.class.js");
/* harmony import */ var _helpers_modal_manager__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ./helpers/modal-manager */ "./node_modules/bootstrap-vue/esm/components/modal/helpers/modal-manager.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }































 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('visible', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN,
  defaultValue: false,
  event: _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_CHANGE
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event;

var TRIGGER_BACKDROP = 'backdrop';
var TRIGGER_ESC = 'esc';
var TRIGGER_FORCE = 'FORCE';
var TRIGGER_TOGGLE = 'toggle';
var BUTTON_CANCEL = 'cancel'; // TODO: This should be renamed to 'close'

var BUTTON_CLOSE = 'headerclose';
var BUTTON_OK = 'ok';
var BUTTONS = [BUTTON_CANCEL, BUTTON_CLOSE, BUTTON_OK]; // `ObserveDom` config to detect changes in modal content
// so that we can adjust the modal padding if needed

var OBSERVER_CONFIG = {
  subtree: true,
  childList: true,
  characterData: true,
  attributes: true,
  attributeFilter: ['style', 'class']
}; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_5__.props), modelProps), {}, {
  ariaLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  autoFocusButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, null,
  /* istanbul ignore next */
  function (value) {
    return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isUndefinedOrNull)(value) || (0,_utils_array__WEBPACK_IMPORTED_MODULE_7__.arrayIncludes)(BUTTONS, value);
  }),
  bodyBgVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  bodyClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  bodyTextVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  busy: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  buttonSize: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  cancelDisabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  cancelTitle: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Cancel'),
  cancelTitleHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  cancelVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'secondary'),
  centered: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  contentClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  dialogClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  footerBgVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  footerBorderVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  footerClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  footerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'footer'),
  footerTextVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  headerBgVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  headerBorderVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  headerClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  headerCloseContent: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, '&amp;times;'),
  headerCloseLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Close'),
  headerCloseVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  headerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'header'),
  headerTextVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // TODO: Rename to `noBackdrop` and deprecate `hideBackdrop`
  hideBackdrop: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // TODO: Rename to `noFooter` and deprecate `hideFooter`
  hideFooter: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // TODO: Rename to `noHeader` and deprecate `hideHeader`
  hideHeader: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // TODO: Rename to `noHeaderClose` and deprecate `hideHeaderClose`
  hideHeaderClose: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  ignoreEnforceFocusSelector: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_STRING),
  lazy: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  modalClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  noCloseOnBackdrop: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noCloseOnEsc: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noEnforceFocus: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noFade: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noStacking: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  okDisabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  okOnly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  okTitle: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'OK'),
  okTitleHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  okVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'primary'),
  // HTML Element, CSS selector string or Vue component instance
  returnFocus: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)([_constants_safe_types__WEBPACK_IMPORTED_MODULE_8__.HTMLElement, _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_OBJECT, _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING]),
  scrollable: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  size: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'md'),
  static: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  title: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  titleClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  titleHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  titleSrOnly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  titleTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'h5')
})), _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_MODAL); // --- Main component ---
// @vue/component

var BModal = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_10__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_MODAL,
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_11__.attrsMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_5__.idMixin, modelMixin, _mixins_listen_on_document__WEBPACK_IMPORTED_MODULE_12__.listenOnDocumentMixin, _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_13__.listenOnRootMixin, _mixins_listen_on_window__WEBPACK_IMPORTED_MODULE_14__.listenOnWindowMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_15__.normalizeSlotMixin, _mixins_scoped_style__WEBPACK_IMPORTED_MODULE_16__.scopedStyleMixin],
  inheritAttrs: false,
  props: props,
  data: function data() {
    return {
      isHidden: true,
      // If modal should not be in document
      isVisible: false,
      // Controls modal visible state
      isTransitioning: false,
      // Used for style control
      isShow: false,
      // Used for style control
      isBlock: false,
      // Used for style control
      isOpening: false,
      // To signal that the modal is in the process of opening
      isClosing: false,
      // To signal that the modal is in the process of closing
      ignoreBackdropClick: false,
      // Used to signify if click out listener should ignore the click
      isModalOverflowing: false,
      // The following items are controlled by the modalManager instance
      scrollbarWidth: 0,
      zIndex: _helpers_modal_manager__WEBPACK_IMPORTED_MODULE_17__.modalManager.getBaseZIndex(),
      isTop: true,
      isBodyOverflowing: false
    };
  },
  computed: {
    modalId: function modalId() {
      return this.safeId();
    },
    modalOuterId: function modalOuterId() {
      return this.safeId('__BV_modal_outer_');
    },
    modalHeaderId: function modalHeaderId() {
      return this.safeId('__BV_modal_header_');
    },
    modalBodyId: function modalBodyId() {
      return this.safeId('__BV_modal_body_');
    },
    modalTitleId: function modalTitleId() {
      return this.safeId('__BV_modal_title_');
    },
    modalContentId: function modalContentId() {
      return this.safeId('__BV_modal_content_');
    },
    modalFooterId: function modalFooterId() {
      return this.safeId('__BV_modal_footer_');
    },
    modalBackdropId: function modalBackdropId() {
      return this.safeId('__BV_modal_backdrop_');
    },
    modalClasses: function modalClasses() {
      return [{
        fade: !this.noFade,
        show: this.isShow
      }, this.modalClass];
    },
    modalStyles: function modalStyles() {
      var sbWidth = "".concat(this.scrollbarWidth, "px");
      return {
        paddingLeft: !this.isBodyOverflowing &amp;&amp; this.isModalOverflowing ? sbWidth : '',
        paddingRight: this.isBodyOverflowing &amp;&amp; !this.isModalOverflowing ? sbWidth : '',
        // Needed to fix issue https://github.com/bootstrap-vue/bootstrap-vue/issues/3457
        // Even though we are using v-show, we must ensure 'none' is restored in the styles
        display: this.isBlock ? 'block' : 'none'
      };
    },
    dialogClasses: function dialogClasses() {
      var _ref;

      return [(_ref = {}, _defineProperty(_ref, "modal-".concat(this.size), this.size), _defineProperty(_ref, 'modal-dialog-centered', this.centered), _defineProperty(_ref, 'modal-dialog-scrollable', this.scrollable), _ref), this.dialogClass];
    },
    headerClasses: function headerClasses() {
      var _ref2;

      return [(_ref2 = {}, _defineProperty(_ref2, "bg-".concat(this.headerBgVariant), this.headerBgVariant), _defineProperty(_ref2, "text-".concat(this.headerTextVariant), this.headerTextVariant), _defineProperty(_ref2, "border-".concat(this.headerBorderVariant), this.headerBorderVariant), _ref2), this.headerClass];
    },
    titleClasses: function titleClasses() {
      return [{
        'sr-only': this.titleSrOnly
      }, this.titleClass];
    },
    bodyClasses: function bodyClasses() {
      var _ref3;

      return [(_ref3 = {}, _defineProperty(_ref3, "bg-".concat(this.bodyBgVariant), this.bodyBgVariant), _defineProperty(_ref3, "text-".concat(this.bodyTextVariant), this.bodyTextVariant), _ref3), this.bodyClass];
    },
    footerClasses: function footerClasses() {
      var _ref4;

      return [(_ref4 = {}, _defineProperty(_ref4, "bg-".concat(this.footerBgVariant), this.footerBgVariant), _defineProperty(_ref4, "text-".concat(this.footerTextVariant), this.footerTextVariant), _defineProperty(_ref4, "border-".concat(this.footerBorderVariant), this.footerBorderVariant), _ref4), this.footerClass];
    },
    modalOuterStyle: function modalOuterStyle() {
      // Styles needed for proper stacking of modals
      return {
        position: 'absolute',
        zIndex: this.zIndex
      };
    },
    slotScope: function slotScope() {
      return {
        cancel: this.onCancel,
        close: this.onClose,
        hide: this.hide,
        ok: this.onOk,
        visible: this.isVisible
      };
    },
    computeIgnoreEnforceFocusSelector: function computeIgnoreEnforceFocusSelector() {
      // Normalize to an single selector with selectors separated by `,`
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_7__.concat)(this.ignoreEnforceFocusSelector).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_18__.identity).join(',').trim();
    },
    computedAttrs: function computedAttrs() {
      // If the parent has a scoped style attribute, and the modal
      // is portalled, add the scoped attribute to the modal wrapper
      var scopedStyleAttrs = !this.static ? this.scopedStyleAttrs : {};
      return _objectSpread(_objectSpread(_objectSpread({}, scopedStyleAttrs), this.bvAttrs), {}, {
        id: this.modalOuterId
      });
    },
    computedModalAttrs: function computedModalAttrs() {
      var isVisible = this.isVisible,
          ariaLabel = this.ariaLabel;
      return {
        id: this.modalId,
        role: 'dialog',
        'aria-hidden': isVisible ? null : 'true',
        'aria-modal': isVisible ? 'true' : null,
        'aria-label': ariaLabel,
        'aria-labelledby': this.hideHeader || ariaLabel || // TODO: Rename slot to `title` and deprecate `modal-title`
        !(this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_TITLE) || this.titleHtml || this.title) ? null : this.modalTitleId,
        'aria-describedby': this.modalBodyId
      };
    }
  },
  watch: _defineProperty({}, MODEL_PROP_NAME, function (newValue, oldValue) {
    if (newValue !== oldValue) {
      this[newValue ? 'show' : 'hide']();
    }
  }),
  created: function created() {
    // Define non-reactive properties
    this.$_observer = null;
    this.$_returnFocus = this.returnFocus || null;
  },
  mounted: function mounted() {
    // Set initial z-index as queried from the DOM
    this.zIndex = _helpers_modal_manager__WEBPACK_IMPORTED_MODULE_17__.modalManager.getBaseZIndex(); // Listen for events from others to either open or close ourselves
    // and listen to all modals to enable/disable enforce focus

    this.listenOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_MODAL, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOW), this.showHandler);
    this.listenOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_MODAL, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDE), this.hideHandler);
    this.listenOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_MODAL, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_TOGGLE), this.toggleHandler); // Listen for `bv:modal::show events`, and close ourselves if the
    // opening modal not us

    this.listenOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_MODAL, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOW), this.modalListener); // Initially show modal?

    if (this[MODEL_PROP_NAME] === true) {
      this.$nextTick(this.show);
    }
  },
  beforeDestroy: function beforeDestroy() {
    // Ensure everything is back to normal
    _helpers_modal_manager__WEBPACK_IMPORTED_MODULE_17__.modalManager.unregisterModal(this);
    this.setObserver(false);

    if (this.isVisible) {
      this.isVisible = false;
      this.isShow = false;
      this.isTransitioning = false;
    }
  },
  methods: {
    setObserver: function setObserver() {
      var on = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : false;
      this.$_observer &amp;&amp; this.$_observer.disconnect();
      this.$_observer = null;

      if (on) {
        this.$_observer = (0,_utils_observe_dom__WEBPACK_IMPORTED_MODULE_21__.observeDom)(this.$refs.content, this.checkModalOverflow.bind(this), OBSERVER_CONFIG);
      }
    },
    // Private method to update the v-model
    updateModel: function updateModel(value) {
      if (value !== this[MODEL_PROP_NAME]) {
        this.$emit(MODEL_EVENT_NAME, value);
      }
    },
    // Private method to create a BvModalEvent object
    buildEvent: function buildEvent(type) {
      var options = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
      return new _helpers_bv_modal_event_class__WEBPACK_IMPORTED_MODULE_22__.BvModalEvent(type, _objectSpread(_objectSpread({
        // Default options
        cancelable: false,
        target: this.$refs.modal || this.$el || null,
        relatedTarget: null,
        trigger: null
      }, options), {}, {
        // Options that can't be overridden
        vueTarget: this,
        componentId: this.modalId
      }));
    },
    // Public method to show modal
    show: function show() {
      if (this.isVisible || this.isOpening) {
        // If already open, or in the process of opening, do nothing

        /* istanbul ignore next */
        return;
      }
      /* istanbul ignore next */


      if (this.isClosing) {
        // If we are in the process of closing, wait until hidden before re-opening

        /* istanbul ignore next */
        this.$once(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN, this.show);
        /* istanbul ignore next */

        return;
      }

      this.isOpening = true; // Set the element to return focus to when closed

      this.$_returnFocus = this.$_returnFocus || this.getActiveElement();
      var showEvent = this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOW, {
        cancelable: true
      });
      this.emitEvent(showEvent); // Don't show if canceled

      if (showEvent.defaultPrevented || this.isVisible) {
        this.isOpening = false; // Ensure the v-model reflects the current state

        this.updateModel(false);
        return;
      } // Show the modal


      this.doShow();
    },
    // Public method to hide modal
    hide: function hide() {
      var trigger = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : '';

      if (!this.isVisible || this.isClosing) {
        /* istanbul ignore next */
        return;
      }

      this.isClosing = true;
      var hideEvent = this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDE, {
        cancelable: trigger !== TRIGGER_FORCE,
        trigger: trigger || null
      }); // We emit specific event for one of the three built-in buttons

      if (trigger === BUTTON_OK) {
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_OK, hideEvent);
      } else if (trigger === BUTTON_CANCEL) {
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_CANCEL, hideEvent);
      } else if (trigger === BUTTON_CLOSE) {
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_CLOSE, hideEvent);
      }

      this.emitEvent(hideEvent); // Hide if not canceled

      if (hideEvent.defaultPrevented || !this.isVisible) {
        this.isClosing = false; // Ensure v-model reflects current state

        this.updateModel(true);
        return;
      } // Stop observing for content changes


      this.setObserver(false); // Trigger the hide transition

      this.isVisible = false; // Update the v-model

      this.updateModel(false);
    },
    // Public method to toggle modal visibility
    toggle: function toggle(triggerEl) {
      if (triggerEl) {
        this.$_returnFocus = triggerEl;
      }

      if (this.isVisible) {
        this.hide(TRIGGER_TOGGLE);
      } else {
        this.show();
      }
    },
    // Private method to get the current document active element
    getActiveElement: function getActiveElement() {
      // Returning focus to `document.body` may cause unwanted scrolls,
      // so we exclude setting focus on body
      var activeElement = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.getActiveElement)(_constants_env__WEBPACK_IMPORTED_MODULE_24__.IS_BROWSER ? [document.body] : []); // Preset the fallback return focus value if it is not set
      // `document.activeElement` should be the trigger element that was clicked or
      // in the case of using the v-model, which ever element has current focus
      // Will be overridden by some commands such as toggle, etc.
      // Note: On IE 11, `document.activeElement` may be `null`
      // So we test it for truthiness first
      // https://github.com/bootstrap-vue/bootstrap-vue/issues/3206


      return activeElement &amp;&amp; activeElement.focus ? activeElement : null;
    },
    // Private method to finish showing modal
    doShow: function doShow() {
      var _this = this;

      /* istanbul ignore next: commenting out for now until we can test stacking */
      if (_helpers_modal_manager__WEBPACK_IMPORTED_MODULE_17__.modalManager.modalsAreOpen &amp;&amp; this.noStacking) {
        // If another modal(s) is already open, wait for it(them) to close
        this.listenOnRootOnce((0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_MODAL, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN), this.doShow);
        return;
      }

      _helpers_modal_manager__WEBPACK_IMPORTED_MODULE_17__.modalManager.registerModal(this); // Place modal in DOM

      this.isHidden = false;
      this.$nextTick(function () {
        // We do this in `$nextTick()` to ensure the modal is in DOM first
        // before we show it
        _this.isVisible = true;
        _this.isOpening = false; // Update the v-model

        _this.updateModel(true);

        _this.$nextTick(function () {
          // Observe changes in modal content and adjust if necessary
          // In a `$nextTick()` in case modal content is lazy
          _this.setObserver(true);
        });
      });
    },
    // Transition handlers
    onBeforeEnter: function onBeforeEnter() {
      this.isTransitioning = true;
      this.setResizeEvent(true);
    },
    onEnter: function onEnter() {
      var _this2 = this;

      this.isBlock = true; // We add the `show` class 1 frame later
      // `requestAF()` runs the callback before the next repaint, so we need
      // two calls to guarantee the next frame has been rendered

      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.requestAF)(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.requestAF)(function () {
          _this2.isShow = true;
        });
      });
    },
    onAfterEnter: function onAfterEnter() {
      var _this3 = this;

      this.checkModalOverflow();
      this.isTransitioning = false; // We use `requestAF()` to allow transition hooks to complete
      // before passing control over to the other handlers
      // This will allow users to not have to use `$nextTick()` or `requestAF()`
      // when trying to pre-focus an element

      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.requestAF)(function () {
        _this3.emitEvent(_this3.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOWN));

        _this3.setEnforceFocus(true);

        _this3.$nextTick(function () {
          // Delayed in a `$nextTick()` to allow users time to pre-focus
          // an element if the wish
          _this3.focusFirst();
        });
      });
    },
    onBeforeLeave: function onBeforeLeave() {
      this.isTransitioning = true;
      this.setResizeEvent(false);
      this.setEnforceFocus(false);
    },
    onLeave: function onLeave() {
      // Remove the 'show' class
      this.isShow = false;
    },
    onAfterLeave: function onAfterLeave() {
      var _this4 = this;

      this.isBlock = false;
      this.isTransitioning = false;
      this.isModalOverflowing = false;
      this.isHidden = true;
      this.$nextTick(function () {
        _this4.isClosing = false;
        _helpers_modal_manager__WEBPACK_IMPORTED_MODULE_17__.modalManager.unregisterModal(_this4);

        _this4.returnFocusTo(); // TODO: Need to find a way to pass the `trigger` property
        //       to the `hidden` event, not just only the `hide` event


        _this4.emitEvent(_this4.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN));
      });
    },
    emitEvent: function emitEvent(bvEvent) {
      var type = bvEvent.type; // We emit on `$root` first in case a global listener wants to cancel
      // the event first before the instance emits its event

      this.emitOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_9__.NAME_MODAL, type), bvEvent, bvEvent.componentId);
      this.$emit(type, bvEvent);
    },
    // UI event handlers
    onDialogMousedown: function onDialogMousedown() {
      var _this5 = this;

      // Watch to see if the matching mouseup event occurs outside the dialog
      // And if it does, cancel the clickOut handler
      var modal = this.$refs.modal;

      var onceModalMouseup = function onceModalMouseup(event) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.eventOff)(modal, 'mouseup', onceModalMouseup, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);

        if (event.target === modal) {
          _this5.ignoreBackdropClick = true;
        }
      };

      (0,_utils_events__WEBPACK_IMPORTED_MODULE_20__.eventOn)(modal, 'mouseup', onceModalMouseup, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
    },
    onClickOut: function onClickOut(event) {
      if (this.ignoreBackdropClick) {
        // Click was initiated inside the modal content, but finished outside.
        // Set by the above onDialogMousedown handler
        this.ignoreBackdropClick = false;
        return;
      } // Do nothing if not visible, backdrop click disabled, or element
      // that generated click event is no longer in document body


      if (!this.isVisible || this.noCloseOnBackdrop || !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.contains)(document.body, event.target)) {
        return;
      } // If backdrop clicked, hide modal


      if (!(0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.contains)(this.$refs.content, event.target)) {
        this.hide(TRIGGER_BACKDROP);
      }
    },
    onOk: function onOk() {
      this.hide(BUTTON_OK);
    },
    onCancel: function onCancel() {
      this.hide(BUTTON_CANCEL);
    },
    onClose: function onClose() {
      this.hide(BUTTON_CLOSE);
    },
    onEsc: function onEsc(event) {
      // If ESC pressed, hide modal
      if (event.keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_25__.CODE_ESC &amp;&amp; this.isVisible &amp;&amp; !this.noCloseOnEsc) {
        this.hide(TRIGGER_ESC);
      }
    },
    // Document focusin listener
    focusHandler: function focusHandler(event) {
      // If focus leaves modal content, bring it back
      var content = this.$refs.content;
      var target = event.target;

      if (this.noEnforceFocus || !this.isTop || !this.isVisible || !content || document === target || (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.contains)(content, target) || this.computeIgnoreEnforceFocusSelector &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.closest)(this.computeIgnoreEnforceFocusSelector, target, true)) {
        return;
      }

      var tabables = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.getTabables)(this.$refs.content);
      var bottomTrap = this.$refs['bottom-trap'];
      var topTrap = this.$refs['top-trap'];

      if (bottomTrap &amp;&amp; target === bottomTrap) {
        // If user pressed TAB out of modal into our bottom trab trap element
        // Find the first tabable element in the modal content and focus it
        if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.attemptFocus)(tabables[0])) {
          // Focus was successful
          return;
        }
      } else if (topTrap &amp;&amp; target === topTrap) {
        // If user pressed CTRL-TAB out of modal and into our top tab trap element
        // Find the last tabable element in the modal content and focus it
        if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.attemptFocus)(tabables[tabables.length - 1])) {
          // Focus was successful
          return;
        }
      } // Otherwise focus the modal content container


      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.attemptFocus)(content, {
        preventScroll: true
      });
    },
    // Turn on/off focusin listener
    setEnforceFocus: function setEnforceFocus(on) {
      this.listenDocument(on, 'focusin', this.focusHandler);
    },
    // Resize listener
    setResizeEvent: function setResizeEvent(on) {
      this.listenWindow(on, 'resize', this.checkModalOverflow);
      this.listenWindow(on, 'orientationchange', this.checkModalOverflow);
    },
    // Root listener handlers
    showHandler: function showHandler(id, triggerEl) {
      if (id === this.modalId) {
        this.$_returnFocus = triggerEl || this.getActiveElement();
        this.show();
      }
    },
    hideHandler: function hideHandler(id) {
      if (id === this.modalId) {
        this.hide('event');
      }
    },
    toggleHandler: function toggleHandler(id, triggerEl) {
      if (id === this.modalId) {
        this.toggle(triggerEl);
      }
    },
    modalListener: function modalListener(bvEvent) {
      // If another modal opens, close this one if stacking not permitted
      if (this.noStacking &amp;&amp; bvEvent.vueTarget !== this) {
        this.hide();
      }
    },
    // Focus control handlers
    focusFirst: function focusFirst() {
      var _this6 = this;

      // Don't try and focus if we are SSR
      if (_constants_env__WEBPACK_IMPORTED_MODULE_24__.IS_BROWSER) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.requestAF)(function () {
          var modal = _this6.$refs.modal;
          var content = _this6.$refs.content;

          var activeElement = _this6.getActiveElement(); // If the modal contains the activeElement, we don't do anything


          if (modal &amp;&amp; content &amp;&amp; !(activeElement &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.contains)(content, activeElement))) {
            var ok = _this6.$refs['ok-button'];
            var cancel = _this6.$refs['cancel-button'];
            var close = _this6.$refs['close-button']; // Focus the appropriate button or modal content wrapper

            var autoFocus = _this6.autoFocusButton;
            /* istanbul ignore next */

            var el = autoFocus === BUTTON_OK &amp;&amp; ok ? ok.$el || ok : autoFocus === BUTTON_CANCEL &amp;&amp; cancel ? cancel.$el || cancel : autoFocus === BUTTON_CLOSE &amp;&amp; close ? close.$el || close : content; // Focus the element

            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.attemptFocus)(el);

            if (el === content) {
              // Make sure top of modal is showing (if longer than the viewport)
              _this6.$nextTick(function () {
                modal.scrollTop = 0;
              });
            }
          }
        });
      }
    },
    returnFocusTo: function returnFocusTo() {
      // Prefer `returnFocus` prop over event specified
      // `return_focus` value
      var el = this.returnFocus || this.$_returnFocus || null;
      this.$_returnFocus = null;
      this.$nextTick(function () {
        // Is el a string CSS selector?
        el = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isString)(el) ? (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.select)(el) : el;

        if (el) {
          // Possibly could be a component reference
          el = el.$el || el;
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_23__.attemptFocus)(el);
        }
      });
    },
    checkModalOverflow: function checkModalOverflow() {
      if (this.isVisible) {
        var modal = this.$refs.modal;
        this.isModalOverflowing = modal.scrollHeight &gt; document.documentElement.clientHeight;
      }
    },
    makeModal: function makeModal(h) {
      // Modal header
      var $header = h();

      if (!this.hideHeader) {
        // TODO: Rename slot to `header` and deprecate `modal-header`
        var $modalHeader = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_HEADER, this.slotScope);

        if (!$modalHeader) {
          var $closeButton = h();

          if (!this.hideHeaderClose) {
            $closeButton = h(_button_button_close__WEBPACK_IMPORTED_MODULE_26__.BButtonClose, {
              props: {
                content: this.headerCloseContent,
                disabled: this.isTransitioning,
                ariaLabel: this.headerCloseLabel,
                textVariant: this.headerCloseVariant || this.headerTextVariant
              },
              on: {
                click: this.onClose
              },
              ref: 'close-button'
            }, // TODO: Rename slot to `header-close` and deprecate `modal-header-close`
            [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_HEADER_CLOSE)]);
          }

          $modalHeader = [h(this.titleTag, {
            staticClass: 'modal-title',
            class: this.titleClasses,
            attrs: {
              id: this.modalTitleId
            },
            // TODO: Rename slot to `title` and deprecate `modal-title`
            domProps: this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_TITLE) ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_27__.htmlOrText)(this.titleHtml, this.title)
          }, // TODO: Rename slot to `title` and deprecate `modal-title`
          this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_TITLE, this.slotScope)), $closeButton];
        }

        $header = h(this.headerTag, {
          staticClass: 'modal-header',
          class: this.headerClasses,
          attrs: {
            id: this.modalHeaderId
          },
          ref: 'header'
        }, [$modalHeader]);
      } // Modal body


      var $body = h('div', {
        staticClass: 'modal-body',
        class: this.bodyClasses,
        attrs: {
          id: this.modalBodyId
        },
        ref: 'body'
      }, this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_DEFAULT, this.slotScope)); // Modal footer

      var $footer = h();

      if (!this.hideFooter) {
        // TODO: Rename slot to `footer` and deprecate `modal-footer`
        var $modalFooter = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_FOOTER, this.slotScope);

        if (!$modalFooter) {
          var $cancelButton = h();

          if (!this.okOnly) {
            $cancelButton = h(_button_button__WEBPACK_IMPORTED_MODULE_28__.BButton, {
              props: {
                variant: this.cancelVariant,
                size: this.buttonSize,
                disabled: this.cancelDisabled || this.busy || this.isTransitioning
              },
              // TODO: Rename slot to `cancel-button` and deprecate `modal-cancel`
              domProps: this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_CANCEL) ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_27__.htmlOrText)(this.cancelTitleHtml, this.cancelTitle),
              on: {
                click: this.onCancel
              },
              ref: 'cancel-button'
            }, // TODO: Rename slot to `cancel-button` and deprecate `modal-cancel`
            this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_CANCEL));
          }

          var $okButton = h(_button_button__WEBPACK_IMPORTED_MODULE_28__.BButton, {
            props: {
              variant: this.okVariant,
              size: this.buttonSize,
              disabled: this.okDisabled || this.busy || this.isTransitioning
            },
            // TODO: Rename slot to `ok-button` and deprecate `modal-ok`
            domProps: this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_OK) ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_27__.htmlOrText)(this.okTitleHtml, this.okTitle),
            on: {
              click: this.onOk
            },
            ref: 'ok-button'
          }, // TODO: Rename slot to `ok-button` and deprecate `modal-ok`
          this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_OK));
          $modalFooter = [$cancelButton, $okButton];
        }

        $footer = h(this.footerTag, {
          staticClass: 'modal-footer',
          class: this.footerClasses,
          attrs: {
            id: this.modalFooterId
          },
          ref: 'footer'
        }, [$modalFooter]);
      } // Assemble modal content


      var $modalContent = h('div', {
        staticClass: 'modal-content',
        class: this.contentClass,
        attrs: {
          id: this.modalContentId,
          tabindex: '-1'
        },
        ref: 'content'
      }, [$header, $body, $footer]); // Tab traps to prevent page from scrolling to next element in
      // tab index during enforce-focus tab cycle

      var $tabTrapTop = h();
      var $tabTrapBottom = h();

      if (this.isVisible &amp;&amp; !this.noEnforceFocus) {
        $tabTrapTop = h('span', {
          attrs: {
            tabindex: '0'
          },
          ref: 'top-trap'
        });
        $tabTrapBottom = h('span', {
          attrs: {
            tabindex: '0'
          },
          ref: 'bottom-trap'
        });
      } // Modal dialog wrapper


      var $modalDialog = h('div', {
        staticClass: 'modal-dialog',
        class: this.dialogClasses,
        on: {
          mousedown: this.onDialogMousedown
        },
        ref: 'dialog'
      }, [$tabTrapTop, $modalContent, $tabTrapBottom]); // Modal

      var $modal = h('div', {
        staticClass: 'modal',
        class: this.modalClasses,
        style: this.modalStyles,
        attrs: this.computedModalAttrs,
        on: {
          keydown: this.onEsc,
          click: this.onClickOut
        },
        directives: [{
          name: 'show',
          value: this.isVisible
        }],
        ref: 'modal'
      }, [$modalDialog]); // Wrap modal in transition
      // Sadly, we can't use `BVTransition` here due to the differences in
      // transition durations for `.modal` and `.modal-dialog`
      // At least until https://github.com/vuejs/vue/issues/9986 is resolved

      $modal = h('transition', {
        props: {
          enterClass: '',
          enterToClass: '',
          enterActiveClass: '',
          leaveClass: '',
          leaveActiveClass: '',
          leaveToClass: ''
        },
        on: {
          beforeEnter: this.onBeforeEnter,
          enter: this.onEnter,
          afterEnter: this.onAfterEnter,
          beforeLeave: this.onBeforeLeave,
          leave: this.onLeave,
          afterLeave: this.onAfterLeave
        }
      }, [$modal]); // Modal backdrop

      var $backdrop = h();

      if (!this.hideBackdrop &amp;&amp; this.isVisible) {
        $backdrop = h('div', {
          staticClass: 'modal-backdrop',
          attrs: {
            id: this.modalBackdropId
          }
        }, // TODO: Rename slot to `backdrop` and deprecate `modal-backdrop`
        this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_19__.SLOT_NAME_MODAL_BACKDROP));
      }

      $backdrop = h(_transition_bv_transition__WEBPACK_IMPORTED_MODULE_29__.BVTransition, {
        props: {
          noFade: this.noFade
        }
      }, [$backdrop]); // Assemble modal and backdrop in an outer &lt;div&gt;

      return h('div', {
        style: this.modalOuterStyle,
        attrs: this.computedAttrs,
        key: "modal-outer-".concat(this[_vue__WEBPACK_IMPORTED_MODULE_10__.COMPONENT_UID_KEY])
      }, [$modal, $backdrop]);
    }
  },
  render: function render(h) {
    if (this.static) {
      return this.lazy &amp;&amp; this.isHidden ? h() : this.makeModal(h);
    } else {
      return this.isHidden ? h() : h(_transporter_transporter__WEBPACK_IMPORTED_MODULE_30__.BVTransporter, [this.makeModal(h)]);
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/nav/index.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/nav/index.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNav: () =&gt; (/* reexport safe */ _nav__WEBPACK_IMPORTED_MODULE_1__.BNav),
/* harmony export */   BNavForm: () =&gt; (/* reexport safe */ _nav_form__WEBPACK_IMPORTED_MODULE_4__.BNavForm),
/* harmony export */   BNavItem: () =&gt; (/* reexport safe */ _nav_item__WEBPACK_IMPORTED_MODULE_2__.BNavItem),
/* harmony export */   BNavItemDropdown: () =&gt; (/* reexport safe */ _nav_item_dropdown__WEBPACK_IMPORTED_MODULE_5__.BNavItemDropdown),
/* harmony export */   BNavText: () =&gt; (/* reexport safe */ _nav_text__WEBPACK_IMPORTED_MODULE_3__.BNavText),
/* harmony export */   NavPlugin: () =&gt; (/* binding */ NavPlugin)
/* harmony export */ });
/* harmony import */ var _nav__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./nav */ "./node_modules/bootstrap-vue/esm/components/nav/nav.js");
/* harmony import */ var _nav_item__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./nav-item */ "./node_modules/bootstrap-vue/esm/components/nav/nav-item.js");
/* harmony import */ var _nav_text__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./nav-text */ "./node_modules/bootstrap-vue/esm/components/nav/nav-text.js");
/* harmony import */ var _nav_form__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./nav-form */ "./node_modules/bootstrap-vue/esm/components/nav/nav-form.js");
/* harmony import */ var _nav_item_dropdown__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./nav-item-dropdown */ "./node_modules/bootstrap-vue/esm/components/nav/nav-item-dropdown.js");
/* harmony import */ var _dropdown__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../dropdown */ "./node_modules/bootstrap-vue/esm/components/dropdown/index.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");







var NavPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BNav: _nav__WEBPACK_IMPORTED_MODULE_1__.BNav,
    BNavItem: _nav_item__WEBPACK_IMPORTED_MODULE_2__.BNavItem,
    BNavText: _nav_text__WEBPACK_IMPORTED_MODULE_3__.BNavText,
    BNavForm: _nav_form__WEBPACK_IMPORTED_MODULE_4__.BNavForm,
    BNavItemDropdown: _nav_item_dropdown__WEBPACK_IMPORTED_MODULE_5__.BNavItemDropdown,
    BNavItemDd: _nav_item_dropdown__WEBPACK_IMPORTED_MODULE_5__.BNavItemDropdown,
    BNavDropdown: _nav_item_dropdown__WEBPACK_IMPORTED_MODULE_5__.BNavItemDropdown,
    BNavDd: _nav_item_dropdown__WEBPACK_IMPORTED_MODULE_5__.BNavItemDropdown
  },
  plugins: {
    DropdownPlugin: _dropdown__WEBPACK_IMPORTED_MODULE_6__.DropdownPlugin
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/nav/nav-form.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/nav/nav-form.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNavForm: () =&gt; (/* binding */ BNavForm),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _form_form__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../form/form */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Props ---

var formProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_form_form__WEBPACK_IMPORTED_MODULE_1__.props, ['inline']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.sortKeys)(_objectSpread(_objectSpread({}, formProps), {}, {
  formClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_OBJECT_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_NAV_FORM); // --- Main component ---
// @vue/component

var BNavForm = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_NAV_FORM,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children,
        listeners = _ref.listeners;
    var $form = h(_form_form__WEBPACK_IMPORTED_MODULE_1__.BForm, {
      class: props.formClass,
      props: _objectSpread(_objectSpread({}, (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.pluckProps)(formProps, props)), {}, {
        inline: true
      }),
      attrs: data.attrs,
      on: listeners
    }, children);
    return h('li', (0,_vue__WEBPACK_IMPORTED_MODULE_6__.mergeData)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(data, ['attrs', 'on']), {
      staticClass: 'form-inline'
    }), [$form]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/nav/nav-item-dropdown.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/nav/nav-item-dropdown.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNavItemDropdown: () =&gt; (/* binding */ BNavItemDropdown),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_dropdown__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/dropdown */ "./node_modules/bootstrap-vue/esm/mixins/dropdown.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _dropdown_dropdown__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../dropdown/dropdown */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _unsupportedIterableToArray(arr) || _nonIterableSpread(); }

function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _iterableToArray(iter) { if (typeof Symbol !== "undefined" &amp;&amp; iter[Symbol.iterator] != null || iter["@@iterator"] != null) return Array.from(iter); }

function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) return _arrayLikeToArray(arr); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }











 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.props), (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.pick)(_dropdown_dropdown__WEBPACK_IMPORTED_MODULE_3__.props, [].concat(_toConsumableArray((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.keys)(_mixins_dropdown__WEBPACK_IMPORTED_MODULE_4__.props)), ['html', 'lazy', 'menuClass', 'noCaret', 'role', 'text', 'toggleClass'])))), _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_NAV_ITEM_DROPDOWN); // --- Main component ---
// @vue/component

var BNavItemDropdown = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_6__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_NAV_ITEM_DROPDOWN,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_2__.idMixin, _mixins_dropdown__WEBPACK_IMPORTED_MODULE_4__.dropdownMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__.normalizeSlotMixin],
  props: props,
  computed: {
    toggleId: function toggleId() {
      return this.safeId('_BV_toggle_');
    },
    menuId: function menuId() {
      return this.safeId('_BV_toggle_menu_');
    },
    dropdownClasses: function dropdownClasses() {
      return [this.directionClass, this.boundaryClass, {
        show: this.visible
      }];
    },
    menuClasses: function menuClasses() {
      return [this.menuClass, {
        'dropdown-menu-right': this.right,
        show: this.visible
      }];
    },
    toggleClasses: function toggleClasses() {
      return [this.toggleClass, {
        'dropdown-toggle-no-caret': this.noCaret
      }];
    }
  },
  render: function render(h) {
    var toggleId = this.toggleId,
        menuId = this.menuId,
        visible = this.visible,
        hide = this.hide;
    var $toggle = h(_link_link__WEBPACK_IMPORTED_MODULE_8__.BLink, {
      staticClass: 'nav-link dropdown-toggle',
      class: this.toggleClasses,
      props: {
        href: "#".concat(this.id || ''),
        disabled: this.disabled
      },
      attrs: {
        id: toggleId,
        role: 'button',
        'aria-haspopup': 'true',
        'aria-expanded': visible ? 'true' : 'false',
        'aria-controls': menuId
      },
      on: {
        mousedown: this.onMousedown,
        click: this.toggle,
        keydown: this.toggle // Handle ENTER, SPACE and DOWN

      },
      ref: 'toggle'
    }, [// TODO: The `text` slot is deprecated in favor of the `button-content` slot
    this.normalizeSlot([_constants_slots__WEBPACK_IMPORTED_MODULE_9__.SLOT_NAME_BUTTON_CONTENT, _constants_slots__WEBPACK_IMPORTED_MODULE_9__.SLOT_NAME_TEXT]) || h('span', {
      domProps: (0,_utils_html__WEBPACK_IMPORTED_MODULE_10__.htmlOrText)(this.html, this.text)
    })]);
    var $menu = h('ul', {
      staticClass: 'dropdown-menu',
      class: this.menuClasses,
      attrs: {
        tabindex: '-1',
        'aria-labelledby': toggleId,
        id: menuId
      },
      on: {
        keydown: this.onKeydown // Handle UP, DOWN and ESC

      },
      ref: 'menu'
    }, !this.lazy || visible ? this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_9__.SLOT_NAME_DEFAULT, {
      hide: hide
    }) : [h()]);
    return h('li', {
      staticClass: 'nav-item b-nav-dropdown dropdown',
      class: this.dropdownClasses,
      attrs: {
        id: this.safeId()
      }
    }, [$toggle, $menu]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/nav/nav-item.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/nav/nav-item.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNavItem: () =&gt; (/* binding */ BNavItem),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Props ---

var linkProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_link_link__WEBPACK_IMPORTED_MODULE_1__.props, ['event', 'routerTag']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.sortKeys)(_objectSpread(_objectSpread({}, linkProps), {}, {
  linkAttrs: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_OBJECT, {}),
  linkClasses: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_OBJECT_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_NAV_ITEM); // --- Main component ---
// @vue/component

var BNavItem = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_NAV_ITEM,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        listeners = _ref.listeners,
        children = _ref.children;
    return h('li', (0,_vue__WEBPACK_IMPORTED_MODULE_6__.mergeData)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(data, ['on']), {
      staticClass: 'nav-item'
    }), [h(_link_link__WEBPACK_IMPORTED_MODULE_1__.BLink, {
      staticClass: 'nav-link',
      class: props.linkClasses,
      attrs: props.linkAttrs,
      props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.pluckProps)(linkProps, props),
      on: listeners
    }, children)]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/nav/nav-text.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/nav/nav-text.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNavText: () =&gt; (/* binding */ BNavText),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");

 // --- Props ---

var props = {}; // --- Main component ---
// @vue/component

var BNavText = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_NAV_TEXT,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var data = _ref.data,
        children = _ref.children;
    return h('li', (0,_vue__WEBPACK_IMPORTED_MODULE_2__.mergeData)(data, {
      staticClass: 'navbar-text'
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/nav/nav.js":
/*!**************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/nav/nav.js ***!
  \**************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNav: () =&gt; (/* binding */ BNav),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }




 // --- Helper methods ---

var computeJustifyContent = function computeJustifyContent(value) {
  value = value === 'left' ? 'start' : value === 'right' ? 'end' : value;
  return "justify-content-".concat(value);
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  align: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // Set to `true` if placing in a card header
  cardHeader: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  fill: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  justified: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  pills: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  small: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tabs: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'ul'),
  vertical: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_NAV); // --- Main component ---
// @vue/component

var BNav = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_NAV,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _class;

    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var tabs = props.tabs,
        pills = props.pills,
        vertical = props.vertical,
        align = props.align,
        cardHeader = props.cardHeader;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      staticClass: 'nav',
      class: (_class = {
        'nav-tabs': tabs,
        'nav-pills': pills &amp;&amp; !tabs,
        'card-header-tabs': !vertical &amp;&amp; cardHeader &amp;&amp; tabs,
        'card-header-pills': !vertical &amp;&amp; cardHeader &amp;&amp; pills &amp;&amp; !tabs,
        'flex-column': vertical,
        'nav-fill': !vertical &amp;&amp; props.fill,
        'nav-justified': !vertical &amp;&amp; props.justified
      }, _defineProperty(_class, computeJustifyContent(align), !vertical &amp;&amp; align), _defineProperty(_class, "small", props.small), _class)
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/navbar/index.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/navbar/index.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNavbar: () =&gt; (/* reexport safe */ _navbar__WEBPACK_IMPORTED_MODULE_1__.BNavbar),
/* harmony export */   BNavbarBrand: () =&gt; (/* reexport safe */ _navbar_brand__WEBPACK_IMPORTED_MODULE_3__.BNavbarBrand),
/* harmony export */   BNavbarNav: () =&gt; (/* reexport safe */ _navbar_nav__WEBPACK_IMPORTED_MODULE_2__.BNavbarNav),
/* harmony export */   BNavbarToggle: () =&gt; (/* reexport safe */ _navbar_toggle__WEBPACK_IMPORTED_MODULE_4__.BNavbarToggle),
/* harmony export */   NavbarPlugin: () =&gt; (/* binding */ NavbarPlugin)
/* harmony export */ });
/* harmony import */ var _navbar__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./navbar */ "./node_modules/bootstrap-vue/esm/components/navbar/navbar.js");
/* harmony import */ var _navbar_nav__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./navbar-nav */ "./node_modules/bootstrap-vue/esm/components/navbar/navbar-nav.js");
/* harmony import */ var _navbar_brand__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./navbar-brand */ "./node_modules/bootstrap-vue/esm/components/navbar/navbar-brand.js");
/* harmony import */ var _navbar_toggle__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./navbar-toggle */ "./node_modules/bootstrap-vue/esm/components/navbar/navbar-toggle.js");
/* harmony import */ var _nav__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../nav */ "./node_modules/bootstrap-vue/esm/components/nav/index.js");
/* harmony import */ var _collapse__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../collapse */ "./node_modules/bootstrap-vue/esm/components/collapse/index.js");
/* harmony import */ var _dropdown__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../dropdown */ "./node_modules/bootstrap-vue/esm/components/dropdown/index.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");








var NavbarPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BNavbar: _navbar__WEBPACK_IMPORTED_MODULE_1__.BNavbar,
    BNavbarNav: _navbar_nav__WEBPACK_IMPORTED_MODULE_2__.BNavbarNav,
    BNavbarBrand: _navbar_brand__WEBPACK_IMPORTED_MODULE_3__.BNavbarBrand,
    BNavbarToggle: _navbar_toggle__WEBPACK_IMPORTED_MODULE_4__.BNavbarToggle,
    BNavToggle: _navbar_toggle__WEBPACK_IMPORTED_MODULE_4__.BNavbarToggle
  },
  plugins: {
    NavPlugin: _nav__WEBPACK_IMPORTED_MODULE_5__.NavPlugin,
    CollapsePlugin: _collapse__WEBPACK_IMPORTED_MODULE_6__.CollapsePlugin,
    DropdownPlugin: _dropdown__WEBPACK_IMPORTED_MODULE_7__.DropdownPlugin
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/navbar/navbar-brand.js":
/*!**************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/navbar/navbar-brand.js ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNavbarBrand: () =&gt; (/* binding */ BNavbarBrand),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Props ---

var linkProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_link_link__WEBPACK_IMPORTED_MODULE_1__.props, ['event', 'routerTag']);
linkProps.href.default = undefined;
linkProps.to.default = undefined;
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.sortKeys)(_objectSpread(_objectSpread({}, linkProps), {}, {
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'div')
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_NAVBAR_BRAND); // --- Main component ---
// @vue/component

var BNavbarBrand = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_NAVBAR_BRAND,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var isLink = props.to || props.href;
    var tag = isLink ? _link_link__WEBPACK_IMPORTED_MODULE_1__.BLink : props.tag;
    return h(tag, (0,_vue__WEBPACK_IMPORTED_MODULE_6__.mergeData)(data, {
      staticClass: 'navbar-brand',
      props: isLink ? (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.pluckProps)(linkProps, props) : {}
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/navbar/navbar-nav.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/navbar/navbar-nav.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNavbarNav: () =&gt; (/* binding */ BNavbarNav),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _nav_nav__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../nav/nav */ "./node_modules/bootstrap-vue/esm/components/nav/nav.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





 // --- Helper methods ---

var computeJustifyContent = function computeJustifyContent(value) {
  value = value === 'left' ? 'start' : value === 'right' ? 'end' : value;
  return "justify-content-".concat(value);
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.pick)(_nav_nav__WEBPACK_IMPORTED_MODULE_2__.props, ['tag', 'fill', 'justified', 'align', 'small']), _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_NAVBAR_NAV); // --- Main component ---
// @vue/component

var BNavbarNav = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_NAVBAR_NAV,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _class;

    var props = _ref.props,
        data = _ref.data,
        children = _ref.children;
    var align = props.align;
    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_5__.mergeData)(data, {
      staticClass: 'navbar-nav',
      class: (_class = {
        'nav-fill': props.fill,
        'nav-justified': props.justified
      }, _defineProperty(_class, computeJustifyContent(align), align), _defineProperty(_class, "small", props.small), _class)
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/navbar/navbar-toggle.js":
/*!***************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/navbar/navbar-toggle.js ***!
  \***************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNavbarToggle: () =&gt; (/* binding */ BNavbarToggle),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _directives_toggle_toggle__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../directives/toggle/toggle */ "./node_modules/bootstrap-vue/esm/directives/toggle/toggle.js");









 // --- Constants ---

var CLASS_NAME = 'navbar-toggler';
var ROOT_EVENT_NAME_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'state');
var ROOT_EVENT_NAME_SYNC_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'sync-state'); // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)({
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  label: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'Toggle navigation'),
  target: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_STRING, undefined, true) // Required

}, _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_NAVBAR_TOGGLE); // --- Main component ---
// @vue/component

var BNavbarToggle = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_NAVBAR_TOGGLE,
  directives: {
    VBToggle: _directives_toggle_toggle__WEBPACK_IMPORTED_MODULE_5__.VBToggle
  },
  mixins: [_mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_6__.listenOnRootMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__.normalizeSlotMixin],
  props: props,
  data: function data() {
    return {
      toggleState: false
    };
  },
  created: function created() {
    this.listenOnRoot(ROOT_EVENT_NAME_STATE, this.handleStateEvent);
    this.listenOnRoot(ROOT_EVENT_NAME_SYNC_STATE, this.handleStateEvent);
  },
  methods: {
    onClick: function onClick(event) {
      if (!this.disabled) {
        // Emit courtesy `click` event
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_8__.EVENT_NAME_CLICK, event);
      }
    },
    handleStateEvent: function handleStateEvent(id, state) {
      // We listen for state events so that we can pass the
      // boolean expanded state to the default scoped slot
      if (id === this.target) {
        this.toggleState = state;
      }
    }
  },
  render: function render(h) {
    var disabled = this.disabled;
    return h('button', {
      staticClass: CLASS_NAME,
      class: {
        disabled: disabled
      },
      directives: [{
        name: 'VBToggle',
        value: this.target
      }],
      attrs: {
        type: 'button',
        disabled: disabled,
        'aria-label': this.label
      },
      on: {
        click: this.onClick
      }
    }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_9__.SLOT_NAME_DEFAULT, {
      expanded: this.toggleState
    }) || h('span', {
      staticClass: "".concat(CLASS_NAME, "-icon")
    })]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/navbar/navbar.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/navbar/navbar.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BNavbar: () =&gt; (/* binding */ BNavbar),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_config__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/config */ "./node_modules/bootstrap-vue/esm/utils/config.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }








 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  fixed: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  print: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  sticky: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'nav'),
  toggleable: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_STRING, false),
  type: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'light'),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_NAVBAR); // --- Main component ---
// @vue/component

var BNavbar = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_NAVBAR,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlotMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvNavbar: function getBvNavbar() {
        return _this;
      }
    };
  },
  props: props,
  computed: {
    breakpointClass: function breakpointClass() {
      var toggleable = this.toggleable;
      var xs = (0,_utils_config__WEBPACK_IMPORTED_MODULE_5__.getBreakpoints)()[0];
      var breakpoint = null;

      if (toggleable &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isString)(toggleable) &amp;&amp; toggleable !== xs) {
        breakpoint = "navbar-expand-".concat(toggleable);
      } else if (toggleable === false) {
        breakpoint = 'navbar-expand';
      }

      return breakpoint;
    }
  },
  render: function render(h) {
    var _ref;

    var tag = this.tag,
        type = this.type,
        variant = this.variant,
        fixed = this.fixed;
    return h(tag, {
      staticClass: 'navbar',
      class: [(_ref = {
        'd-print': this.print,
        'sticky-top': this.sticky
      }, _defineProperty(_ref, "navbar-".concat(type), type), _defineProperty(_ref, "bg-".concat(variant), variant), _defineProperty(_ref, "fixed-".concat(fixed), fixed), _ref), this.breakpointClass],
      attrs: {
        role: (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.isTag)(tag, 'nav') ? null : 'navigation'
      }
    }, [this.normalizeSlot()]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/overlay/index.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/overlay/index.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BOverlay: () =&gt; (/* reexport safe */ _overlay__WEBPACK_IMPORTED_MODULE_1__.BOverlay),
/* harmony export */   OverlayPlugin: () =&gt; (/* binding */ OverlayPlugin)
/* harmony export */ });
/* harmony import */ var _overlay__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./overlay */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var OverlayPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BOverlay: _overlay__WEBPACK_IMPORTED_MODULE_1__.BOverlay
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/overlay/overlay.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BOverlay: () =&gt; (/* binding */ BOverlay),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _spinner_spinner__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../spinner/spinner */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var _transition_bv_transition__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../transition/bv-transition */ "./node_modules/bootstrap-vue/esm/components/transition/bv-transition.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }










 // --- Constants ---

var POSITION_COVER = {
  top: 0,
  left: 0,
  bottom: 0,
  right: 0
}; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  // Alternative to variant, allowing a specific
  // CSS color to be applied to the overlay
  bgColor: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  blur: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, '2px'),
  fixed: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noCenter: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noFade: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // If `true, does not render the default slot
  // and switches to absolute positioning
  noWrap: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  opacity: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0.85, function (value) {
    var number = (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toFloat)(value, 0);
    return number &gt;= 0 &amp;&amp; number &lt;= 1;
  }),
  overlayTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  rounded: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_STRING, false),
  show: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  spinnerSmall: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  spinnerType: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'border'),
  spinnerVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'light'),
  wrapTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  zIndex: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 10)
}, _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_OVERLAY); // --- Main component ---
// @vue/component

var BOverlay = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_OVERLAY,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_5__.normalizeSlotMixin],
  props: props,
  computed: {
    computedRounded: function computedRounded() {
      var rounded = this.rounded;
      return rounded === true || rounded === '' ? 'rounded' : !rounded ? '' : "rounded-".concat(rounded);
    },
    computedVariant: function computedVariant() {
      var variant = this.variant;
      return variant &amp;&amp; !this.bgColor ? "bg-".concat(variant) : '';
    },
    slotScope: function slotScope() {
      return {
        spinnerType: this.spinnerType || null,
        spinnerVariant: this.spinnerVariant || null,
        spinnerSmall: this.spinnerSmall
      };
    }
  },
  methods: {
    defaultOverlayFn: function defaultOverlayFn(_ref) {
      var spinnerType = _ref.spinnerType,
          spinnerVariant = _ref.spinnerVariant,
          spinnerSmall = _ref.spinnerSmall;
      return this.$createElement(_spinner_spinner__WEBPACK_IMPORTED_MODULE_6__.BSpinner, {
        props: {
          type: spinnerType,
          variant: spinnerVariant,
          small: spinnerSmall
        }
      });
    }
  },
  render: function render(h) {
    var _this = this;

    var show = this.show,
        fixed = this.fixed,
        noFade = this.noFade,
        noWrap = this.noWrap,
        slotScope = this.slotScope;
    var $overlay = h();

    if (show) {
      var $background = h('div', {
        staticClass: 'position-absolute',
        class: [this.computedVariant, this.computedRounded],
        style: _objectSpread(_objectSpread({}, POSITION_COVER), {}, {
          opacity: this.opacity,
          backgroundColor: this.bgColor || null,
          backdropFilter: this.blur ? "blur(".concat(this.blur, ")") : null
        })
      });
      var $content = h('div', {
        staticClass: 'position-absolute',
        style: this.noCenter ?
        /* istanbul ignore next */
        _objectSpread({}, POSITION_COVER) : {
          top: '50%',
          left: '50%',
          transform: 'translateX(-50%) translateY(-50%)'
        }
      }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_7__.SLOT_NAME_OVERLAY, slotScope) || this.defaultOverlayFn(slotScope)]);
      $overlay = h(this.overlayTag, {
        staticClass: 'b-overlay',
        class: {
          'position-absolute': !noWrap || noWrap &amp;&amp; !fixed,
          'position-fixed': noWrap &amp;&amp; fixed
        },
        style: _objectSpread(_objectSpread({}, POSITION_COVER), {}, {
          zIndex: this.zIndex || 10
        }),
        on: {
          click: function click(event) {
            return _this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_8__.EVENT_NAME_CLICK, event);
          }
        },
        key: 'overlay'
      }, [$background, $content]);
    } // Wrap in a fade transition


    $overlay = h(_transition_bv_transition__WEBPACK_IMPORTED_MODULE_9__.BVTransition, {
      props: {
        noFade: noFade,
        appear: true
      },
      on: {
        'after-enter': function afterEnter() {
          return _this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_8__.EVENT_NAME_SHOWN);
        },
        'after-leave': function afterLeave() {
          return _this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_8__.EVENT_NAME_HIDDEN);
        }
      }
    }, [$overlay]);

    if (noWrap) {
      return $overlay;
    }

    return h(this.wrapTag, {
      staticClass: 'b-overlay-wrap position-relative',
      attrs: {
        'aria-busy': show ? 'true' : null
      }
    }, noWrap ? [$overlay] : [this.normalizeSlot(), $overlay]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/pagination-nav/index.js":
/*!***************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/pagination-nav/index.js ***!
  \***************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BPaginationNav: () =&gt; (/* reexport safe */ _pagination_nav__WEBPACK_IMPORTED_MODULE_1__.BPaginationNav),
/* harmony export */   PaginationNavPlugin: () =&gt; (/* binding */ PaginationNavPlugin)
/* harmony export */ });
/* harmony import */ var _pagination_nav__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./pagination-nav */ "./node_modules/bootstrap-vue/esm/components/pagination-nav/pagination-nav.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var PaginationNavPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BPaginationNav: _pagination_nav__WEBPACK_IMPORTED_MODULE_1__.BPaginationNav
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/pagination-nav/pagination-nav.js":
/*!************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/pagination-nav/pagination-nav.js ***!
  \************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BPaginationNav: () =&gt; (/* binding */ BPaginationNav),
/* harmony export */   sanitizeNumberOfPages: () =&gt; (/* binding */ sanitizeNumberOfPages)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/bv-event.class */ "./node_modules/bootstrap-vue/esm/utils/bv-event.class.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_router__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/router */ "./node_modules/bootstrap-vue/esm/utils/router.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
/* harmony import */ var _mixins_pagination__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/pagination */ "./node_modules/bootstrap-vue/esm/mixins/pagination.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }


















 // --- Helper methods ---
// Sanitize the provided number of pages (converting to a number)

var sanitizeNumberOfPages = function sanitizeNumberOfPages(value) {
  return (0,_utils_math__WEBPACK_IMPORTED_MODULE_0__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_1__.toInteger)(value, 0), 1);
}; // --- Props ---

var _linkProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.omit)(_link_link__WEBPACK_IMPORTED_MODULE_3__.props, ['event', 'routerTag']);

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, _mixins_pagination__WEBPACK_IMPORTED_MODULE_5__.props), _linkProps), {}, {
  baseUrl: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_6__.PROP_TYPE_STRING, '/'),
  linkGen: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_6__.PROP_TYPE_FUNCTION),
  // Disable auto page number detection if `true`
  noPageDetect: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_6__.PROP_TYPE_BOOLEAN, false),
  numberOfPages: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_6__.PROP_TYPE_NUMBER_STRING, 1,
  /* istanbul ignore next */
  function (value) {
    var number = (0,_utils_number__WEBPACK_IMPORTED_MODULE_1__.toInteger)(value, 0);

    if (number &lt; 1) {
      (0,_utils_warn__WEBPACK_IMPORTED_MODULE_7__.warn)('Prop "number-of-pages" must be a number greater than "0"', _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_PAGINATION_NAV);
      return false;
    }

    return true;
  }),
  pageGen: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_6__.PROP_TYPE_FUNCTION),
  // Optional array of page links
  pages: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_6__.PROP_TYPE_ARRAY),
  useRouter: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_6__.PROP_TYPE_BOOLEAN, false)
})), _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_PAGINATION_NAV); // --- Main component ---
// @vue/component

var BPaginationNav = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_9__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_PAGINATION_NAV,
  // The render function is brought in via the pagination mixin
  mixins: [_mixins_pagination__WEBPACK_IMPORTED_MODULE_5__.paginationMixin],
  props: props,
  computed: {
    // Used by render function to trigger wrapping in '&lt;nav&gt;' element
    isNav: function isNav() {
      return true;
    },
    computedValue: function computedValue() {
      // Returns the value prop as a number or `null` if undefined or &lt; 1
      var value = (0,_utils_number__WEBPACK_IMPORTED_MODULE_1__.toInteger)(this.value, 0);
      return value &lt; 1 ? null : value;
    }
  },
  watch: {
    numberOfPages: function numberOfPages() {
      var _this = this;

      this.$nextTick(function () {
        _this.setNumberOfPages();
      });
    },
    pages: function pages() {
      var _this2 = this;

      this.$nextTick(function () {
        _this2.setNumberOfPages();
      });
    }
  },
  created: function created() {
    this.setNumberOfPages();
  },
  mounted: function mounted() {
    var _this3 = this;

    if (this.$router) {
      // We only add the watcher if vue router is detected
      this.$watch('$route', function () {
        _this3.$nextTick(function () {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_10__.requestAF)(function () {
            _this3.guessCurrentPage();
          });
        });
      });
    }
  },
  methods: {
    setNumberOfPages: function setNumberOfPages() {
      var _this4 = this;

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isArray)(this.pages) &amp;&amp; this.pages.length &gt; 0) {
        this.localNumberOfPages = this.pages.length;
      } else {
        this.localNumberOfPages = sanitizeNumberOfPages(this.numberOfPages);
      }

      this.$nextTick(function () {
        _this4.guessCurrentPage();
      });
    },
    onClick: function onClick(event, pageNumber) {
      var _this5 = this;

      // Dont do anything if clicking the current active page
      if (pageNumber === this.currentPage) {
        return;
      }

      var target = event.currentTarget || event.target; // Emit a user-cancelable `page-click` event

      var clickEvent = new _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_12__.BvEvent(_constants_events__WEBPACK_IMPORTED_MODULE_13__.EVENT_NAME_PAGE_CLICK, {
        cancelable: true,
        vueTarget: this,
        target: target
      });
      this.$emit(clickEvent.type, clickEvent, pageNumber);

      if (clickEvent.defaultPrevented) {
        return;
      } // Update the `v-model`
      // Done in in requestAF() to allow browser to complete the
      // native browser click handling of a link


      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_10__.requestAF)(function () {
        _this5.currentPage = pageNumber;

        _this5.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_13__.EVENT_NAME_CHANGE, pageNumber);
      }); // Emulate native link click page reloading behaviour by blurring the
      // paginator and returning focus to the document
      // Done in a `nextTick()` to ensure rendering complete

      this.$nextTick(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_10__.attemptBlur)(target);
      });
    },
    getPageInfo: function getPageInfo(pageNumber) {
      if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isArray)(this.pages) || this.pages.length === 0 || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isUndefined)(this.pages[pageNumber - 1])) {
        var link = "".concat(this.baseUrl).concat(pageNumber);
        return {
          link: this.useRouter ? {
            path: link
          } : link,
          text: (0,_utils_string__WEBPACK_IMPORTED_MODULE_14__.toString)(pageNumber)
        };
      }

      var info = this.pages[pageNumber - 1];

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isObject)(info)) {
        var _link = info.link;
        return {
          // Normalize link for router use
          link: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isObject)(_link) ? _link : this.useRouter ? {
            path: _link
          } : _link,
          // Make sure text has a value
          text: (0,_utils_string__WEBPACK_IMPORTED_MODULE_14__.toString)(info.text || pageNumber)
        };
      } else {
        return {
          link: (0,_utils_string__WEBPACK_IMPORTED_MODULE_14__.toString)(info),
          text: (0,_utils_string__WEBPACK_IMPORTED_MODULE_14__.toString)(pageNumber)
        };
      }
    },
    makePage: function makePage(pageNumber) {
      var pageGen = this.pageGen;
      var info = this.getPageInfo(pageNumber);

      if ((0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.hasPropFunction)(pageGen)) {
        return pageGen(pageNumber, info);
      }

      return info.text;
    },
    makeLink: function makeLink(pageNumber) {
      var linkGen = this.linkGen;
      var info = this.getPageInfo(pageNumber);

      if ((0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.hasPropFunction)(linkGen)) {
        return linkGen(pageNumber, info);
      }

      return info.link;
    },
    linkProps: function linkProps(pageNumber) {
      var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.pluckProps)(_linkProps, this);
      var link = this.makeLink(pageNumber);

      if (this.useRouter || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isObject)(link)) {
        props.to = link;
      } else {
        props.href = link;
      }

      return props;
    },
    resolveLink: function resolveLink() {
      var to = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : '';
      // Given a to (or href string), convert to normalized route-like structure
      // Works only client side!
      var link;

      try {
        // Convert the `to` to a HREF via a temporary `a` tag
        link = document.createElement('a');
        link.href = (0,_utils_router__WEBPACK_IMPORTED_MODULE_15__.computeHref)({
          to: to
        }, 'a', '/', '/'); // We need to add the anchor to the document to make sure the
        // `pathname` is correctly detected in any browser (i.e. IE)

        document.body.appendChild(link); // Once href is assigned, the link will be normalized to the full URL bits

        var _link2 = link,
            pathname = _link2.pathname,
            hash = _link2.hash,
            search = _link2.search; // Remove link from document

        document.body.removeChild(link); // Return the location in a route-like object

        return {
          path: pathname,
          hash: hash,
          query: (0,_utils_router__WEBPACK_IMPORTED_MODULE_15__.parseQuery)(search)
        };
      } catch (e) {
        /* istanbul ignore next */
        try {
          link &amp;&amp; link.parentNode &amp;&amp; link.parentNode.removeChild(link);
        } catch (_unused) {}
        /* istanbul ignore next */


        return {};
      }
    },
    resolveRoute: function resolveRoute() {
      var to = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : '';

      // Given a to (or href string), convert to normalized route location structure
      // Works only when router available!
      try {
        var route = this.$router.resolve(to, this.$route).route;
        return {
          path: route.path,
          hash: route.hash,
          query: route.query
        };
      } catch (e) {
        /* istanbul ignore next */
        return {};
      }
    },
    guessCurrentPage: function guessCurrentPage() {
      var $router = this.$router,
          $route = this.$route;
      var guess = this.computedValue; // This section only occurs if we are client side, or server-side with `$router`

      if (!this.noPageDetect &amp;&amp; !guess &amp;&amp; (_constants_env__WEBPACK_IMPORTED_MODULE_16__.IS_BROWSER || !_constants_env__WEBPACK_IMPORTED_MODULE_16__.IS_BROWSER &amp;&amp; $router)) {
        // Current route (if router available)
        var currentRoute = $router &amp;&amp; $route ? {
          path: $route.path,
          hash: $route.hash,
          query: $route.query
        } : {}; // Current page full HREF (if client side)
        // Can't be done as a computed prop!

        var loc = _constants_env__WEBPACK_IMPORTED_MODULE_16__.IS_BROWSER ? window.location || document.location : null;
        var currentLink = loc ? {
          path: loc.pathname,
          hash: loc.hash,
          query: (0,_utils_router__WEBPACK_IMPORTED_MODULE_15__.parseQuery)(loc.search)
        } :
        /* istanbul ignore next */
        {}; // Loop through the possible pages looking for a match until found

        for (var pageNumber = 1; !guess &amp;&amp; pageNumber &lt;= this.localNumberOfPages; pageNumber++) {
          var to = this.makeLink(pageNumber);

          if ($router &amp;&amp; ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isObject)(to) || this.useRouter)) {
            // Resolve the page via the `$router`
            guess = (0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_17__.looseEqual)(this.resolveRoute(to), currentRoute) ? pageNumber : null;
          } else if (_constants_env__WEBPACK_IMPORTED_MODULE_16__.IS_BROWSER) {
            // If no `$router` available (or `!this.useRouter` when `to` is a string)
            // we compare using parsed URIs
            guess = (0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_17__.looseEqual)(this.resolveLink(to), currentLink) ? pageNumber : null;
          } else {
            // Probably SSR, but no `$router` so we can't guess,
            // so lets break out of the loop early

            /* istanbul ignore next */
            guess = -1;
          }
        }
      } // We set `currentPage` to `0` to trigger an `$emit('input', null)`
      // As the default for `currentPage` is `-1` when no value is specified
      // Valid page numbers are greater than `0`


      this.currentPage = guess &gt; 0 ? guess : 0;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/pagination/index.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/pagination/index.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BPagination: () =&gt; (/* reexport safe */ _pagination__WEBPACK_IMPORTED_MODULE_1__.BPagination),
/* harmony export */   PaginationPlugin: () =&gt; (/* binding */ PaginationPlugin)
/* harmony export */ });
/* harmony import */ var _pagination__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./pagination */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var PaginationPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BPagination: _pagination__WEBPACK_IMPORTED_MODULE_1__.BPagination
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/pagination/pagination.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BPagination: () =&gt; (/* binding */ BPagination),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/bv-event.class */ "./node_modules/bootstrap-vue/esm/utils/bv-event.class.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_pagination__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/pagination */ "./node_modules/bootstrap-vue/esm/mixins/pagination.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }












 // --- Constants ---

var DEFAULT_PER_PAGE = 20;
var DEFAULT_TOTAL_ROWS = 0; // --- Helper methods ---
// Sanitize the provided per page number (converting to a number)

var sanitizePerPage = function sanitizePerPage(value) {
  return (0,_utils_math__WEBPACK_IMPORTED_MODULE_0__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_1__.toInteger)(value) || DEFAULT_PER_PAGE, 1);
}; // Sanitize the provided total rows number (converting to a number)


var sanitizeTotalRows = function sanitizeTotalRows(value) {
  return (0,_utils_math__WEBPACK_IMPORTED_MODULE_0__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_1__.toInteger)(value) || DEFAULT_TOTAL_ROWS, 0);
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.sortKeys)(_objectSpread(_objectSpread({}, _mixins_pagination__WEBPACK_IMPORTED_MODULE_4__.props), {}, {
  ariaControls: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
  perPage: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_NUMBER_STRING, DEFAULT_PER_PAGE),
  totalRows: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_NUMBER_STRING, DEFAULT_TOTAL_ROWS)
})), _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_PAGINATION); // --- Main component ---
// @vue/component

var BPagination = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_7__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_PAGINATION,
  // The render function is brought in via the `paginationMixin`
  mixins: [_mixins_pagination__WEBPACK_IMPORTED_MODULE_4__.paginationMixin],
  props: props,
  computed: {
    numberOfPages: function numberOfPages() {
      var result = (0,_utils_math__WEBPACK_IMPORTED_MODULE_0__.mathCeil)(sanitizeTotalRows(this.totalRows) / sanitizePerPage(this.perPage));
      return result &lt; 1 ? 1 : result;
    },
    // Used for watching changes to `perPage` and `numberOfPages`
    pageSizeNumberOfPages: function pageSizeNumberOfPages() {
      return {
        perPage: sanitizePerPage(this.perPage),
        totalRows: sanitizeTotalRows(this.totalRows),
        numberOfPages: this.numberOfPages
      };
    }
  },
  watch: {
    pageSizeNumberOfPages: function pageSizeNumberOfPages(newValue, oldValue) {
      if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_8__.isUndefinedOrNull)(oldValue)) {
        if (newValue.perPage !== oldValue.perPage &amp;&amp; newValue.totalRows === oldValue.totalRows) {
          // If the page size changes, reset to page 1
          this.currentPage = 1;
        } else if (newValue.numberOfPages !== oldValue.numberOfPages &amp;&amp; this.currentPage &gt; newValue.numberOfPages) {
          // If `numberOfPages` changes and is less than
          // the `currentPage` number, reset to page 1
          this.currentPage = 1;
        }
      }

      this.localNumberOfPages = newValue.numberOfPages;
    }
  },
  created: function created() {
    var _this = this;

    // Set the initial page count
    this.localNumberOfPages = this.numberOfPages; // Set the initial page value

    var currentPage = (0,_utils_number__WEBPACK_IMPORTED_MODULE_1__.toInteger)(this[_mixins_pagination__WEBPACK_IMPORTED_MODULE_4__.MODEL_PROP_NAME], 0);

    if (currentPage &gt; 0) {
      this.currentPage = currentPage;
    } else {
      this.$nextTick(function () {
        // If this value parses to `NaN` or a value less than `1`
        // trigger an initial emit of `null` if no page specified
        _this.currentPage = 0;
      });
    }
  },
  methods: {
    // These methods are used by the render function
    onClick: function onClick(event, pageNumber) {
      var _this2 = this;

      // Dont do anything if clicking the current active page
      if (pageNumber === this.currentPage) {
        return;
      }

      var target = event.target; // Emit a user-cancelable `page-click` event

      var clickEvent = new _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_9__.BvEvent(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_PAGE_CLICK, {
        cancelable: true,
        vueTarget: this,
        target: target
      });
      this.$emit(clickEvent.type, clickEvent, pageNumber);

      if (clickEvent.defaultPrevented) {
        return;
      } // Update the `v-model`


      this.currentPage = pageNumber; // Emit event triggered by user interaction

      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_CHANGE, this.currentPage); // Keep the current button focused if possible

      this.$nextTick(function () {
        if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_11__.isVisible)(target) &amp;&amp; _this2.$el.contains(target)) {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_11__.attemptFocus)(target);
        } else {
          _this2.focusCurrent();
        }
      });
    },
    makePage: function makePage(pageNum) {
      return pageNum;
    },

    /* istanbul ignore next */
    linkProps: function linkProps() {
      // No props, since we render a plain button
      return {};
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/popover/helpers/bv-popover-template.js":
/*!******************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/popover/helpers/bv-popover-template.js ***!
  \******************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVPopoverTemplate: () =&gt; (/* binding */ BVPopoverTemplate)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _tooltip_helpers_bv_tooltip_template__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../tooltip/helpers/bv-tooltip-template */ "./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-tooltip-template.js");



 // @vue/component

var BVPopoverTemplate = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_POPOVER_TEMPLATE,
  extends: _tooltip_helpers_bv_tooltip_template__WEBPACK_IMPORTED_MODULE_2__.BVTooltipTemplate,
  computed: {
    templateType: function templateType() {
      return 'popover';
    }
  },
  methods: {
    renderTemplate: function renderTemplate(h) {
      var title = this.title,
          content = this.content; // Title and content could be a scoped slot function

      var $title = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(title) ? title({}) : title;
      var $content = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(content) ? content({}) : content; // Directive usage only

      var titleDomProps = this.html &amp;&amp; !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(title) ? {
        innerHTML: title
      } : {};
      var contentDomProps = this.html &amp;&amp; !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(content) ? {
        innerHTML: content
      } : {};
      return h('div', {
        staticClass: 'popover b-popover',
        class: this.templateClasses,
        attrs: this.templateAttributes,
        on: this.templateListeners
      }, [h('div', {
        staticClass: 'arrow',
        ref: 'arrow'
      }), (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isUndefinedOrNull)($title) || $title === '' ?
      /* istanbul ignore next */
      h() : h('h3', {
        staticClass: 'popover-header',
        domProps: titleDomProps
      }, [$title]), (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isUndefinedOrNull)($content) || $content === '' ?
      /* istanbul ignore next */
      h() : h('div', {
        staticClass: 'popover-body',
        domProps: contentDomProps
      }, [$content])]);
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/popover/helpers/bv-popover.js":
/*!*********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/popover/helpers/bv-popover.js ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVPopover: () =&gt; (/* binding */ BVPopover)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _tooltip_helpers_bv_tooltip__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../tooltip/helpers/bv-tooltip */ "./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-tooltip.js");
/* harmony import */ var _bv_popover_template__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./bv-popover-template */ "./node_modules/bootstrap-vue/esm/components/popover/helpers/bv-popover-template.js");
// Popover "Class" (Built as a renderless Vue instance)
// Inherits from BVTooltip
//
// Handles trigger events, etc.
// Instantiates template on demand



 // @vue/component

var BVPopover = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_POPOVER_HELPER,
  extends: _tooltip_helpers_bv_tooltip__WEBPACK_IMPORTED_MODULE_2__.BVTooltip,
  computed: {
    // Overwrites BVTooltip
    templateType: function templateType() {
      return 'popover';
    }
  },
  methods: {
    getTemplate: function getTemplate() {
      // Overwrites BVTooltip
      return _bv_popover_template__WEBPACK_IMPORTED_MODULE_3__.BVPopoverTemplate;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/popover/index.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/popover/index.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BPopover: () =&gt; (/* reexport safe */ _popover__WEBPACK_IMPORTED_MODULE_1__.BPopover),
/* harmony export */   PopoverPlugin: () =&gt; (/* binding */ PopoverPlugin)
/* harmony export */ });
/* harmony import */ var _popover__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./popover */ "./node_modules/bootstrap-vue/esm/components/popover/popover.js");
/* harmony import */ var _directives_popover__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../directives/popover */ "./node_modules/bootstrap-vue/esm/directives/popover/index.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var PopoverPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BPopover: _popover__WEBPACK_IMPORTED_MODULE_1__.BPopover
  },
  plugins: {
    VBPopoverPlugin: _directives_popover__WEBPACK_IMPORTED_MODULE_2__.VBPopoverPlugin
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/popover/popover.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/popover/popover.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BPopover: () =&gt; (/* binding */ BPopover),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _tooltip_tooltip__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../tooltip/tooltip */ "./node_modules/bootstrap-vue/esm/components/tooltip/tooltip.js");
/* harmony import */ var _helpers_bv_popover__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./helpers/bv-popover */ "./node_modules/bootstrap-vue/esm/components/popover/helpers/bv-popover.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }









 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, _tooltip_tooltip__WEBPACK_IMPORTED_MODULE_2__.props), {}, {
  content: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  placement: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'right'),
  triggers: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_STRING, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_NAME_CLICK)
})), _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_POPOVER); // --- Main component ---
// @vue/component

var BPopover = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_6__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_POPOVER,
  extends: _tooltip_tooltip__WEBPACK_IMPORTED_MODULE_2__.BTooltip,
  inheritAttrs: false,
  props: props,
  methods: {
    getComponent: function getComponent() {
      // Overridden by BPopover
      return _helpers_bv_popover__WEBPACK_IMPORTED_MODULE_7__.BVPopover;
    },
    updateContent: function updateContent() {
      // Tooltip: Default slot is `title`
      // Popover: Default slot is `content`, `title` slot is title
      // We pass a scoped slot function references by default (Vue v2.6x)
      // And pass the title prop as a fallback
      this.setContent(this.normalizeSlot() || this.content);
      this.setTitle(this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_TITLE) || this.title);
    }
  } // Render function provided by BTooltip

});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/progress/index.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/progress/index.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BProgress: () =&gt; (/* reexport safe */ _progress__WEBPACK_IMPORTED_MODULE_1__.BProgress),
/* harmony export */   BProgressBar: () =&gt; (/* reexport safe */ _progress_bar__WEBPACK_IMPORTED_MODULE_2__.BProgressBar),
/* harmony export */   ProgressPlugin: () =&gt; (/* binding */ ProgressPlugin)
/* harmony export */ });
/* harmony import */ var _progress__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./progress */ "./node_modules/bootstrap-vue/esm/components/progress/progress.js");
/* harmony import */ var _progress_bar__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./progress-bar */ "./node_modules/bootstrap-vue/esm/components/progress/progress-bar.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var ProgressPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BProgress: _progress__WEBPACK_IMPORTED_MODULE_1__.BProgress,
    BProgressBar: _progress_bar__WEBPACK_IMPORTED_MODULE_2__.BProgressBar
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/progress/progress-bar.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/progress/progress-bar.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BProgressBar: () =&gt; (/* binding */ BProgressBar),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");









 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  animated: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, null),
  label: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  labelHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  max: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, null),
  precision: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, null),
  showProgress: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, null),
  showValue: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, null),
  striped: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, null),
  value: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_PROGRESS_BAR); // --- Main component ---
// @vue/component

var BProgressBar = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_PROGRESS_BAR,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlotMixin],
  inject: {
    getBvProgress: {
      default:
      /* istanbul ignore next */
      function _default() {
        return function () {
          return {};
        };
      }
    }
  },
  props: props,
  computed: {
    bvProgress: function bvProgress() {
      return this.getBvProgress();
    },
    progressBarClasses: function progressBarClasses() {
      var computedAnimated = this.computedAnimated,
          computedVariant = this.computedVariant;
      return [computedVariant ? "bg-".concat(computedVariant) : '', this.computedStriped || computedAnimated ? 'progress-bar-striped' : '', computedAnimated ? 'progress-bar-animated' : ''];
    },
    progressBarStyles: function progressBarStyles() {
      return {
        width: 100 * (this.computedValue / this.computedMax) + '%'
      };
    },
    computedValue: function computedValue() {
      return (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(this.value, 0);
    },
    computedMax: function computedMax() {
      // Prefer our max over parent setting
      // Default to `100` for invalid values (`-x`, `0`, `NaN`)
      var max = (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(this.max) || (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(this.bvProgress.max, 0);
      return max &gt; 0 ? max : 100;
    },
    computedPrecision: function computedPrecision() {
      // Prefer our precision over parent setting
      // Default to `0` for invalid values (`-x`, `NaN`)
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_6__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toInteger)(this.precision, (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toInteger)(this.bvProgress.precision, 0)), 0);
    },
    computedProgress: function computedProgress() {
      var precision = this.computedPrecision;
      var p = (0,_utils_math__WEBPACK_IMPORTED_MODULE_6__.mathPow)(10, precision);
      return (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFixed)(100 * p * this.computedValue / this.computedMax / p, precision);
    },
    computedVariant: function computedVariant() {
      // Prefer our variant over parent setting
      return this.variant || this.bvProgress.variant;
    },
    computedStriped: function computedStriped() {
      // Prefer our striped over parent setting
      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isBoolean)(this.striped) ? this.striped : this.bvProgress.striped || false;
    },
    computedAnimated: function computedAnimated() {
      // Prefer our animated over parent setting
      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isBoolean)(this.animated) ? this.animated : this.bvProgress.animated || false;
    },
    computedShowProgress: function computedShowProgress() {
      // Prefer our showProgress over parent setting
      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isBoolean)(this.showProgress) ? this.showProgress : this.bvProgress.showProgress || false;
    },
    computedShowValue: function computedShowValue() {
      // Prefer our showValue over parent setting
      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isBoolean)(this.showValue) ? this.showValue : this.bvProgress.showValue || false;
    }
  },
  render: function render(h) {
    var label = this.label,
        labelHtml = this.labelHtml,
        computedValue = this.computedValue,
        computedPrecision = this.computedPrecision;
    var $children;
    var domProps = {};

    if (this.hasNormalizedSlot()) {
      $children = this.normalizeSlot();
    } else if (label || labelHtml) {
      domProps = (0,_utils_html__WEBPACK_IMPORTED_MODULE_8__.htmlOrText)(labelHtml, label);
    } else if (this.computedShowProgress) {
      $children = this.computedProgress;
    } else if (this.computedShowValue) {
      $children = (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFixed)(computedValue, computedPrecision);
    }

    return h('div', {
      staticClass: 'progress-bar',
      class: this.progressBarClasses,
      style: this.progressBarStyles,
      attrs: {
        role: 'progressbar',
        'aria-valuemin': '0',
        'aria-valuemax': (0,_utils_string__WEBPACK_IMPORTED_MODULE_9__.toString)(this.computedMax),
        'aria-valuenow': (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFixed)(computedValue, computedPrecision)
      },
      domProps: domProps
    }, $children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/progress/progress.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/progress/progress.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BProgress: () =&gt; (/* binding */ BProgress),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _progress_bar__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./progress-bar */ "./node_modules/bootstrap-vue/esm/components/progress/progress-bar.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var progressBarProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_progress_bar__WEBPACK_IMPORTED_MODULE_1__.props, ['label', 'labelHtml']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.sortKeys)(_objectSpread(_objectSpread({}, progressBarProps), {}, {
  animated: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  height: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  max: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_NUMBER_STRING, 100),
  precision: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_NUMBER_STRING, 0),
  showProgress: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  showValue: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  striped: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false)
})), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_PROGRESS); // --- Main component ---
// @vue/component

var BProgress = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_PROGRESS,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlotMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvProgress: function getBvProgress() {
        return _this;
      }
    };
  },
  props: props,
  computed: {
    progressHeight: function progressHeight() {
      return {
        height: this.height || null
      };
    }
  },
  render: function render(h) {
    var $childNodes = this.normalizeSlot();

    if (!$childNodes) {
      $childNodes = h(_progress_bar__WEBPACK_IMPORTED_MODULE_1__.BProgressBar, {
        props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.pluckProps)(progressBarProps, this.$props)
      });
    }

    return h('div', {
      staticClass: 'progress',
      style: this.progressHeight
    }, [$childNodes]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/sidebar/index.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/sidebar/index.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BSidebar: () =&gt; (/* reexport safe */ _sidebar__WEBPACK_IMPORTED_MODULE_1__.BSidebar),
/* harmony export */   SidebarPlugin: () =&gt; (/* binding */ SidebarPlugin)
/* harmony export */ });
/* harmony import */ var _sidebar__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./sidebar */ "./node_modules/bootstrap-vue/esm/components/sidebar/sidebar.js");
/* harmony import */ var _directives_toggle__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../directives/toggle */ "./node_modules/bootstrap-vue/esm/directives/toggle/index.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var SidebarPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BSidebar: _sidebar__WEBPACK_IMPORTED_MODULE_1__.BSidebar
  },
  plugins: {
    VBTogglePlugin: _directives_toggle__WEBPACK_IMPORTED_MODULE_2__.VBTogglePlugin
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/sidebar/sidebar.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/sidebar/sidebar.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BSidebar: () =&gt; (/* binding */ BSidebar),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../mixins/listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _icons_icons__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../icons/icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
/* harmony import */ var _button_button_close__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../button/button-close */ "./node_modules/bootstrap-vue/esm/components/button/button-close.js");
/* harmony import */ var _transition_bv_transition__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../transition/bv-transition */ "./node_modules/bootstrap-vue/esm/components/transition/bv-transition.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }



















 // --- Constants ---

var CLASS_NAME = 'b-sidebar';
var ROOT_ACTION_EVENT_NAME_REQUEST_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'request-state');
var ROOT_ACTION_EVENT_NAME_TOGGLE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'toggle');
var ROOT_EVENT_NAME_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'state');
var ROOT_EVENT_NAME_SYNC_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'sync-state');

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_2__.makeModelMixin)('visible', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN,
  defaultValue: false,
  event: _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_NAME_CHANGE
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_6__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_7__.props), modelProps), {}, {
  ariaLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  ariaLabelledby: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  // If `true`, shows a basic backdrop
  backdrop: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  backdropVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'dark'),
  bgVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'light'),
  bodyClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_OBJECT_STRING),
  // `aria-label` for close button
  closeLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  footerClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_OBJECT_STRING),
  footerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'footer'),
  headerClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_OBJECT_STRING),
  headerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'header'),
  lazy: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  noCloseOnBackdrop: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  noCloseOnEsc: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  noCloseOnRouteChange: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  noEnforceFocus: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  noHeader: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  noHeaderClose: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  noSlide: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  right: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  shadow: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN_STRING, false),
  sidebarClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_OBJECT_STRING),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'div'),
  textVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'dark'),
  title: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  width: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  zIndex: (0,_utils_props__WEBPACK_IMPORTED_MODULE_5__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_NUMBER_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_SIDEBAR); // --- Render methods ---

var renderHeaderTitle = function renderHeaderTitle(h, ctx) {
  // Render a empty `&lt;span&gt;` when to title was provided
  var title = ctx.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_TITLE, ctx.slotScope) || ctx.title;

  if (!title) {
    return h('span');
  }

  return h('strong', {
    attrs: {
      id: ctx.safeId('__title__')
    }
  }, [title]);
};

var renderHeaderClose = function renderHeaderClose(h, ctx) {
  if (ctx.noHeaderClose) {
    return h();
  }

  var closeLabel = ctx.closeLabel,
      textVariant = ctx.textVariant,
      hide = ctx.hide;
  return h(_button_button_close__WEBPACK_IMPORTED_MODULE_9__.BButtonClose, {
    props: {
      ariaLabel: closeLabel,
      textVariant: textVariant
    },
    on: {
      click: hide
    },
    ref: 'close-button'
  }, [ctx.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_HEADER_CLOSE) || h(_icons_icons__WEBPACK_IMPORTED_MODULE_10__.BIconX)]);
};

var renderHeader = function renderHeader(h, ctx) {
  if (ctx.noHeader) {
    return h();
  }

  var $content = ctx.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_HEADER, ctx.slotScope);

  if (!$content) {
    var $title = renderHeaderTitle(h, ctx);
    var $close = renderHeaderClose(h, ctx);
    $content = ctx.right ? [$close, $title] : [$title, $close];
  }

  return h(ctx.headerTag, {
    staticClass: "".concat(CLASS_NAME, "-header"),
    class: ctx.headerClass,
    key: 'header'
  }, $content);
};

var renderBody = function renderBody(h, ctx) {
  return h('div', {
    staticClass: "".concat(CLASS_NAME, "-body"),
    class: ctx.bodyClass,
    key: 'body'
  }, [ctx.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_DEFAULT, ctx.slotScope)]);
};

var renderFooter = function renderFooter(h, ctx) {
  var $footer = ctx.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_FOOTER, ctx.slotScope);

  if (!$footer) {
    return h();
  }

  return h(ctx.footerTag, {
    staticClass: "".concat(CLASS_NAME, "-footer"),
    class: ctx.footerClass,
    key: 'footer'
  }, [$footer]);
};

var renderContent = function renderContent(h, ctx) {
  // We render the header even if `lazy` is enabled as it
  // acts as the accessible label for the sidebar
  var $header = renderHeader(h, ctx);

  if (ctx.lazy &amp;&amp; !ctx.isOpen) {
    return $header;
  }

  return [$header, renderBody(h, ctx), renderFooter(h, ctx)];
};

var renderBackdrop = function renderBackdrop(h, ctx) {
  if (!ctx.backdrop) {
    return h();
  }

  var backdropVariant = ctx.backdropVariant;
  return h('div', {
    directives: [{
      name: 'show',
      value: ctx.localShow
    }],
    staticClass: 'b-sidebar-backdrop',
    class: _defineProperty({}, "bg-".concat(backdropVariant), backdropVariant),
    on: {
      click: ctx.onBackdropClick
    }
  });
}; // --- Main component ---
// @vue/component


var BSidebar = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_11__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_SIDEBAR,
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_12__.attrsMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_7__.idMixin, modelMixin, _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_13__.listenOnRootMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_14__.normalizeSlotMixin],
  inheritAttrs: false,
  props: props,
  data: function data() {
    var visible = !!this[MODEL_PROP_NAME];
    return {
      // Internal `v-model` state
      localShow: visible,
      // For lazy render triggering
      isOpen: visible
    };
  },
  computed: {
    transitionProps: function transitionProps() {
      return this.noSlide ?
      /* istanbul ignore next */
      {
        css: true
      } : {
        css: true,
        enterClass: '',
        enterActiveClass: 'slide',
        enterToClass: 'show',
        leaveClass: 'show',
        leaveActiveClass: 'slide',
        leaveToClass: ''
      };
    },
    slotScope: function slotScope() {
      var hide = this.hide,
          right = this.right,
          visible = this.localShow;
      return {
        hide: hide,
        right: right,
        visible: visible
      };
    },
    hasTitle: function hasTitle() {
      var $scopedSlots = this.$scopedSlots,
          $slots = this.$slots;
      return !this.noHeader &amp;&amp; !this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_HEADER) &amp;&amp; !!(this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_TITLE, this.slotScope, $scopedSlots, $slots) || this.title);
    },
    titleId: function titleId() {
      return this.hasTitle ? this.safeId('__title__') : null;
    },
    computedAttrs: function computedAttrs() {
      return _objectSpread(_objectSpread({}, this.bvAttrs), {}, {
        id: this.safeId(),
        tabindex: '-1',
        role: 'dialog',
        'aria-modal': this.backdrop ? 'true' : 'false',
        'aria-hidden': this.localShow ? null : 'true',
        'aria-label': this.ariaLabel || null,
        'aria-labelledby': this.ariaLabelledby || this.titleId || null
      });
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue, oldValue) {
    if (newValue !== oldValue) {
      this.localShow = newValue;
    }
  }), _defineProperty(_watch, "localShow", function localShow(newValue, oldValue) {
    if (newValue !== oldValue) {
      this.emitState(newValue);
      this.$emit(MODEL_EVENT_NAME, newValue);
    }
  }), _defineProperty(_watch, "$route", function $route() {
    var newValue = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {};
    var oldValue = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

    if (!this.noCloseOnRouteChange &amp;&amp; newValue.fullPath !== oldValue.fullPath) {
      this.hide();
    }
  }), _watch),
  created: function created() {
    // Define non-reactive properties
    this.$_returnFocusEl = null;
  },
  mounted: function mounted() {
    var _this = this;

    // Add `$root` listeners
    this.listenOnRoot(ROOT_ACTION_EVENT_NAME_TOGGLE, this.handleToggle);
    this.listenOnRoot(ROOT_ACTION_EVENT_NAME_REQUEST_STATE, this.handleSync); // Send out a gratuitous state event to ensure toggle button is synced

    this.$nextTick(function () {
      _this.emitState(_this.localShow);
    });
  },

  /* istanbul ignore next */
  activated: function activated() {
    this.emitSync();
  },
  beforeDestroy: function beforeDestroy() {
    this.localShow = false;
    this.$_returnFocusEl = null;
  },
  methods: {
    hide: function hide() {
      this.localShow = false;
    },
    emitState: function emitState() {
      var state = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : this.localShow;
      this.emitOnRoot(ROOT_EVENT_NAME_STATE, this.safeId(), state);
    },
    emitSync: function emitSync() {
      var state = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : this.localShow;
      this.emitOnRoot(ROOT_EVENT_NAME_SYNC_STATE, this.safeId(), state);
    },
    handleToggle: function handleToggle(id) {
      // Note `safeId()` can be null until after mount
      if (id &amp;&amp; id === this.safeId()) {
        this.localShow = !this.localShow;
      }
    },
    handleSync: function handleSync(id) {
      var _this2 = this;

      // Note `safeId()` can be null until after mount
      if (id &amp;&amp; id === this.safeId()) {
        this.$nextTick(function () {
          _this2.emitSync(_this2.localShow);
        });
      }
    },
    onKeydown: function onKeydown(event) {
      var keyCode = event.keyCode;

      if (!this.noCloseOnEsc &amp;&amp; keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_15__.CODE_ESC &amp;&amp; this.localShow) {
        this.hide();
      }
    },
    onBackdropClick: function onBackdropClick() {
      if (this.localShow &amp;&amp; !this.noCloseOnBackdrop) {
        this.hide();
      }
    },

    /* istanbul ignore next */
    onTopTrapFocus: function onTopTrapFocus() {
      var tabables = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_16__.getTabables)(this.$refs.content);
      this.enforceFocus(tabables.reverse()[0]);
    },

    /* istanbul ignore next */
    onBottomTrapFocus: function onBottomTrapFocus() {
      var tabables = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_16__.getTabables)(this.$refs.content);
      this.enforceFocus(tabables[0]);
    },
    onBeforeEnter: function onBeforeEnter() {
      // Returning focus to `document.body` may cause unwanted scrolls,
      // so we exclude setting focus on body
      this.$_returnFocusEl = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_16__.getActiveElement)(_constants_env__WEBPACK_IMPORTED_MODULE_17__.IS_BROWSER ? [document.body] : []); // Trigger lazy render

      this.isOpen = true;
    },
    onAfterEnter: function onAfterEnter(el) {
      if (!(0,_utils_dom__WEBPACK_IMPORTED_MODULE_16__.contains)(el, (0,_utils_dom__WEBPACK_IMPORTED_MODULE_16__.getActiveElement)())) {
        this.enforceFocus(el);
      }

      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_NAME_SHOWN);
    },
    onAfterLeave: function onAfterLeave() {
      this.enforceFocus(this.$_returnFocusEl);
      this.$_returnFocusEl = null; // Trigger lazy render

      this.isOpen = false;
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_NAME_HIDDEN);
    },
    enforceFocus: function enforceFocus(el) {
      if (!this.noEnforceFocus) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_16__.attemptFocus)(el);
      }
    }
  },
  render: function render(h) {
    var _ref;

    var bgVariant = this.bgVariant,
        width = this.width,
        textVariant = this.textVariant,
        localShow = this.localShow;
    var shadow = this.shadow === '' ? true : this.shadow;
    var $sidebar = h(this.tag, {
      staticClass: CLASS_NAME,
      class: [(_ref = {
        shadow: shadow === true
      }, _defineProperty(_ref, "shadow-".concat(shadow), shadow &amp;&amp; shadow !== true), _defineProperty(_ref, "".concat(CLASS_NAME, "-right"), this.right), _defineProperty(_ref, "bg-".concat(bgVariant), bgVariant), _defineProperty(_ref, "text-".concat(textVariant), textVariant), _ref), this.sidebarClass],
      style: {
        width: width
      },
      attrs: this.computedAttrs,
      directives: [{
        name: 'show',
        value: localShow
      }],
      ref: 'content'
    }, [renderContent(h, this)]);
    $sidebar = h('transition', {
      props: this.transitionProps,
      on: {
        beforeEnter: this.onBeforeEnter,
        afterEnter: this.onAfterEnter,
        afterLeave: this.onAfterLeave
      }
    }, [$sidebar]);
    var $backdrop = h(_transition_bv_transition__WEBPACK_IMPORTED_MODULE_18__.BVTransition, {
      props: {
        noFade: this.noSlide
      }
    }, [renderBackdrop(h, this)]);
    var $tabTrapTop = h();
    var $tabTrapBottom = h();

    if (this.backdrop &amp;&amp; localShow) {
      $tabTrapTop = h('div', {
        attrs: {
          tabindex: '0'
        },
        on: {
          focus: this.onTopTrapFocus
        }
      });
      $tabTrapBottom = h('div', {
        attrs: {
          tabindex: '0'
        },
        on: {
          focus: this.onBottomTrapFocus
        }
      });
    }

    return h('div', {
      staticClass: 'b-sidebar-outer',
      style: {
        zIndex: this.zIndex
      },
      attrs: {
        tabindex: '-1'
      },
      on: {
        keydown: this.onKeydown
      }
    }, [$tabTrapTop, $sidebar, $tabTrapBottom, $backdrop]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/skeleton/index.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/skeleton/index.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BSkeleton: () =&gt; (/* reexport safe */ _skeleton__WEBPACK_IMPORTED_MODULE_1__.BSkeleton),
/* harmony export */   BSkeletonIcon: () =&gt; (/* reexport safe */ _skeleton_icon__WEBPACK_IMPORTED_MODULE_2__.BSkeletonIcon),
/* harmony export */   BSkeletonImg: () =&gt; (/* reexport safe */ _skeleton_img__WEBPACK_IMPORTED_MODULE_3__.BSkeletonImg),
/* harmony export */   BSkeletonTable: () =&gt; (/* reexport safe */ _skeleton_table__WEBPACK_IMPORTED_MODULE_4__.BSkeletonTable),
/* harmony export */   BSkeletonWrapper: () =&gt; (/* reexport safe */ _skeleton_wrapper__WEBPACK_IMPORTED_MODULE_5__.BSkeletonWrapper),
/* harmony export */   SkeletonPlugin: () =&gt; (/* binding */ SkeletonPlugin)
/* harmony export */ });
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");
/* harmony import */ var _skeleton__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./skeleton */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton.js");
/* harmony import */ var _skeleton_icon__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./skeleton-icon */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-icon.js");
/* harmony import */ var _skeleton_img__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./skeleton-img */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-img.js");
/* harmony import */ var _skeleton_table__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./skeleton-table */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-table.js");
/* harmony import */ var _skeleton_wrapper__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./skeleton-wrapper */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-wrapper.js");






var SkeletonPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BSkeleton: _skeleton__WEBPACK_IMPORTED_MODULE_1__.BSkeleton,
    BSkeletonIcon: _skeleton_icon__WEBPACK_IMPORTED_MODULE_2__.BSkeletonIcon,
    BSkeletonImg: _skeleton_img__WEBPACK_IMPORTED_MODULE_3__.BSkeletonImg,
    BSkeletonTable: _skeleton_table__WEBPACK_IMPORTED_MODULE_4__.BSkeletonTable,
    BSkeletonWrapper: _skeleton_wrapper__WEBPACK_IMPORTED_MODULE_5__.BSkeletonWrapper
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-icon.js":
/*!*****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-icon.js ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BSkeletonIcon: () =&gt; (/* binding */ BSkeletonIcon),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _icons__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../icons */ "./node_modules/bootstrap-vue/esm/icons/icon.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  animation: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'wave'),
  icon: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  iconProps: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_OBJECT, {})
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SKELETON_ICON); // --- Main component ---
// @vue/component

var BSkeletonIcon = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SKELETON_ICON,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var data = _ref.data,
        props = _ref.props;
    var icon = props.icon,
        animation = props.animation;
    var $icon = h(_icons__WEBPACK_IMPORTED_MODULE_4__.BIcon, {
      staticClass: 'b-skeleton-icon',
      props: _objectSpread(_objectSpread({}, props.iconProps), {}, {
        icon: icon
      })
    });
    return h('div', (0,_vue__WEBPACK_IMPORTED_MODULE_5__.mergeData)(data, {
      staticClass: 'b-skeleton-icon-wrapper position-relative d-inline-block overflow-hidden',
      class: _defineProperty({}, "b-skeleton-animate-".concat(animation), animation)
    }), [$icon]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-img.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-img.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BSkeletonImg: () =&gt; (/* binding */ BSkeletonImg),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _aspect__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../aspect */ "./node_modules/bootstrap-vue/esm/components/aspect/aspect.js");
/* harmony import */ var _skeleton__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./skeleton */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  animation: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  aspect: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, '16:9'),
  cardImg: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  height: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  noAspect: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  width: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SKELETON_IMG); // --- Main component ---
// @vue/component

var BSkeletonImg = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SKELETON_IMG,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var data = _ref.data,
        props = _ref.props;
    var aspect = props.aspect,
        width = props.width,
        height = props.height,
        animation = props.animation,
        variant = props.variant,
        cardImg = props.cardImg;
    var $img = h(_skeleton__WEBPACK_IMPORTED_MODULE_4__.BSkeleton, (0,_vue__WEBPACK_IMPORTED_MODULE_5__.mergeData)(data, {
      props: {
        type: 'img',
        width: width,
        height: height,
        animation: animation,
        variant: variant
      },
      class: _defineProperty({}, "card-img-".concat(cardImg), cardImg)
    }));
    return props.noAspect ? $img : h(_aspect__WEBPACK_IMPORTED_MODULE_6__.BAspect, {
      props: {
        aspect: aspect
      }
    }, [$img]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-table.js":
/*!******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-table.js ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BSkeletonTable: () =&gt; (/* binding */ BSkeletonTable),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _skeleton__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./skeleton */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton.js");
/* harmony import */ var _table__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../table */ "./node_modules/bootstrap-vue/esm/components/table/table-simple.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Helper methods ---

var isPositiveNumber = function isPositiveNumber(value) {
  return value &gt; 0;
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  animation: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  columns: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER, 5, isPositiveNumber),
  hideHeader: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  rows: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER, 3, isPositiveNumber),
  showFooter: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tableProps: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_OBJECT, {})
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SKELETON_TABLE); // --- Main component ---
// @vue/component

var BSkeletonTable = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SKELETON_TABLE,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var data = _ref.data,
        props = _ref.props;
    var animation = props.animation,
        columns = props.columns;
    var $th = h('th', [h(_skeleton__WEBPACK_IMPORTED_MODULE_4__.BSkeleton, {
      props: {
        animation: animation
      }
    })]);
    var $thTr = h('tr', (0,_utils_array__WEBPACK_IMPORTED_MODULE_5__.createArray)(columns, $th));
    var $td = h('td', [h(_skeleton__WEBPACK_IMPORTED_MODULE_4__.BSkeleton, {
      props: {
        width: '75%',
        animation: animation
      }
    })]);
    var $tdTr = h('tr', (0,_utils_array__WEBPACK_IMPORTED_MODULE_5__.createArray)(columns, $td));
    var $tbody = h('tbody', (0,_utils_array__WEBPACK_IMPORTED_MODULE_5__.createArray)(props.rows, $tdTr));
    var $thead = !props.hideHeader ? h('thead', [$thTr]) : h();
    var $tfoot = props.showFooter ? h('tfoot', [$thTr]) : h();
    return h(_table__WEBPACK_IMPORTED_MODULE_6__.BTableSimple, (0,_vue__WEBPACK_IMPORTED_MODULE_7__.mergeData)(data, {
      props: _objectSpread({}, props.tableProps)
    }), [$thead, $tbody, $tfoot]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-wrapper.js":
/*!********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-wrapper.js ***!
  \********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BSkeletonWrapper: () =&gt; (/* binding */ BSkeletonWrapper),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_normalize_slot__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/normalize-slot */ "./node_modules/bootstrap-vue/esm/utils/normalize-slot.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");





 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  loading: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SKELETON_WRAPPER); // --- Main component ---
// @vue/component

var BSkeletonWrapper = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SKELETON_WRAPPER,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var data = _ref.data,
        props = _ref.props,
        slots = _ref.slots,
        scopedSlots = _ref.scopedSlots;
    var $slots = slots();
    var $scopedSlots = scopedSlots || {};
    var slotScope = {};

    if (props.loading) {
      return h('div', (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
        attrs: {
          role: 'alert',
          'aria-live': 'polite',
          'aria-busy': true
        },
        staticClass: 'b-skeleton-wrapper',
        key: 'loading'
      }), (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_5__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_6__.SLOT_NAME_LOADING, slotScope, $scopedSlots, $slots));
    }

    return (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_5__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_6__.SLOT_NAME_DEFAULT, slotScope, $scopedSlots, $slots);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton.js":
/*!************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/skeleton/skeleton.js ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BSkeleton: () =&gt; (/* binding */ BSkeleton),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }




 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  animation: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'wave'),
  height: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  size: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  type: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'text'),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  width: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SKELETON); // --- Main component ---
// @vue/component

var BSkeleton = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SKELETON,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _class;

    var data = _ref.data,
        props = _ref.props;
    var size = props.size,
        animation = props.animation,
        variant = props.variant;
    return h('div', (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)(data, {
      staticClass: 'b-skeleton',
      style: {
        width: size || props.width,
        height: size || props.height
      },
      class: (_class = {}, _defineProperty(_class, "b-skeleton-".concat(props.type), true), _defineProperty(_class, "b-skeleton-animate-".concat(animation), animation), _defineProperty(_class, "bg-".concat(variant), variant), _class)
    }));
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/spinner/index.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/spinner/index.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BSpinner: () =&gt; (/* reexport safe */ _spinner__WEBPACK_IMPORTED_MODULE_1__.BSpinner),
/* harmony export */   SpinnerPlugin: () =&gt; (/* binding */ SpinnerPlugin)
/* harmony export */ });
/* harmony import */ var _spinner__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./spinner */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var SpinnerPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BSpinner: _spinner__WEBPACK_IMPORTED_MODULE_1__.BSpinner
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/spinner/spinner.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BSpinner: () =&gt; (/* binding */ BSpinner),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/normalize-slot */ "./node_modules/bootstrap-vue/esm/utils/normalize-slot.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  label: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  role: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'status'),
  small: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'span'),
  type: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'border'),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SPINNER); // --- Main component ---
// @vue/component

var BSpinner = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_SPINNER,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _class;

    var props = _ref.props,
        data = _ref.data,
        slots = _ref.slots,
        scopedSlots = _ref.scopedSlots;
    var $slots = slots();
    var $scopedSlots = scopedSlots || {};
    var $label = (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_4__.normalizeSlot)(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_LABEL, {}, $scopedSlots, $slots) || props.label;

    if ($label) {
      $label = h('span', {
        staticClass: 'sr-only'
      }, $label);
    }

    return h(props.tag, (0,_vue__WEBPACK_IMPORTED_MODULE_6__.mergeData)(data, {
      attrs: {
        role: $label ? props.role || 'status' : null,
        'aria-hidden': $label ? null : 'true'
      },
      class: (_class = {}, _defineProperty(_class, "spinner-".concat(props.type), props.type), _defineProperty(_class, "spinner-".concat(props.type, "-sm"), props.small), _defineProperty(_class, "text-".concat(props.variant), props.variant), _class)
    }), [$label || h()]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/constants.js":
/*!******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/constants.js ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   EVENT_FILTER: () =&gt; (/* binding */ EVENT_FILTER),
/* harmony export */   FIELD_KEY_CELL_VARIANT: () =&gt; (/* binding */ FIELD_KEY_CELL_VARIANT),
/* harmony export */   FIELD_KEY_ROW_VARIANT: () =&gt; (/* binding */ FIELD_KEY_ROW_VARIANT),
/* harmony export */   FIELD_KEY_SHOW_DETAILS: () =&gt; (/* binding */ FIELD_KEY_SHOW_DETAILS),
/* harmony export */   IGNORED_FIELD_KEYS: () =&gt; (/* binding */ IGNORED_FIELD_KEYS)
/* harmony export */ });
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

// Constants used by table helpers
var FIELD_KEY_CELL_VARIANT = '_cellVariants';
var FIELD_KEY_ROW_VARIANT = '_rowVariant';
var FIELD_KEY_SHOW_DETAILS = '_showDetails'; // Object of item keys that should be ignored for headers and
// stringification and filter events

var IGNORED_FIELD_KEYS = [FIELD_KEY_CELL_VARIANT, FIELD_KEY_ROW_VARIANT, FIELD_KEY_SHOW_DETAILS].reduce(function (result, key) {
  return _objectSpread(_objectSpread({}, result), {}, _defineProperty({}, key, true));
}, {}); // Filter CSS selector for click/dblclick/etc. events
// If any of these selectors match the clicked element, we ignore the event

var EVENT_FILTER = ['a', 'a *', // Include content inside links
'button', 'button *', // Include content inside buttons
'input:not(.disabled):not([disabled])', 'select:not(.disabled):not([disabled])', 'textarea:not(.disabled):not([disabled])', '[role="link"]', '[role="link"] *', '[role="button"]', '[role="button"] *', '[tabindex]:not(.disabled):not([disabled])'].join(',');

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/default-sort-compare.js":
/*!*****************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/default-sort-compare.js ***!
  \*****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   defaultSortCompare: () =&gt; (/* binding */ defaultSortCompare)
/* harmony export */ });
/* harmony import */ var _utils_get__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../utils/get */ "./node_modules/bootstrap-vue/esm/utils/get.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_stringify_object_values__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/stringify-object-values */ "./node_modules/bootstrap-vue/esm/utils/stringify-object-values.js");





var normalizeValue = function normalizeValue(value) {
  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isUndefinedOrNull)(value)) {
    return '';
  }

  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isNumeric)(value)) {
    return (0,_utils_number__WEBPACK_IMPORTED_MODULE_1__.toFloat)(value, value);
  }

  return value;
}; // Default sort compare routine
//
// TODO:
//   Add option to sort by multiple columns (tri-state per column,
//   plus order of columns in sort) where `sortBy` could be an array
//   of objects `[ {key: 'foo', sortDir: 'asc'}, {key:'bar', sortDir: 'desc'} ...]`
//   or an array of arrays `[ ['foo','asc'], ['bar','desc'] ]`
//   Multisort will most likely be handled in `mixin-sort.js` by
//   calling this method for each sortBy


var defaultSortCompare = function defaultSortCompare(a, b) {
  var _ref = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : {},
      _ref$sortBy = _ref.sortBy,
      sortBy = _ref$sortBy === void 0 ? null : _ref$sortBy,
      _ref$formatter = _ref.formatter,
      formatter = _ref$formatter === void 0 ? null : _ref$formatter,
      _ref$locale = _ref.locale,
      locale = _ref$locale === void 0 ? undefined : _ref$locale,
      _ref$localeOptions = _ref.localeOptions,
      localeOptions = _ref$localeOptions === void 0 ? {} : _ref$localeOptions,
      _ref$nullLast = _ref.nullLast,
      nullLast = _ref$nullLast === void 0 ? false : _ref$nullLast;

  // Get the value by `sortBy`
  var aa = (0,_utils_get__WEBPACK_IMPORTED_MODULE_2__.get)(a, sortBy, null);
  var bb = (0,_utils_get__WEBPACK_IMPORTED_MODULE_2__.get)(b, sortBy, null); // Apply user-provided formatter

  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isFunction)(formatter)) {
    aa = formatter(aa, sortBy, a);
    bb = formatter(bb, sortBy, b);
  } // Internally normalize value
  // `null` / `undefined` =&gt; ''
  // `'0'` =&gt; `0`


  aa = normalizeValue(aa);
  bb = normalizeValue(bb);

  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isDate)(aa) &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isDate)(bb) || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isNumber)(aa) &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isNumber)(bb)) {
    // Special case for comparing dates and numbers
    // Internally dates are compared via their epoch number values
    return aa &lt; bb ? -1 : aa &gt; bb ? 1 : 0;
  } else if (nullLast &amp;&amp; aa === '' &amp;&amp; bb !== '') {
    // Special case when sorting `null` / `undefined` / '' last
    return 1;
  } else if (nullLast &amp;&amp; aa !== '' &amp;&amp; bb === '') {
    // Special case when sorting `null` / `undefined` / '' last
    return -1;
  } // Do localized string comparison


  return (0,_utils_stringify_object_values__WEBPACK_IMPORTED_MODULE_3__.stringifyObjectValues)(aa).localeCompare((0,_utils_stringify_object_values__WEBPACK_IMPORTED_MODULE_3__.stringifyObjectValues)(bb), locale, localeOptions);
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/filter-event.js":
/*!*********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/filter-event.js ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   filterEvent: () =&gt; (/* binding */ filterEvent)
/* harmony export */ });
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _constants__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./constants */ "./node_modules/bootstrap-vue/esm/components/table/helpers/constants.js");


var TABLE_TAG_NAMES = ['TD', 'TH', 'TR']; // Returns `true` if we should ignore the click/double-click/keypress event
// Avoids having the user need to use `@click.stop` on the form control

var filterEvent = function filterEvent(event) {
  // Exit early when we don't have a target element
  if (!event || !event.target) {
    /* istanbul ignore next */
    return false;
  }

  var el = event.target; // Exit early when element is disabled or a table element

  if (el.disabled || TABLE_TAG_NAMES.indexOf(el.tagName) !== -1) {
    return false;
  } // Ignore the click when it was inside a dropdown menu


  if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.closest)('.dropdown-menu', el)) {
    return true;
  }

  var label = el.tagName === 'LABEL' ? el : (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.closest)('label', el); // If the label's form control is not disabled then we don't propagate event
  // Modern browsers have `label.control` that references the associated input, but IE 11
  // does not have this property on the label element, so we resort to DOM lookups

  if (label) {
    var labelFor = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.getAttr)(label, 'for');
    var input = labelFor ? (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.getById)(labelFor) : (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.select)('input, select, textarea', label);

    if (input &amp;&amp; !input.disabled) {
      return true;
    }
  } // Otherwise check if the event target matches one of the selectors in the
  // event filter (i.e. anchors, non disabled inputs, etc.)
  // Return `true` if we should ignore the event


  return (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.matches)(el, _constants__WEBPACK_IMPORTED_MODULE_1__.EVENT_FILTER);
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-bottom-row.js":
/*!*************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-bottom-row.js ***!
  \*************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   bottomRowMixin: () =&gt; (/* binding */ bottomRowMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _tr__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../tr */ "./node_modules/bootstrap-vue/esm/components/table/tr.js");



 // --- Props ---

var props = {}; // --- Mixin ---
// @vue/component

var bottomRowMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  props: props,
  methods: {
    renderBottomRow: function renderBottomRow() {
      var fields = this.computedFields,
          stacked = this.stacked,
          tbodyTrClass = this.tbodyTrClass,
          tbodyTrAttr = this.tbodyTrAttr;
      var h = this.$createElement; // Static bottom row slot (hidden in visibly stacked mode as we can't control the data-label)
      // If in *always* stacked mode, we don't bother rendering the row

      if (!this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_1__.SLOT_NAME_BOTTOM_ROW) || stacked === true || stacked === '') {
        return h();
      }

      return h(_tr__WEBPACK_IMPORTED_MODULE_2__.BTr, {
        staticClass: 'b-table-bottom-row',
        class: [(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(tbodyTrClass) ?
        /* istanbul ignore next */
        tbodyTrClass(null, 'row-bottom') : tbodyTrClass],
        attrs: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(tbodyTrAttr) ?
        /* istanbul ignore next */
        tbodyTrAttr(null, 'row-bottom') : tbodyTrAttr,
        key: 'b-bottom-row'
      }, this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_1__.SLOT_NAME_BOTTOM_ROW, {
        columns: fields.length,
        fields: fields
      }));
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-busy.js":
/*!*******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-busy.js ***!
  \*******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   busyMixin: () =&gt; (/* binding */ busyMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _tr__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../tr */ "./node_modules/bootstrap-vue/esm/components/table/tr.js");
/* harmony import */ var _td__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../td */ "./node_modules/bootstrap-vue/esm/components/table/td.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }









 // --- Constants ---

var MODEL_PROP_NAME_BUSY = 'busy';
var MODEL_EVENT_NAME_BUSY = _constants_events__WEBPACK_IMPORTED_MODULE_0__.MODEL_EVENT_NAME_PREFIX + MODEL_PROP_NAME_BUSY; // --- Props ---

var props = _defineProperty({}, MODEL_PROP_NAME_BUSY, (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false)); // --- Mixin ---
// @vue/component

var busyMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  props: props,
  data: function data() {
    return {
      localBusy: false
    };
  },
  computed: {
    computedBusy: function computedBusy() {
      return this[MODEL_PROP_NAME_BUSY] || this.localBusy;
    }
  },
  watch: {
    localBusy: function localBusy(newValue, oldValue) {
      if (newValue !== oldValue) {
        this.$emit(MODEL_EVENT_NAME_BUSY, newValue);
      }
    }
  },
  methods: {
    // Event handler helper
    stopIfBusy: function stopIfBusy(event) {
      // If table is busy (via provider) then don't propagate
      if (this.computedBusy) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_4__.stopEvent)(event);
        return true;
      }

      return false;
    },
    // Render the busy indicator or return `null` if not busy
    renderBusy: function renderBusy() {
      var tbodyTrClass = this.tbodyTrClass,
          tbodyTrAttr = this.tbodyTrAttr;
      var h = this.$createElement; // Return a busy indicator row, or `null` if not busy

      if (this.computedBusy &amp;&amp; this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_TABLE_BUSY)) {
        return h(_tr__WEBPACK_IMPORTED_MODULE_6__.BTr, {
          staticClass: 'b-table-busy-slot',
          class: [(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isFunction)(tbodyTrClass) ?
          /* istanbul ignore next */
          tbodyTrClass(null, _constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_TABLE_BUSY) : tbodyTrClass],
          attrs: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isFunction)(tbodyTrAttr) ?
          /* istanbul ignore next */
          tbodyTrAttr(null, _constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_TABLE_BUSY) : tbodyTrAttr,
          key: 'table-busy-slot'
        }, [h(_td__WEBPACK_IMPORTED_MODULE_8__.BTd, {
          props: {
            colspan: this.computedFields.length || null
          }
        }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_5__.SLOT_NAME_TABLE_BUSY)])]);
      } // We return `null` here so that we can determine if we need to
      // render the table items rows or not


      return null;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-caption.js":
/*!**********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-caption.js ***!
  \**********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   captionMixin: () =&gt; (/* binding */ captionMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");




 // --- Props ---

var props = {
  caption: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  captionHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING) // `caption-top` is part of table-render mixin (styling)
  // captionTop: makeProp(PROP_TYPE_BOOLEAN, false)

}; // --- Mixin ---
// @vue/component

var captionMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  computed: {
    captionId: function captionId() {
      return this.isStacked ? this.safeId('_caption_') : null;
    }
  },
  methods: {
    renderCaption: function renderCaption() {
      var caption = this.caption,
          captionHtml = this.captionHtml;
      var h = this.$createElement;
      var $caption = h();
      var hasCaptionSlot = this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_3__.SLOT_NAME_TABLE_CAPTION);

      if (hasCaptionSlot || caption || captionHtml) {
        $caption = h('caption', {
          attrs: {
            id: this.captionId
          },
          domProps: hasCaptionSlot ? {} : (0,_utils_html__WEBPACK_IMPORTED_MODULE_4__.htmlOrText)(captionHtml, caption),
          key: 'caption',
          ref: 'caption'
        }, this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_3__.SLOT_NAME_TABLE_CAPTION));
      }

      return $caption;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-colgroup.js":
/*!***********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-colgroup.js ***!
  \***********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   colgroupMixin: () =&gt; (/* binding */ colgroupMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");

 // --- Props ---

var props = {}; // --- Mixin ---
// @vue/component

var colgroupMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  methods: {
    renderColgroup: function renderColgroup() {
      var fields = this.computedFields;
      var h = this.$createElement;
      var $colgroup = h();

      if (this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_1__.SLOT_NAME_TABLE_COLGROUP)) {
        $colgroup = h('colgroup', {
          key: 'colgroup'
        }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_1__.SLOT_NAME_TABLE_COLGROUP, {
          columns: fields.length,
          fields: fields
        })]);
      }

      return $colgroup;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-empty.js":
/*!********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-empty.js ***!
  \********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   emptyMixin: () =&gt; (/* binding */ emptyMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* harmony import */ var _tr__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../tr */ "./node_modules/bootstrap-vue/esm/components/table/tr.js");
/* harmony import */ var _td__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../td */ "./node_modules/bootstrap-vue/esm/components/table/td.js");








 // --- Props ---

var props = {
  emptyFilteredHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  emptyFilteredText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'There are no records matching your request'),
  emptyHtml: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  emptyText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'There are no records to show'),
  showEmpty: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
}; // --- Mixin ---
// @vue/component

var emptyMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  methods: {
    renderEmpty: function renderEmpty() {
      var _safeVueInstance = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_3__.safeVueInstance)(this),
          items = _safeVueInstance.computedItems,
          computedBusy = _safeVueInstance.computedBusy;

      var h = this.$createElement;
      var $empty = h();

      if (this.showEmpty &amp;&amp; (!items || items.length === 0) &amp;&amp; !(computedBusy &amp;&amp; this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_4__.SLOT_NAME_TABLE_BUSY))) {
        var fields = this.computedFields,
            isFiltered = this.isFiltered,
            emptyText = this.emptyText,
            emptyHtml = this.emptyHtml,
            emptyFilteredText = this.emptyFilteredText,
            emptyFilteredHtml = this.emptyFilteredHtml,
            tbodyTrClass = this.tbodyTrClass,
            tbodyTrAttr = this.tbodyTrAttr;
        $empty = this.normalizeSlot(isFiltered ? _constants_slots__WEBPACK_IMPORTED_MODULE_4__.SLOT_NAME_EMPTYFILTERED : _constants_slots__WEBPACK_IMPORTED_MODULE_4__.SLOT_NAME_EMPTY, {
          emptyFilteredHtml: emptyFilteredHtml,
          emptyFilteredText: emptyFilteredText,
          emptyHtml: emptyHtml,
          emptyText: emptyText,
          fields: fields,
          // Not sure why this is included, as it will always be an empty array
          items: items
        });

        if (!$empty) {
          $empty = h('div', {
            class: ['text-center', 'my-2'],
            domProps: isFiltered ? (0,_utils_html__WEBPACK_IMPORTED_MODULE_5__.htmlOrText)(emptyFilteredHtml, emptyFilteredText) : (0,_utils_html__WEBPACK_IMPORTED_MODULE_5__.htmlOrText)(emptyHtml, emptyText)
          });
        }

        $empty = h(_td__WEBPACK_IMPORTED_MODULE_6__.BTd, {
          props: {
            colspan: fields.length || null
          }
        }, [h('div', {
          attrs: {
            role: 'alert',
            'aria-live': 'polite'
          }
        }, [$empty])]);
        $empty = h(_tr__WEBPACK_IMPORTED_MODULE_7__.BTr, {
          staticClass: 'b-table-empty-row',
          class: [(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_8__.isFunction)(tbodyTrClass) ?
          /* istanbul ignore next */
          tbodyTrClass(null, 'row-empty') : tbodyTrClass],
          attrs: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_8__.isFunction)(tbodyTrAttr) ?
          /* istanbul ignore next */
          tbodyTrAttr(null, 'row-empty') : tbodyTrAttr,
          key: isFiltered ? 'b-empty-filtered-row' : 'b-empty-row'
        }, [$empty]);
      }

      return $empty;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-filtering.js":
/*!************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-filtering.js ***!
  \************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   filteringMixin: () =&gt; (/* binding */ filteringMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_clone_deep__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../../utils/clone-deep */ "./node_modules/bootstrap-vue/esm/utils/clone-deep.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
/* harmony import */ var _stringify_record_values__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ./stringify-record-values */ "./node_modules/bootstrap-vue/esm/components/table/helpers/stringify-record-values.js");
function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _unsupportedIterableToArray(arr) || _nonIterableSpread(); }

function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _iterableToArray(iter) { if (typeof Symbol !== "undefined" &amp;&amp; iter[Symbol.iterator] != null || iter["@@iterator"] != null) return Array.from(iter); }

function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) return _arrayLikeToArray(arr); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }















 // --- Constants ---

var DEBOUNCE_DEPRECATED_MSG = 'Prop "filter-debounce" is deprecated. Use the debounce feature of "&lt;b-form-input&gt;" instead.'; // --- Props ---

var props = {
  filter: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)([].concat(_toConsumableArray(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING), [_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_REG_EXP])),
  filterDebounce: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0, function (value) {
    return _constants_regex__WEBPACK_IMPORTED_MODULE_2__.RX_DIGITS.test(String(value));
  }),
  filterFunction: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_FUNCTION),
  filterIgnoredFields: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY, []),
  filterIncludedFields: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY, [])
}; // --- Mixin ---
// @vue/component

var filteringMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  props: props,
  data: function data() {
    return {
      // Flag for displaying which empty slot to show and some event triggering
      isFiltered: false,
      // Where we store the copy of the filter criteria after debouncing
      // We pre-set it with the sanitized filter value
      localFilter: this.filterSanitize(this.filter)
    };
  },
  computed: {
    computedFilterIgnored: function computedFilterIgnored() {
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.concat)(this.filterIgnoredFields || []).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_5__.identity);
    },
    computedFilterIncluded: function computedFilterIncluded() {
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_4__.concat)(this.filterIncludedFields || []).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_5__.identity);
    },
    computedFilterDebounce: function computedFilterDebounce() {
      var ms = (0,_utils_number__WEBPACK_IMPORTED_MODULE_6__.toInteger)(this.filterDebounce, 0);
      /* istanbul ignore next */

      if (ms &gt; 0) {
        (0,_utils_warn__WEBPACK_IMPORTED_MODULE_7__.warn)(DEBOUNCE_DEPRECATED_MSG, _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_TABLE);
      }

      return ms;
    },
    localFiltering: function localFiltering() {
      return this.hasProvider ? !!this.noProviderFiltering : true;
    },
    // For watching changes to `filteredItems` vs `localItems`
    filteredCheck: function filteredCheck() {
      var filteredItems = this.filteredItems,
          localItems = this.localItems,
          localFilter = this.localFilter;
      return {
        filteredItems: filteredItems,
        localItems: localItems,
        localFilter: localFilter
      };
    },
    // Sanitized/normalize filter-function prop
    localFilterFn: function localFilterFn() {
      // Return `null` to signal to use internal filter function
      var filterFunction = this.filterFunction;
      return (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.hasPropFunction)(filterFunction) ? filterFunction : null;
    },
    // Returns the records in `localItems` that match the filter criteria
    // Returns the original `localItems` array if not sorting
    filteredItems: function filteredItems() {
      // Note the criteria is debounced and sanitized
      var items = this.localItems,
          criteria = this.localFilter; // Resolve the filtering function, when requested
      // We prefer the provided filtering function and fallback to the internal one
      // When no filtering criteria is specified the filtering factories will return `null`

      var filterFn = this.localFiltering ? this.filterFnFactory(this.localFilterFn, criteria) || this.defaultFilterFnFactory(criteria) : null; // We only do local filtering when requested and there are records to filter

      return filterFn &amp;&amp; items.length &gt; 0 ? items.filter(filterFn) : items;
    }
  },
  watch: {
    // Watch for debounce being set to 0
    computedFilterDebounce: function computedFilterDebounce(newValue) {
      if (!newValue &amp;&amp; this.$_filterTimer) {
        this.clearFilterTimer();
        this.localFilter = this.filterSanitize(this.filter);
      }
    },
    // Watch for changes to the filter criteria, and debounce if necessary
    filter: {
      // We need a deep watcher in case the user passes
      // an object when using `filter-function`
      deep: true,
      handler: function handler(newCriteria) {
        var _this = this;

        var timeout = this.computedFilterDebounce;
        this.clearFilterTimer();

        if (timeout &amp;&amp; timeout &gt; 0) {
          // If we have a debounce time, delay the update of `localFilter`
          this.$_filterTimer = setTimeout(function () {
            _this.localFilter = _this.filterSanitize(newCriteria);
          }, timeout);
        } else {
          // Otherwise, immediately update `localFilter` with `newFilter` value
          this.localFilter = this.filterSanitize(newCriteria);
        }
      }
    },
    // Watch for changes to the filter criteria and filtered items vs `localItems`
    // Set visual state and emit events as required
    filteredCheck: function filteredCheck(_ref) {
      var filteredItems = _ref.filteredItems,
          localFilter = _ref.localFilter;
      // Determine if the dataset is filtered or not
      var isFiltered = false;

      if (!localFilter) {
        // If filter criteria is falsey
        isFiltered = false;
      } else if ((0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__.looseEqual)(localFilter, []) || (0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__.looseEqual)(localFilter, {})) {
        // If filter criteria is an empty array or object
        isFiltered = false;
      } else if (localFilter) {
        // If filter criteria is truthy
        isFiltered = true;
      }

      if (isFiltered) {
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_FILTERED, filteredItems, filteredItems.length);
      }

      this.isFiltered = isFiltered;
    },
    isFiltered: function isFiltered(newValue, oldValue) {
      if (newValue === false &amp;&amp; oldValue === true) {
        // We need to emit a filtered event if `isFiltered` transitions from `true` to
        // `false` so that users can update their pagination controls
        var localItems = this.localItems;
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_FILTERED, localItems, localItems.length);
      }
    }
  },
  created: function created() {
    var _this2 = this;

    // Create private non-reactive props
    this.$_filterTimer = null; // If filter is "pre-set", set the criteria
    // This will trigger any watchers/dependents
    // this.localFilter = this.filterSanitize(this.filter)
    // Set the initial filtered state in a `$nextTick()` so that
    // we trigger a filtered event if needed

    this.$nextTick(function () {
      _this2.isFiltered = Boolean(_this2.localFilter);
    });
  },
  beforeDestroy: function beforeDestroy() {
    this.clearFilterTimer();
  },
  methods: {
    clearFilterTimer: function clearFilterTimer() {
      clearTimeout(this.$_filterTimer);
      this.$_filterTimer = null;
    },
    filterSanitize: function filterSanitize(criteria) {
      // Sanitizes filter criteria based on internal or external filtering
      if (this.localFiltering &amp;&amp; !this.localFilterFn &amp;&amp; !((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isString)(criteria) || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isRegExp)(criteria))) {
        // If using internal filter function, which only accepts string or RegExp,
        // return '' to signify no filter
        return '';
      } // Could be a string, object or array, as needed by external filter function
      // We use `cloneDeep` to ensure we have a new copy of an object or array
      // without Vue's reactive observers


      return (0,_utils_clone_deep__WEBPACK_IMPORTED_MODULE_12__.cloneDeep)(criteria);
    },
    // Filter Function factories
    filterFnFactory: function filterFnFactory(filterFn, criteria) {
      // Wrapper factory for external filter functions
      // Wrap the provided filter-function and return a new function
      // Returns `null` if no filter-function defined or if criteria is falsey
      // Rather than directly grabbing `this.computedLocalFilterFn` or `this.filterFunction`
      // we have it passed, so that the caller computed prop will be reactive to changes
      // in the original filter-function (as this routine is a method)
      if (!filterFn || !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isFunction)(filterFn) || !criteria || (0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__.looseEqual)(criteria, []) || (0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__.looseEqual)(criteria, {})) {
        return null;
      } // Build the wrapped filter test function, passing the criteria to the provided function


      var fn = function fn(item) {
        // Generated function returns true if the criteria matches part
        // of the serialized data, otherwise false
        return filterFn(item, criteria);
      }; // Return the wrapped function


      return fn;
    },
    defaultFilterFnFactory: function defaultFilterFnFactory(criteria) {
      var _this3 = this;

      // Generates the default filter function, using the given filter criteria
      // Returns `null` if no criteria or criteria format not supported
      if (!criteria || !((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isString)(criteria) || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isRegExp)(criteria))) {
        // Built in filter can only support strings or RegExp criteria (at the moment)
        return null;
      } // Build the RegExp needed for filtering


      var regExp = criteria;

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_11__.isString)(regExp)) {
        // Escape special RegExp characters in the string and convert contiguous
        // whitespace to \s+ matches
        var pattern = (0,_utils_string__WEBPACK_IMPORTED_MODULE_13__.escapeRegExp)(criteria).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_2__.RX_SPACES, '\\s+'); // Build the RegExp (no need for global flag, as we only need
        // to find the value once in the string)

        regExp = new RegExp(".*".concat(pattern, ".*"), 'i');
      } // Generate the wrapped filter test function to use


      var fn = function fn(item) {
        // This searches all row values (and sub property values) in the entire (excluding
        // special `_` prefixed keys), because we convert the record to a space-separated
        // string containing all the value properties (recursively), even ones that are
        // not visible (not specified in this.fields)
        // Users can ignore filtering on specific fields, or on only certain fields,
        // and can optionall specify searching results of fields with formatter
        //
        // TODO: Enable searching on scoped slots (optional, as it will be SLOW)
        //
        // Generated function returns true if the criteria matches part of
        // the serialized data, otherwise false
        //
        // We set `lastIndex = 0` on the `RegExp` in case someone specifies the `/g` global flag
        regExp.lastIndex = 0;
        return regExp.test((0,_stringify_record_values__WEBPACK_IMPORTED_MODULE_14__.stringifyRecordValues)(item, _this3.computedFilterIgnored, _this3.computedFilterIncluded, _this3.computedFieldsObj));
      }; // Return the generated function


      return fn;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-items.js":
/*!********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-items.js ***!
  \********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   MODEL_EVENT_NAME: () =&gt; (/* binding */ MODEL_EVENT_NAME),
/* harmony export */   MODEL_PROP_NAME: () =&gt; (/* binding */ MODEL_PROP_NAME),
/* harmony export */   itemsMixin: () =&gt; (/* binding */ itemsMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _mixins_use_parent__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../mixins/use-parent */ "./node_modules/bootstrap-vue/esm/mixins/use-parent.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* harmony import */ var _normalize_fields__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./normalize-fields */ "./node_modules/bootstrap-vue/esm/components/table/helpers/normalize-fields.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }













 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY,
  defaultValue: []
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event;

 // --- Props ---

var props = (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread({}, modelProps), {}, _defineProperty({
  fields: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY, null),
  // Provider mixin adds in `Function` type
  items: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY, []),
  // Primary key for record
  // If provided the value in each row must be unique!
  primaryKey: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, MODEL_PROP_NAME, (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY, [])))); // --- Mixin ---
// @vue/component

var itemsMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  mixins: [modelMixin, _mixins_use_parent__WEBPACK_IMPORTED_MODULE_5__.useParentMixin],
  props: props,
  data: function data() {
    var items = this.items;
    return {
      // Our local copy of the items
      // Must be an array
      localItems: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isArray)(items) ? items.slice() : []
    };
  },
  computed: {
    computedFields: function computedFields() {
      // We normalize fields into an array of objects
      // `[ { key:..., label:..., ...}, {...}, ..., {..}]`
      return (0,_normalize_fields__WEBPACK_IMPORTED_MODULE_7__.normalizeFields)(this.fields, this.localItems);
    },
    computedFieldsObj: function computedFieldsObj() {
      // Fields as a simple lookup hash object
      // Mainly for formatter lookup and use in `scopedSlots` for convenience
      // If the field has a formatter, it normalizes formatter to a
      // function ref or `undefined` if no formatter
      var bvParent = this.bvParent;
      return this.computedFields.reduce(function (obj, f) {
        // We use object spread here so we don't mutate the original field object
        obj[f.key] = (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.clone)(f);

        if (f.formatter) {
          // Normalize formatter to a function ref or `undefined`
          var formatter = f.formatter;

          if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isString)(formatter) &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isFunction)(bvParent[formatter])) {
            formatter = bvParent[formatter];
          } else if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isFunction)(formatter)) {
            /* istanbul ignore next */
            formatter = undefined;
          } // Return formatter function or `undefined` if none


          obj[f.key].formatter = formatter;
        }

        return obj;
      }, {});
    },
    computedItems: function computedItems() {
      var _safeVueInstance = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_8__.safeVueInstance)(this),
          paginatedItems = _safeVueInstance.paginatedItems,
          sortedItems = _safeVueInstance.sortedItems,
          filteredItems = _safeVueInstance.filteredItems,
          localItems = _safeVueInstance.localItems; // Fallback if various mixins not provided


      return (paginatedItems || sortedItems || filteredItems || localItems ||
      /* istanbul ignore next */
      []).slice();
    },
    context: function context() {
      var _safeVueInstance2 = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_8__.safeVueInstance)(this),
          perPage = _safeVueInstance2.perPage,
          currentPage = _safeVueInstance2.currentPage; // Current state of sorting, filtering and pagination props/values


      return {
        filter: this.localFilter,
        sortBy: this.localSortBy,
        sortDesc: this.localSortDesc,
        perPage: (0,_utils_math__WEBPACK_IMPORTED_MODULE_9__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_10__.toInteger)(perPage, 0), 0),
        currentPage: (0,_utils_math__WEBPACK_IMPORTED_MODULE_9__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_10__.toInteger)(currentPage, 0), 1),
        apiUrl: this.apiUrl
      };
    }
  },
  watch: {
    items: function items(newValue) {
      // Set `localItems`/`filteredItems` to a copy of the provided array
      this.localItems = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isArray)(newValue) ? newValue.slice() : [];
    },
    // Watch for changes on `computedItems` and update the `v-model`
    computedItems: function computedItems(newValue, oldValue) {
      if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_11__.looseEqual)(newValue, oldValue)) {
        this.$emit(MODEL_EVENT_NAME, newValue);
      }
    },
    // Watch for context changes
    context: function context(newValue, oldValue) {
      // Emit context information for external paging/filtering/sorting handling
      if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_11__.looseEqual)(newValue, oldValue)) {
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_12__.EVENT_NAME_CONTEXT_CHANGED, newValue);
      }
    }
  },
  mounted: function mounted() {
    // Initially update the `v-model` of displayed items
    this.$emit(MODEL_EVENT_NAME, this.computedItems);
  },
  methods: {
    // Method to get the formatter method for a given field key
    getFieldFormatter: function getFieldFormatter(key) {
      var field = this.computedFieldsObj[key]; // `this.computedFieldsObj` has pre-normalized the formatter to a
      // function ref if present, otherwise `undefined`

      return field ? field.formatter : undefined;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-pagination.js":
/*!*************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-pagination.js ***!
  \*************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   paginationMixin: () =&gt; (/* binding */ paginationMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");





 // --- Props ---

var props = {
  currentPage: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 1),
  perPage: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0)
}; // --- Mixin ---
// @vue/component

var paginationMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  computed: {
    localPaging: function localPaging() {
      return this.hasProvider ? !!this.noProviderPaging : true;
    },
    paginatedItems: function paginatedItems() {
      var _safeVueInstance = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_3__.safeVueInstance)(this),
          sortedItems = _safeVueInstance.sortedItems,
          filteredItems = _safeVueInstance.filteredItems,
          localItems = _safeVueInstance.localItems;

      var items = sortedItems || filteredItems || localItems || [];
      var currentPage = (0,_utils_math__WEBPACK_IMPORTED_MODULE_4__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toInteger)(this.currentPage, 1), 1);
      var perPage = (0,_utils_math__WEBPACK_IMPORTED_MODULE_4__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toInteger)(this.perPage, 0), 0); // Apply local pagination

      if (this.localPaging &amp;&amp; perPage) {
        // Grab the current page of data (which may be past filtered items limit)
        items = items.slice((currentPage - 1) * perPage, currentPage * perPage);
      } // Return the items to display in the table


      return items;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-provider.js":
/*!***********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-provider.js ***!
  \***********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   providerMixin: () =&gt; (/* binding */ providerMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
/* harmony import */ var _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../mixins/listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");











 // --- Constants ---

var ROOT_EVENT_NAME_REFRESHED = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TABLE, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_REFRESHED);
var ROOT_ACTION_EVENT_NAME_REFRESH = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TABLE, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_REFRESH); // --- Props ---

var props = {
  // Passed to the context object
  // Not used by `&lt;b-table&gt;` directly
  apiUrl: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING),
  // Adds in 'Function' support
  items: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_ARRAY_FUNCTION, []),
  noProviderFiltering: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false),
  noProviderPaging: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false),
  noProviderSorting: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false)
}; // --- Mixin ---
// @vue/component

var providerMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  mixins: [_mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_6__.listenOnRootMixin],
  props: props,
  computed: {
    hasProvider: function hasProvider() {
      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isFunction)(this.items);
    },
    providerTriggerContext: function providerTriggerContext() {
      // Used to trigger the provider function via a watcher. Only the fields that
      // are needed for triggering a provider update are included. Note that the
      // regular this.context is sent to the provider during fetches though, as they
      // may need all the prop info.
      var ctx = {
        apiUrl: this.apiUrl,
        filter: null,
        sortBy: null,
        sortDesc: null,
        perPage: null,
        currentPage: null
      };

      if (!this.noProviderFiltering) {
        // Either a string, or could be an object or array.
        ctx.filter = this.localFilter;
      }

      if (!this.noProviderSorting) {
        ctx.sortBy = this.localSortBy;
        ctx.sortDesc = this.localSortDesc;
      }

      if (!this.noProviderPaging) {
        ctx.perPage = this.perPage;
        ctx.currentPage = this.currentPage;
      }

      return (0,_utils_object__WEBPACK_IMPORTED_MODULE_8__.clone)(ctx);
    }
  },
  watch: {
    // Provider update triggering
    items: function items(newValue) {
      // If a new provider has been specified, trigger an update
      if (this.hasProvider || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isFunction)(newValue)) {
        this.$nextTick(this._providerUpdate);
      }
    },
    providerTriggerContext: function providerTriggerContext(newValue, oldValue) {
      // Trigger the provider to update as the relevant context values have changed.
      if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_9__.looseEqual)(newValue, oldValue)) {
        this.$nextTick(this._providerUpdate);
      }
    }
  },
  mounted: function mounted() {
    var _this = this;

    // Call the items provider if necessary
    if (this.hasProvider &amp;&amp; (!this.localItems || this.localItems.length === 0)) {
      // Fetch on mount if localItems is empty
      this._providerUpdate();
    } // Listen for global messages to tell us to force refresh the table


    this.listenOnRoot(ROOT_ACTION_EVENT_NAME_REFRESH, function (id) {
      if (id === _this.id || id === _this) {
        _this.refresh();
      }
    });
  },
  methods: {
    refresh: function refresh() {
      var _safeVueInstance = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_10__.safeVueInstance)(this),
          items = _safeVueInstance.items,
          refresh = _safeVueInstance.refresh,
          computedBusy = _safeVueInstance.computedBusy; // Public Method: Force a refresh of the provider function


      this.$off(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_REFRESHED, refresh);

      if (computedBusy) {
        // Can't force an update when forced busy by user (busy prop === true)
        if (this.localBusy &amp;&amp; this.hasProvider) {
          // But if provider running (localBusy), re-schedule refresh once `refreshed` emitted
          this.$on(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_REFRESHED, refresh);
        }
      } else {
        this.clearSelected();

        if (this.hasProvider) {
          this.$nextTick(this._providerUpdate);
        } else {
          /* istanbul ignore next */
          this.localItems = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isArray)(items) ? items.slice() : [];
        }
      }
    },
    // Provider related methods
    _providerSetLocal: function _providerSetLocal(items) {
      this.localItems = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isArray)(items) ? items.slice() : [];
      this.localBusy = false;
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_REFRESHED); // New root emit

      if (this.id) {
        this.emitOnRoot(ROOT_EVENT_NAME_REFRESHED, this.id);
      }
    },
    _providerUpdate: function _providerUpdate() {
      var _this2 = this;

      // Refresh the provider function items.
      if (!this.hasProvider) {
        // Do nothing if no provider
        return;
      } // If table is busy, wait until refreshed before calling again


      if ((0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_10__.safeVueInstance)(this).computedBusy) {
        // Schedule a new refresh once `refreshed` is emitted
        this.$nextTick(this.refresh);
        return;
      } // Set internal busy state


      this.localBusy = true; // Call provider function with context and optional callback after DOM is fully updated

      this.$nextTick(function () {
        try {
          // Call provider function passing it the context and optional callback
          var data = _this2.items(_this2.context, _this2._providerSetLocal);

          if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isPromise)(data)) {
            // Provider returned Promise
            data.then(function (items) {
              // Provider resolved with items
              _this2._providerSetLocal(items);
            });
          } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isArray)(data)) {
            // Provider returned Array data
            _this2._providerSetLocal(data);
          } else {
            /* istanbul ignore if */
            if (_this2.items.length !== 2) {
              // Check number of arguments provider function requested
              // Provider not using callback (didn't request second argument), so we clear
              // busy state as most likely there was an error in the provider function

              /* istanbul ignore next */
              (0,_utils_warn__WEBPACK_IMPORTED_MODULE_11__.warn)("Provider function didn't request callback and did not return a promise or data.", _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TABLE);
              _this2.localBusy = false;
            }
          }
        } catch (e)
        /* istanbul ignore next */
        {
          // Provider function borked on us, so we spew out a warning
          // and clear the busy state
          (0,_utils_warn__WEBPACK_IMPORTED_MODULE_11__.warn)("Provider function error [".concat(e.name, "] ").concat(e.message, "."), _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TABLE);
          _this2.localBusy = false;

          _this2.$off(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_REFRESHED, _this2.refresh);
        }
      });
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-selectable.js":
/*!*************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-selectable.js ***!
  \*************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   selectableMixin: () =&gt; (/* binding */ selectableMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _sanitize_row__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./sanitize-row */ "./node_modules/bootstrap-vue/esm/components/table/helpers/sanitize-row.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }











 // --- Constants ---

var SELECT_MODES = ['range', 'multi', 'single'];
var ROLE_GRID = 'grid'; // --- Props ---

var props = {
  // Disable use of click handlers for row selection
  noSelectOnClick: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  selectMode: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'multi', function (value) {
    return (0,_utils_array__WEBPACK_IMPORTED_MODULE_2__.arrayIncludes)(SELECT_MODES, value);
  }),
  selectable: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  selectedVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'active')
}; // --- Mixin ---
// @vue/component

var selectableMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  props: props,
  data: function data() {
    return {
      selectedRows: [],
      selectedLastRow: -1
    };
  },
  computed: {
    isSelectable: function isSelectable() {
      return this.selectable &amp;&amp; this.selectMode;
    },
    hasSelectableRowClick: function hasSelectableRowClick() {
      return this.isSelectable &amp;&amp; !this.noSelectOnClick;
    },
    supportsSelectableRows: function supportsSelectableRows() {
      return true;
    },
    selectableHasSelection: function selectableHasSelection() {
      var selectedRows = this.selectedRows;
      return this.isSelectable &amp;&amp; selectedRows &amp;&amp; selectedRows.length &gt; 0 &amp;&amp; selectedRows.some(_utils_identity__WEBPACK_IMPORTED_MODULE_4__.identity);
    },
    selectableIsMultiSelect: function selectableIsMultiSelect() {
      return this.isSelectable &amp;&amp; (0,_utils_array__WEBPACK_IMPORTED_MODULE_2__.arrayIncludes)(['range', 'multi'], this.selectMode);
    },
    selectableTableClasses: function selectableTableClasses() {
      var _ref;

      var isSelectable = this.isSelectable;
      return _ref = {
        'b-table-selectable': isSelectable
      }, _defineProperty(_ref, "b-table-select-".concat(this.selectMode), isSelectable), _defineProperty(_ref, 'b-table-selecting', this.selectableHasSelection), _defineProperty(_ref, 'b-table-selectable-no-click', isSelectable &amp;&amp; !this.hasSelectableRowClick), _ref;
    },
    selectableTableAttrs: function selectableTableAttrs() {
      if (!this.isSelectable) {
        return {};
      }

      var role = this.bvAttrs.role || ROLE_GRID;
      return {
        role: role,
        // TODO:
        //   Should this attribute not be included when `no-select-on-click` is set
        //   since this attribute implies keyboard navigation?
        'aria-multiselectable': role === ROLE_GRID ? (0,_utils_string__WEBPACK_IMPORTED_MODULE_5__.toString)(this.selectableIsMultiSelect) : null
      };
    }
  },
  watch: {
    computedItems: function computedItems(newValue, oldValue) {
      // Reset for selectable
      var equal = false;

      if (this.isSelectable &amp;&amp; this.selectedRows.length &gt; 0) {
        // Quick check against array length
        equal = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isArray)(newValue) &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isArray)(oldValue) &amp;&amp; newValue.length === oldValue.length;

        for (var i = 0; equal &amp;&amp; i &lt; newValue.length; i++) {
          // Look for the first non-loosely equal row, after ignoring reserved fields
          equal = (0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_7__.looseEqual)((0,_sanitize_row__WEBPACK_IMPORTED_MODULE_8__.sanitizeRow)(newValue[i]), (0,_sanitize_row__WEBPACK_IMPORTED_MODULE_8__.sanitizeRow)(oldValue[i]));
        }
      }

      if (!equal) {
        this.clearSelected();
      }
    },
    selectable: function selectable(newValue) {
      this.clearSelected();
      this.setSelectionHandlers(newValue);
    },
    selectMode: function selectMode() {
      this.clearSelected();
    },
    hasSelectableRowClick: function hasSelectableRowClick(newValue) {
      this.clearSelected();
      this.setSelectionHandlers(!newValue);
    },
    selectedRows: function selectedRows(_selectedRows, oldValue) {
      var _this = this;

      if (this.isSelectable &amp;&amp; !(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_7__.looseEqual)(_selectedRows, oldValue)) {
        var items = []; // `.forEach()` skips over non-existent indices (on sparse arrays)

        _selectedRows.forEach(function (v, idx) {
          if (v) {
            items.push(_this.computedItems[idx]);
          }
        });

        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_9__.EVENT_NAME_ROW_SELECTED, items);
      }
    }
  },
  beforeMount: function beforeMount() {
    // Set up handlers if needed
    if (this.isSelectable) {
      this.setSelectionHandlers(true);
    }
  },
  methods: {
    // Public methods
    selectRow: function selectRow(index) {
      // Select a particular row (indexed based on computedItems)
      if (this.isSelectable &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isNumber)(index) &amp;&amp; index &gt;= 0 &amp;&amp; index &lt; this.computedItems.length &amp;&amp; !this.isRowSelected(index)) {
        var selectedRows = this.selectableIsMultiSelect ? this.selectedRows.slice() : [];
        selectedRows[index] = true;
        this.selectedLastClicked = -1;
        this.selectedRows = selectedRows;
      }
    },
    unselectRow: function unselectRow(index) {
      // Un-select a particular row (indexed based on `computedItems`)
      if (this.isSelectable &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isNumber)(index) &amp;&amp; this.isRowSelected(index)) {
        var selectedRows = this.selectedRows.slice();
        selectedRows[index] = false;
        this.selectedLastClicked = -1;
        this.selectedRows = selectedRows;
      }
    },
    selectAllRows: function selectAllRows() {
      var length = this.computedItems.length;

      if (this.isSelectable &amp;&amp; length &gt; 0) {
        this.selectedLastClicked = -1;
        this.selectedRows = this.selectableIsMultiSelect ? (0,_utils_array__WEBPACK_IMPORTED_MODULE_2__.createArray)(length, true) : [true];
      }
    },
    isRowSelected: function isRowSelected(index) {
      // Determine if a row is selected (indexed based on `computedItems`)
      return !!((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isNumber)(index) &amp;&amp; this.selectedRows[index]);
    },
    clearSelected: function clearSelected() {
      // Clear any active selected row(s)
      this.selectedLastClicked = -1;
      this.selectedRows = [];
    },
    // Internal private methods
    selectableRowClasses: function selectableRowClasses(index) {
      if (this.isSelectable &amp;&amp; this.isRowSelected(index)) {
        var variant = this.selectedVariant;
        return _defineProperty({
          'b-table-row-selected': true
        }, "".concat(this.dark ? 'bg' : 'table', "-").concat(variant), variant);
      }

      return {};
    },
    selectableRowAttrs: function selectableRowAttrs(index) {
      return {
        'aria-selected': !this.isSelectable ? null : this.isRowSelected(index) ? 'true' : 'false'
      };
    },
    setSelectionHandlers: function setSelectionHandlers(on) {
      var method = on &amp;&amp; !this.noSelectOnClick ? '$on' : '$off'; // Handle row-clicked event

      this[method](_constants_events__WEBPACK_IMPORTED_MODULE_9__.EVENT_NAME_ROW_CLICKED, this.selectionHandler); // Clear selection on filter, pagination, and sort changes

      this[method](_constants_events__WEBPACK_IMPORTED_MODULE_9__.EVENT_NAME_FILTERED, this.clearSelected);
      this[method](_constants_events__WEBPACK_IMPORTED_MODULE_9__.EVENT_NAME_CONTEXT_CHANGED, this.clearSelected);
    },
    selectionHandler: function selectionHandler(item, index, event) {
      /* istanbul ignore if: should never happen */
      if (!this.isSelectable || this.noSelectOnClick) {
        // Don't do anything if table is not in selectable mode
        this.clearSelected();
        return;
      }

      var selectMode = this.selectMode,
          selectedLastRow = this.selectedLastRow;
      var selectedRows = this.selectedRows.slice();
      var selected = !selectedRows[index]; // Note 'multi' mode needs no special event handling

      if (selectMode === 'single') {
        selectedRows = [];
      } else if (selectMode === 'range') {
        if (selectedLastRow &gt; -1 &amp;&amp; event.shiftKey) {
          // range
          for (var idx = (0,_utils_math__WEBPACK_IMPORTED_MODULE_10__.mathMin)(selectedLastRow, index); idx &lt;= (0,_utils_math__WEBPACK_IMPORTED_MODULE_10__.mathMax)(selectedLastRow, index); idx++) {
            selectedRows[idx] = true;
          }

          selected = true;
        } else {
          if (!(event.ctrlKey || event.metaKey)) {
            // Clear range selection if any
            selectedRows = [];
            selected = true;
          }

          if (selected) this.selectedLastRow = index;
        }
      }

      selectedRows[index] = selected;
      this.selectedRows = selectedRows;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-sorting.js":
/*!**********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-sorting.js ***!
  \**********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   sortingMixin: () =&gt; (/* binding */ sortingMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* harmony import */ var _utils_stable_sort__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/stable-sort */ "./node_modules/bootstrap-vue/esm/utils/stable-sort.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _default_sort_compare__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./default-sort-compare */ "./node_modules/bootstrap-vue/esm/components/table/helpers/default-sort-compare.js");
var _props, _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }










 // --- Constants ---

var MODEL_PROP_NAME_SORT_BY = 'sortBy';
var MODEL_EVENT_NAME_SORT_BY = _constants_events__WEBPACK_IMPORTED_MODULE_0__.MODEL_EVENT_NAME_PREFIX + MODEL_PROP_NAME_SORT_BY;
var MODEL_PROP_NAME_SORT_DESC = 'sortDesc';
var MODEL_EVENT_NAME_SORT_DESC = _constants_events__WEBPACK_IMPORTED_MODULE_0__.MODEL_EVENT_NAME_PREFIX + MODEL_PROP_NAME_SORT_DESC;
var SORT_DIRECTION_ASC = 'asc';
var SORT_DIRECTION_DESC = 'desc';
var SORT_DIRECTION_LAST = 'last';
var SORT_DIRECTIONS = [SORT_DIRECTION_ASC, SORT_DIRECTION_DESC, SORT_DIRECTION_LAST]; // --- Props ---

var props = (_props = {
  labelSortAsc: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING, 'Click to sort ascending'),
  labelSortClear: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING, 'Click to clear sorting'),
  labelSortDesc: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING, 'Click to sort descending'),
  noFooterSorting: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  noLocalSorting: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  // Another prop that should have had a better name
  // It should be `noSortClear` (on non-sortable headers)
  // We will need to make sure the documentation is clear on what
  // this prop does (as well as in the code for future reference)
  noSortReset: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false)
}, _defineProperty(_props, MODEL_PROP_NAME_SORT_BY, (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING)), _defineProperty(_props, "sortCompare", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_FUNCTION)), _defineProperty(_props, "sortCompareLocale", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_ARRAY_STRING)), _defineProperty(_props, "sortCompareOptions", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_OBJECT, {
  numeric: true
})), _defineProperty(_props, MODEL_PROP_NAME_SORT_DESC, (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_props, "sortDirection", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING, SORT_DIRECTION_ASC, function (value) {
  return (0,_utils_array__WEBPACK_IMPORTED_MODULE_3__.arrayIncludes)(SORT_DIRECTIONS, value);
})), _defineProperty(_props, "sortIconLeft", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_props, "sortNullLast", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false)), _props); // --- Mixin ---
// @vue/component

var sortingMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  props: props,
  data: function data() {
    return {
      localSortBy: this[MODEL_PROP_NAME_SORT_BY] || '',
      localSortDesc: this[MODEL_PROP_NAME_SORT_DESC] || false
    };
  },
  computed: {
    localSorting: function localSorting() {
      return this.hasProvider ? !!this.noProviderSorting : !this.noLocalSorting;
    },
    isSortable: function isSortable() {
      return this.computedFields.some(function (f) {
        return f.sortable;
      });
    },
    // Sorts the filtered items and returns a new array of the sorted items
    // When not sorted, the original items array will be returned
    sortedItems: function sortedItems() {
      var _safeVueInstance = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_5__.safeVueInstance)(this),
          sortBy = _safeVueInstance.localSortBy,
          sortDesc = _safeVueInstance.localSortDesc,
          locale = _safeVueInstance.sortCompareLocale,
          nullLast = _safeVueInstance.sortNullLast,
          sortCompare = _safeVueInstance.sortCompare,
          localSorting = _safeVueInstance.localSorting,
          filteredItems = _safeVueInstance.filteredItems,
          localItems = _safeVueInstance.localItems;

      var items = (filteredItems || localItems || []).slice();

      var localeOptions = _objectSpread(_objectSpread({}, this.sortCompareOptions), {}, {
        usage: 'sort'
      });

      if (sortBy &amp;&amp; localSorting) {
        var field = this.computedFieldsObj[sortBy] || {};
        var sortByFormatted = field.sortByFormatted;
        var formatter = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isFunction)(sortByFormatted) ?
        /* istanbul ignore next */
        sortByFormatted : sortByFormatted ? this.getFieldFormatter(sortBy) : undefined; // `stableSort` returns a new array, and leaves the original array intact

        return (0,_utils_stable_sort__WEBPACK_IMPORTED_MODULE_7__.stableSort)(items, function (a, b) {
          var result = null; // Call user provided `sortCompare` routine first

          if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isFunction)(sortCompare)) {
            // TODO:
            //   Change the `sortCompare` signature to the one of `defaultSortCompare`
            //   with the next major version bump
            result = sortCompare(a, b, sortBy, sortDesc, formatter, localeOptions, locale);
          } // Fallback to built-in `defaultSortCompare` if `sortCompare`
          // is not defined or returns `null`/`false`


          if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isUndefinedOrNull)(result) || result === false) {
            result = (0,_default_sort_compare__WEBPACK_IMPORTED_MODULE_8__.defaultSortCompare)(a, b, {
              sortBy: sortBy,
              formatter: formatter,
              locale: locale,
              localeOptions: localeOptions,
              nullLast: nullLast
            });
          } // Negate result if sorting in descending order


          return (result || 0) * (sortDesc ? -1 : 1);
        });
      }

      return items;
    }
  },
  watch: (_watch = {
    /* istanbul ignore next: pain in the butt to test */
    isSortable: function isSortable(newValue) {
      if (newValue) {
        if (this.isSortable) {
          this.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_HEAD_CLICKED, this.handleSort);
        }
      } else {
        this.$off(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_HEAD_CLICKED, this.handleSort);
      }
    }
  }, _defineProperty(_watch, MODEL_PROP_NAME_SORT_DESC, function (newValue) {
    /* istanbul ignore next */
    if (newValue === this.localSortDesc) {
      return;
    }

    this.localSortDesc = newValue || false;
  }), _defineProperty(_watch, MODEL_PROP_NAME_SORT_BY, function (newValue) {
    /* istanbul ignore next */
    if (newValue === this.localSortBy) {
      return;
    }

    this.localSortBy = newValue || '';
  }), _defineProperty(_watch, "localSortDesc", function localSortDesc(newValue, oldValue) {
    // Emit update to sort-desc.sync
    if (newValue !== oldValue) {
      this.$emit(MODEL_EVENT_NAME_SORT_DESC, newValue);
    }
  }), _defineProperty(_watch, "localSortBy", function localSortBy(newValue, oldValue) {
    if (newValue !== oldValue) {
      this.$emit(MODEL_EVENT_NAME_SORT_BY, newValue);
    }
  }), _watch),
  created: function created() {
    if (this.isSortable) {
      this.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_HEAD_CLICKED, this.handleSort);
    }
  },
  methods: {
    // Handlers
    // Need to move from thead-mixin
    handleSort: function handleSort(key, field, event, isFoot) {
      var _this = this;

      if (!this.isSortable) {
        /* istanbul ignore next */
        return;
      }

      if (isFoot &amp;&amp; this.noFooterSorting) {
        return;
      } // TODO: make this tri-state sorting
      // cycle desc =&gt; asc =&gt; none =&gt; desc =&gt; ...


      var sortChanged = false;

      var toggleLocalSortDesc = function toggleLocalSortDesc() {
        var sortDirection = field.sortDirection || _this.sortDirection;

        if (sortDirection === SORT_DIRECTION_ASC) {
          _this.localSortDesc = false;
        } else if (sortDirection === SORT_DIRECTION_DESC) {
          _this.localSortDesc = true;
        } else {// sortDirection === 'last'
          // Leave at last sort direction from previous column
        }
      };

      if (field.sortable) {
        var sortKey = !this.localSorting &amp;&amp; field.sortKey ? field.sortKey : key;

        if (this.localSortBy === sortKey) {
          // Change sorting direction on current column
          this.localSortDesc = !this.localSortDesc;
        } else {
          // Start sorting this column ascending
          this.localSortBy = sortKey; // this.localSortDesc = false

          toggleLocalSortDesc();
        }

        sortChanged = true;
      } else if (this.localSortBy &amp;&amp; !this.noSortReset) {
        this.localSortBy = '';
        toggleLocalSortDesc();
        sortChanged = true;
      }

      if (sortChanged) {
        // Sorting parameters changed
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_SORT_CHANGED, this.context);
      }
    },
    // methods to compute classes and attrs for thead&gt;th cells
    sortTheadThClasses: function sortTheadThClasses(key, field, isFoot) {
      return {
        // If sortable and sortIconLeft are true, then place sort icon on the left
        'b-table-sort-icon-left': field.sortable &amp;&amp; this.sortIconLeft &amp;&amp; !(isFoot &amp;&amp; this.noFooterSorting)
      };
    },
    sortTheadThAttrs: function sortTheadThAttrs(key, field, isFoot) {
      var _field$sortKey;

      var isSortable = this.isSortable,
          noFooterSorting = this.noFooterSorting,
          localSortDesc = this.localSortDesc,
          localSortBy = this.localSortBy,
          localSorting = this.localSorting;

      if (!isSortable || isFoot &amp;&amp; noFooterSorting) {
        // No attributes if not a sortable table
        return {};
      }

      var sortable = field.sortable;
      var sortKey = !localSorting ? (_field$sortKey = field.sortKey) !== null &amp;&amp; _field$sortKey !== void 0 ? _field$sortKey : key : key; // Assemble the aria-sort attribute value

      var ariaSort = sortable &amp;&amp; localSortBy === sortKey ? localSortDesc ? 'descending' : 'ascending' : sortable ? 'none' : null; // Return the attribute

      return {
        'aria-sort': ariaSort
      };
    },
    // A label to be placed in an `.sr-only` element in the header cell
    sortTheadThLabel: function sortTheadThLabel(key, field, isFoot) {
      // No label if not a sortable table
      if (!this.isSortable || isFoot &amp;&amp; this.noFooterSorting) {
        return null;
      }

      var localSortBy = this.localSortBy,
          localSortDesc = this.localSortDesc,
          labelSortAsc = this.labelSortAsc,
          labelSortDesc = this.labelSortDesc;
      var sortable = field.sortable; // The correctness of these labels is very important for screen reader users

      var labelSorting = '';

      if (sortable) {
        if (localSortBy === key) {
          // Currently sorted sortable column
          labelSorting = localSortDesc ? labelSortAsc : labelSortDesc;
        } else {
          // Not currently sorted sortable column
          // Not using nested ternary's here for clarity/readability
          // Default for `aria-label`
          labelSorting = localSortDesc ? labelSortDesc : labelSortAsc; // Handle `sortDirection` setting

          var sortDirection = this.sortDirection || field.sortDirection;

          if (sortDirection === SORT_DIRECTION_ASC) {
            labelSorting = labelSortAsc;
          } else if (sortDirection === SORT_DIRECTION_DESC) {
            labelSorting = labelSortDesc;
          }
        }
      } else if (!this.noSortReset) {
        // Non sortable column
        labelSorting = localSortBy ? this.labelSortClear : '';
      } // Return the `.sr-only` sort label or `null` if no label


      return (0,_utils_string__WEBPACK_IMPORTED_MODULE_9__.trim)(labelSorting) || null;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-stacked.js":
/*!**********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-stacked.js ***!
  \**********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   stackedMixin: () =&gt; (/* binding */ stackedMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }



 // --- Props ---

var props = {
  stacked: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_STRING, false)
}; // --- Mixin ---
// @vue/component

var stackedMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  computed: {
    isStacked: function isStacked() {
      var stacked = this.stacked; // `true` when always stacked, or returns breakpoint specified

      return stacked === '' ? true : stacked;
    },
    isStackedAlways: function isStackedAlways() {
      return this.isStacked === true;
    },
    stackedTableClasses: function stackedTableClasses() {
      var isStackedAlways = this.isStackedAlways;
      return _defineProperty({
        'b-table-stacked': isStackedAlways
      }, "b-table-stacked-".concat(this.stacked), !isStackedAlways &amp;&amp; this.isStacked);
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-table-renderer.js":
/*!*****************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-table-renderer.js ***!
  \*****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   tableRendererMixin: () =&gt; (/* binding */ tableRendererMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }








 // Main `&lt;table&gt;` render mixin
// Includes all main table styling options
// --- Props ---

var props = {
  bordered: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  borderless: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  captionTop: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  dark: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  fixed: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  hover: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noBorderCollapse: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  outlined: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  responsive: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_STRING, false),
  small: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // If a string, it is assumed to be the table `max-height` value
  stickyHeader: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_STRING, false),
  striped: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tableClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  tableVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}; // --- Mixin ---
// @vue/component

var tableRendererMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_3__.attrsMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvTable: function getBvTable() {
        return _this;
      }
    };
  },
  // Don't place attributes on root element automatically,
  // as table could be wrapped in responsive `&lt;div&gt;`
  inheritAttrs: false,
  props: props,
  computed: {
    isTableSimple: function isTableSimple() {
      return false;
    },
    // Layout related computed props
    isResponsive: function isResponsive() {
      var responsive = this.responsive;
      return responsive === '' ? true : responsive;
    },
    isStickyHeader: function isStickyHeader() {
      var stickyHeader = this.stickyHeader;
      stickyHeader = stickyHeader === '' ? true : stickyHeader;
      return this.isStacked ? false : stickyHeader;
    },
    wrapperClasses: function wrapperClasses() {
      var isResponsive = this.isResponsive;
      return [this.isStickyHeader ? 'b-table-sticky-header' : '', isResponsive === true ? 'table-responsive' : isResponsive ? "table-responsive-".concat(this.responsive) : ''].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_4__.identity);
    },
    wrapperStyles: function wrapperStyles() {
      var isStickyHeader = this.isStickyHeader;
      return isStickyHeader &amp;&amp; !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isBoolean)(isStickyHeader) ? {
        maxHeight: isStickyHeader
      } : {};
    },
    tableClasses: function tableClasses() {
      var _safeVueInstance = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_6__.safeVueInstance)(this),
          hover = _safeVueInstance.hover,
          tableVariant = _safeVueInstance.tableVariant,
          selectableTableClasses = _safeVueInstance.selectableTableClasses,
          stackedTableClasses = _safeVueInstance.stackedTableClasses,
          tableClass = _safeVueInstance.tableClass,
          computedBusy = _safeVueInstance.computedBusy;

      hover = this.isTableSimple ? hover : hover &amp;&amp; this.computedItems.length &gt; 0 &amp;&amp; !computedBusy;
      return [// User supplied classes
      tableClass, // Styling classes
      {
        'table-striped': this.striped,
        'table-hover': hover,
        'table-dark': this.dark,
        'table-bordered': this.bordered,
        'table-borderless': this.borderless,
        'table-sm': this.small,
        // The following are b-table custom styles
        border: this.outlined,
        'b-table-fixed': this.fixed,
        'b-table-caption-top': this.captionTop,
        'b-table-no-border-collapse': this.noBorderCollapse
      }, tableVariant ? "".concat(this.dark ? 'bg' : 'table', "-").concat(tableVariant) : '', // Stacked table classes
      stackedTableClasses, // Selectable classes
      selectableTableClasses];
    },
    tableAttrs: function tableAttrs() {
      var _safeVueInstance2 = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_6__.safeVueInstance)(this),
          items = _safeVueInstance2.computedItems,
          filteredItems = _safeVueInstance2.filteredItems,
          fields = _safeVueInstance2.computedFields,
          selectableTableAttrs = _safeVueInstance2.selectableTableAttrs,
          computedBusy = _safeVueInstance2.computedBusy;

      var ariaAttrs = this.isTableSimple ? {} : {
        'aria-busy': (0,_utils_string__WEBPACK_IMPORTED_MODULE_7__.toString)(computedBusy),
        'aria-colcount': (0,_utils_string__WEBPACK_IMPORTED_MODULE_7__.toString)(fields.length),
        // Preserve user supplied `aria-describedby`, if provided
        'aria-describedby': this.bvAttrs['aria-describedby'] || this.$refs.caption ? this.captionId : null
      };
      var rowCount = items &amp;&amp; filteredItems &amp;&amp; filteredItems.length &gt; items.length ? (0,_utils_string__WEBPACK_IMPORTED_MODULE_7__.toString)(filteredItems.length) : null;
      return _objectSpread(_objectSpread(_objectSpread({
        // We set `aria-rowcount` before merging in `$attrs`,
        // in case user has supplied their own
        'aria-rowcount': rowCount
      }, this.bvAttrs), {}, {
        // Now we can override any `$attrs` here
        id: this.safeId(),
        role: this.bvAttrs.role || 'table'
      }, ariaAttrs), selectableTableAttrs);
    }
  },
  render: function render(h) {
    var _safeVueInstance3 = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_6__.safeVueInstance)(this),
        wrapperClasses = _safeVueInstance3.wrapperClasses,
        renderCaption = _safeVueInstance3.renderCaption,
        renderColgroup = _safeVueInstance3.renderColgroup,
        renderThead = _safeVueInstance3.renderThead,
        renderTbody = _safeVueInstance3.renderTbody,
        renderTfoot = _safeVueInstance3.renderTfoot;

    var $content = [];

    if (this.isTableSimple) {
      $content.push(this.normalizeSlot());
    } else {
      // Build the `&lt;caption&gt;` (from caption mixin)
      $content.push(renderCaption ? renderCaption() : null); // Build the `&lt;colgroup&gt;`

      $content.push(renderColgroup ? renderColgroup() : null); // Build the `&lt;thead&gt;`

      $content.push(renderThead ? renderThead() : null); // Build the `&lt;tbody&gt;`

      $content.push(renderTbody ? renderTbody() : null); // Build the `&lt;tfoot&gt;`

      $content.push(renderTfoot ? renderTfoot() : null);
    } // Assemble `&lt;table&gt;`


    var $table = h('table', {
      staticClass: 'table b-table',
      class: this.tableClasses,
      attrs: this.tableAttrs,
      key: 'b-table'
    }, $content.filter(_utils_identity__WEBPACK_IMPORTED_MODULE_4__.identity)); // Add responsive/sticky wrapper if needed and return table

    return wrapperClasses.length &gt; 0 ? h('div', {
      class: wrapperClasses,
      style: this.wrapperStyles,
      key: 'wrap'
    }, [$table]) : $table;
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tbody-row.js":
/*!************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tbody-row.js ***!
  \************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   tbodyRowMixin: () =&gt; (/* binding */ tbodyRowMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _mixins_use_parent__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../mixins/use-parent */ "./node_modules/bootstrap-vue/esm/mixins/use-parent.js");
/* harmony import */ var _utils_get__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../utils/get */ "./node_modules/bootstrap-vue/esm/utils/get.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _tr__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../tr */ "./node_modules/bootstrap-vue/esm/components/table/tr.js");
/* harmony import */ var _td__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../td */ "./node_modules/bootstrap-vue/esm/components/table/td.js");
/* harmony import */ var _th__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../th */ "./node_modules/bootstrap-vue/esm/components/table/th.js");
/* harmony import */ var _constants__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./constants */ "./node_modules/bootstrap-vue/esm/components/table/helpers/constants.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _unsupportedIterableToArray(arr) || _nonIterableSpread(); }

function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _iterableToArray(iter) { if (typeof Symbol !== "undefined" &amp;&amp; iter[Symbol.iterator] != null || iter["@@iterator"] != null) return Array.from(iter); }

function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) return _arrayLikeToArray(arr); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }














 // --- Props ---

var props = {
  detailsTdClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  tbodyTrAttr: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_OBJECT_FUNCTION),
  tbodyTrClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)([].concat(_toConsumableArray(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING), [_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_FUNCTION]))
}; // --- Mixin ---
// @vue/component

var tbodyRowMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  mixins: [_mixins_use_parent__WEBPACK_IMPORTED_MODULE_3__.useParentMixin],
  props: props,
  methods: {
    // Methods for computing classes, attributes and styles for table cells
    getTdValues: function getTdValues(item, key, tdValue, defaultValue) {
      var bvParent = this.bvParent;

      if (tdValue) {
        var value = (0,_utils_get__WEBPACK_IMPORTED_MODULE_4__.get)(item, key, '');

        if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(tdValue)) {
          return tdValue(value, key, item);
        } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isString)(tdValue) &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(bvParent[tdValue])) {
          return bvParent[tdValue](value, key, item);
        }

        return tdValue;
      }

      return defaultValue;
    },
    getThValues: function getThValues(item, key, thValue, type, defaultValue) {
      var bvParent = this.bvParent;

      if (thValue) {
        var value = (0,_utils_get__WEBPACK_IMPORTED_MODULE_4__.get)(item, key, '');

        if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(thValue)) {
          return thValue(value, key, item, type);
        } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isString)(thValue) &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(bvParent[thValue])) {
          return bvParent[thValue](value, key, item, type);
        }

        return thValue;
      }

      return defaultValue;
    },
    // Method to get the value for a field
    getFormattedValue: function getFormattedValue(item, field) {
      var key = field.key;
      var formatter = this.getFieldFormatter(key);
      var value = (0,_utils_get__WEBPACK_IMPORTED_MODULE_4__.get)(item, key, null);

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(formatter)) {
        value = formatter(value, key, item);
      }

      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isUndefinedOrNull)(value) ? '' : value;
    },
    // Factory function methods
    toggleDetailsFactory: function toggleDetailsFactory(hasDetailsSlot, item) {
      var _this = this;

      // Returns a function to toggle a row's details slot
      return function () {
        if (hasDetailsSlot) {
          _this.$set(item, _constants__WEBPACK_IMPORTED_MODULE_6__.FIELD_KEY_SHOW_DETAILS, !item[_constants__WEBPACK_IMPORTED_MODULE_6__.FIELD_KEY_SHOW_DETAILS]);
        }
      };
    },
    // Row event handlers
    rowHovered: function rowHovered(event) {
      // `mouseenter` handler (non-bubbling)
      // `this.tbodyRowEventStopped` from tbody mixin
      if (!this.tbodyRowEventStopped(event)) {
        // `this.emitTbodyRowEvent` from tbody mixin
        this.emitTbodyRowEvent(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_ROW_HOVERED, event);
      }
    },
    rowUnhovered: function rowUnhovered(event) {
      // `mouseleave` handler (non-bubbling)
      // `this.tbodyRowEventStopped` from tbody mixin
      if (!this.tbodyRowEventStopped(event)) {
        // `this.emitTbodyRowEvent` from tbody mixin
        this.emitTbodyRowEvent(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_ROW_UNHOVERED, event);
      }
    },
    // Renders a TD or TH for a row's field
    renderTbodyRowCell: function renderTbodyRowCell(field, colIndex, item, rowIndex) {
      var _this2 = this;

      var isStacked = this.isStacked;
      var key = field.key,
          label = field.label,
          isRowHeader = field.isRowHeader;
      var h = this.$createElement;
      var hasDetailsSlot = this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_ROW_DETAILS);
      var formatted = this.getFormattedValue(item, field);
      var stickyColumn = !isStacked &amp;&amp; (this.isResponsive || this.stickyHeader) &amp;&amp; field.stickyColumn; // We only uses the helper components for sticky columns to
      // improve performance of BTable/BTableLite by reducing the
      // total number of vue instances created during render

      var cellTag = stickyColumn ? isRowHeader ? _th__WEBPACK_IMPORTED_MODULE_9__.BTh : _td__WEBPACK_IMPORTED_MODULE_10__.BTd : isRowHeader ? 'th' : 'td';
      var cellVariant = item[_constants__WEBPACK_IMPORTED_MODULE_6__.FIELD_KEY_CELL_VARIANT] &amp;&amp; item[_constants__WEBPACK_IMPORTED_MODULE_6__.FIELD_KEY_CELL_VARIANT][key] ? item[_constants__WEBPACK_IMPORTED_MODULE_6__.FIELD_KEY_CELL_VARIANT][key] : field.variant || null;
      var data = {
        // For the Vue key, we concatenate the column index and
        // field key (as field keys could be duplicated)
        // TODO: Although we do prevent duplicate field keys...
        //   So we could change this to: `row-${rowIndex}-cell-${key}`
        class: [field.class ? field.class : '', this.getTdValues(item, key, field.tdClass, '')],
        props: {},
        attrs: _objectSpread({
          'aria-colindex': String(colIndex + 1)
        }, isRowHeader ? this.getThValues(item, key, field.thAttr, 'row', {}) : this.getTdValues(item, key, field.tdAttr, {})),
        key: "row-".concat(rowIndex, "-cell-").concat(colIndex, "-").concat(key)
      };

      if (stickyColumn) {
        // We are using the helper BTd or BTh
        data.props = {
          stackedHeading: isStacked ? label : null,
          stickyColumn: true,
          variant: cellVariant
        };
      } else {
        // Using native TD or TH element, so we need to
        // add in the attributes and variant class
        data.attrs['data-label'] = isStacked &amp;&amp; !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isUndefinedOrNull)(label) ? (0,_utils_string__WEBPACK_IMPORTED_MODULE_11__.toString)(label) : null;
        data.attrs.role = isRowHeader ? 'rowheader' : 'cell';
        data.attrs.scope = isRowHeader ? 'row' : null; // Add in the variant class

        if (cellVariant) {
          data.class.push("".concat(this.dark ? 'bg' : 'table', "-").concat(cellVariant));
        }
      }

      var slotScope = {
        item: item,
        index: rowIndex,
        field: field,
        unformatted: (0,_utils_get__WEBPACK_IMPORTED_MODULE_4__.get)(item, key, ''),
        value: formatted,
        toggleDetails: this.toggleDetailsFactory(hasDetailsSlot, item),
        detailsShowing: Boolean(item[_constants__WEBPACK_IMPORTED_MODULE_6__.FIELD_KEY_SHOW_DETAILS])
      }; // If table supports selectable mode, then add in the following scope
      // this.supportsSelectableRows will be undefined if mixin isn't loaded

      if ((0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_12__.safeVueInstance)(this).supportsSelectableRows) {
        slotScope.rowSelected = this.isRowSelected(rowIndex);

        slotScope.selectRow = function () {
          return _this2.selectRow(rowIndex);
        };

        slotScope.unselectRow = function () {
          return _this2.unselectRow(rowIndex);
        };
      } // The new `v-slot` syntax doesn't like a slot name starting with
      // a square bracket and if using in-document HTML templates, the
      // v-slot attributes are lower-cased by the browser.
      // Switched to round bracket syntax to prevent confusion with
      // dynamic slot name syntax.
      // We look for slots in this order: `cell(${key})`, `cell(${key.toLowerCase()})`, 'cell()'
      // Slot names are now cached by mixin tbody in `this.$_bodyFieldSlotNameCache`
      // Will be `null` if no slot (or fallback slot) exists


      var slotName = this.$_bodyFieldSlotNameCache[key];
      var $childNodes = slotName ? this.normalizeSlot(slotName, slotScope) : (0,_utils_string__WEBPACK_IMPORTED_MODULE_11__.toString)(formatted);

      if (this.isStacked) {
        // We wrap in a DIV to ensure rendered as a single cell when visually stacked!
        $childNodes = [h('div', [$childNodes])];
      } // Render either a td or th cell


      return h(cellTag, data, [$childNodes]);
    },
    // Renders an item's row (or rows if details supported)
    renderTbodyRow: function renderTbodyRow(item, rowIndex) {
      var _this3 = this;

      var _safeVueInstance = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_12__.safeVueInstance)(this),
          fields = _safeVueInstance.computedFields,
          striped = _safeVueInstance.striped,
          primaryKey = _safeVueInstance.primaryKey,
          currentPage = _safeVueInstance.currentPage,
          perPage = _safeVueInstance.perPage,
          tbodyTrClass = _safeVueInstance.tbodyTrClass,
          tbodyTrAttr = _safeVueInstance.tbodyTrAttr,
          hasSelectableRowClick = _safeVueInstance.hasSelectableRowClick;

      var h = this.$createElement;
      var hasDetailsSlot = this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_ROW_DETAILS);
      var rowShowDetails = item[_constants__WEBPACK_IMPORTED_MODULE_6__.FIELD_KEY_SHOW_DETAILS] &amp;&amp; hasDetailsSlot;
      var hasRowClickHandler = this.$listeners[_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_ROW_CLICKED] || hasSelectableRowClick; // We can return more than one TR if rowDetails enabled

      var $rows = []; // Details ID needed for `aria-details` when details showing
      // We set it to `null` when not showing so that attribute
      // does not appear on the element

      var detailsId = rowShowDetails ? this.safeId("_details_".concat(rowIndex, "_")) : null; // For each item data field in row

      var $tds = fields.map(function (field, colIndex) {
        return _this3.renderTbodyRowCell(field, colIndex, item, rowIndex);
      }); // Calculate the row number in the dataset (indexed from 1)

      var ariaRowIndex = null;

      if (currentPage &amp;&amp; perPage &amp;&amp; perPage &gt; 0) {
        ariaRowIndex = String((currentPage - 1) * perPage + rowIndex + 1);
      } // Create a unique :key to help ensure that sub components are re-rendered rather than
      // re-used, which can cause issues. If a primary key is not provided we use the rendered
      // rows index within the tbody.
      // See: https://github.com/bootstrap-vue/bootstrap-vue/issues/2410


      var primaryKeyValue = (0,_utils_string__WEBPACK_IMPORTED_MODULE_11__.toString)((0,_utils_get__WEBPACK_IMPORTED_MODULE_4__.get)(item, primaryKey)) || null;
      var rowKey = primaryKeyValue || (0,_utils_string__WEBPACK_IMPORTED_MODULE_11__.toString)(rowIndex); // If primary key is provided, use it to generate a unique ID on each tbody &gt; tr
      // In the format of '{tableId}__row_{primaryKeyValue}'

      var rowId = primaryKeyValue ? this.safeId("_row_".concat(primaryKeyValue)) : null; // Selectable classes and attributes

      var selectableClasses = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_12__.safeVueInstance)(this).selectableRowClasses ? this.selectableRowClasses(rowIndex) : {};
      var selectableAttrs = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_12__.safeVueInstance)(this).selectableRowAttrs ? this.selectableRowAttrs(rowIndex) : {}; // Additional classes and attributes

      var userTrClasses = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(tbodyTrClass) ? tbodyTrClass(item, 'row') : tbodyTrClass;
      var userTrAttrs = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(tbodyTrAttr) ?
      /* istanbul ignore next */
      tbodyTrAttr(item, 'row') : tbodyTrAttr; // Add the item row

      $rows.push(h(_tr__WEBPACK_IMPORTED_MODULE_13__.BTr, _defineProperty({
        class: [userTrClasses, selectableClasses, rowShowDetails ? 'b-table-has-details' : ''],
        props: {
          variant: item[_constants__WEBPACK_IMPORTED_MODULE_6__.FIELD_KEY_ROW_VARIANT] || null
        },
        attrs: _objectSpread(_objectSpread({
          id: rowId
        }, userTrAttrs), {}, {
          // Users cannot override the following attributes
          tabindex: hasRowClickHandler ? '0' : null,
          'data-pk': primaryKeyValue || null,
          'aria-details': detailsId,
          'aria-owns': detailsId,
          'aria-rowindex': ariaRowIndex
        }, selectableAttrs),
        on: {
          // Note: These events are not A11Y friendly!
          mouseenter: this.rowHovered,
          mouseleave: this.rowUnhovered
        },
        key: "__b-table-row-".concat(rowKey, "__"),
        ref: 'item-rows'
      }, _vue__WEBPACK_IMPORTED_MODULE_2__.REF_FOR_KEY, true), $tds)); // Row Details slot

      if (rowShowDetails) {
        var detailsScope = {
          item: item,
          index: rowIndex,
          fields: fields,
          toggleDetails: this.toggleDetailsFactory(hasDetailsSlot, item)
        }; // If table supports selectable mode, then add in the following scope
        // this.supportsSelectableRows will be undefined if mixin isn't loaded

        if ((0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_12__.safeVueInstance)(this).supportsSelectableRows) {
          detailsScope.rowSelected = this.isRowSelected(rowIndex);

          detailsScope.selectRow = function () {
            return _this3.selectRow(rowIndex);
          };

          detailsScope.unselectRow = function () {
            return _this3.unselectRow(rowIndex);
          };
        } // Render the details slot in a TD


        var $details = h(_td__WEBPACK_IMPORTED_MODULE_10__.BTd, {
          props: {
            colspan: fields.length
          },
          class: this.detailsTdClass
        }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_ROW_DETAILS, detailsScope)]); // Add a hidden row to keep table row striping consistent when details showing
        // Only added if the table is striped

        if (striped) {
          $rows.push( // We don't use `BTr` here as we don't need the extra functionality
          h('tr', {
            staticClass: 'd-none',
            attrs: {
              'aria-hidden': 'true',
              role: 'presentation'
            },
            key: "__b-table-details-stripe__".concat(rowKey)
          }));
        } // Add the actual details row


        var userDetailsTrClasses = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(this.tbodyTrClass) ?
        /* istanbul ignore next */
        this.tbodyTrClass(item, _constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_ROW_DETAILS) : this.tbodyTrClass;
        var userDetailsTrAttrs = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(this.tbodyTrAttr) ?
        /* istanbul ignore next */
        this.tbodyTrAttr(item, _constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_ROW_DETAILS) : this.tbodyTrAttr;
        $rows.push(h(_tr__WEBPACK_IMPORTED_MODULE_13__.BTr, {
          staticClass: 'b-table-details',
          class: [userDetailsTrClasses],
          props: {
            variant: item[_constants__WEBPACK_IMPORTED_MODULE_6__.FIELD_KEY_ROW_VARIANT] || null
          },
          attrs: _objectSpread(_objectSpread({}, userDetailsTrAttrs), {}, {
            // Users cannot override the following attributes
            id: detailsId,
            tabindex: '-1'
          }),
          key: "__b-table-details__".concat(rowKey)
        }, [$details]));
      } else if (hasDetailsSlot) {
        // Only add the placeholder if a the table has a row-details slot defined (but not shown)
        $rows.push(h());

        if (striped) {
          // Add extra placeholder if table is striped
          $rows.push(h());
        }
      } // Return the row(s)


      return $rows;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tbody.js":
/*!********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tbody.js ***!
  \********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   tbodyMixin: () =&gt; (/* binding */ tbodyMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _tbody__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../tbody */ "./node_modules/bootstrap-vue/esm/components/table/tbody.js");
/* harmony import */ var _filter_event__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./filter-event */ "./node_modules/bootstrap-vue/esm/components/table/helpers/filter-event.js");
/* harmony import */ var _text_selection_active__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./text-selection-active */ "./node_modules/bootstrap-vue/esm/components/table/helpers/text-selection-active.js");
/* harmony import */ var _mixin_tbody_row__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./mixin-tbody-row */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tbody-row.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }














 // --- Helper methods ---

var getCellSlotName = function getCellSlotName(value) {
  return "cell(".concat(value || '', ")");
}; // --- Props ---


var props = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, _tbody__WEBPACK_IMPORTED_MODULE_1__.props), _mixin_tbody_row__WEBPACK_IMPORTED_MODULE_2__.props), {}, {
  tbodyClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_ARRAY_OBJECT_STRING)
})); // --- Mixin ---
// @vue/component

var tbodyMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  mixins: [_mixin_tbody_row__WEBPACK_IMPORTED_MODULE_2__.tbodyRowMixin],
  props: props,
  beforeDestroy: function beforeDestroy() {
    this.$_bodyFieldSlotNameCache = null;
  },
  methods: {
    // Returns all the item TR elements (excludes detail and spacer rows)
    // `this.$refs['item-rows']` is an array of item TR components/elements
    // Rows should all be `&lt;b-tr&gt;` components, but we map to TR elements
    // Also note that `this.$refs['item-rows']` may not always be in document order
    getTbodyTrs: function getTbodyTrs() {
      var $refs = this.$refs;
      var tbody = $refs.tbody ? $refs.tbody.$el || $refs.tbody : null;
      var trs = ($refs['item-rows'] || []).map(function (tr) {
        return tr.$el || tr;
      });
      return tbody &amp;&amp; tbody.children &amp;&amp; tbody.children.length &gt; 0 &amp;&amp; trs &amp;&amp; trs.length &gt; 0 ? (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.from)(tbody.children).filter(function (tr) {
        return (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.arrayIncludes)(trs, tr);
      }) :
      /* istanbul ignore next */
      [];
    },
    // Returns index of a particular TBODY item TR
    // We set `true` on closest to include self in result
    getTbodyTrIndex: function getTbodyTrIndex(el) {
      /* istanbul ignore next: should not normally happen */
      if (!(0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.isElement)(el)) {
        return -1;
      }

      var tr = el.tagName === 'TR' ? el : (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.closest)('tr', el, true);
      return tr ? this.getTbodyTrs().indexOf(tr) : -1;
    },
    // Emits a row event, with the item object, row index and original event
    emitTbodyRowEvent: function emitTbodyRowEvent(type, event) {
      if (type &amp;&amp; this.hasListener(type) &amp;&amp; event &amp;&amp; event.target) {
        var rowIndex = this.getTbodyTrIndex(event.target);

        if (rowIndex &gt; -1) {
          // The array of TRs correlate to the `computedItems` array
          var item = this.computedItems[rowIndex];
          this.$emit(type, item, rowIndex, event);
        }
      }
    },
    tbodyRowEventStopped: function tbodyRowEventStopped(event) {
      return this.stopIfBusy &amp;&amp; this.stopIfBusy(event);
    },
    // Delegated row event handlers
    onTbodyRowKeydown: function onTbodyRowKeydown(event) {
      // Keyboard navigation and row click emulation
      var target = event.target,
          keyCode = event.keyCode;

      if (this.tbodyRowEventStopped(event) || target.tagName !== 'TR' || !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.isActiveElement)(target) || target.tabIndex !== 0) {
        // Early exit if not an item row TR
        return;
      }

      if ((0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.arrayIncludes)([_constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_ENTER, _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_SPACE], keyCode)) {
        // Emulated click for keyboard users, transfer to click handler
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_9__.stopEvent)(event);
        this.onTBodyRowClicked(event);
      } else if ((0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.arrayIncludes)([_constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_UP, _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_DOWN, _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_HOME, _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_END], keyCode)) {
        // Keyboard navigation
        var rowIndex = this.getTbodyTrIndex(target);

        if (rowIndex &gt; -1) {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_9__.stopEvent)(event);
          var trs = this.getTbodyTrs();
          var shift = event.shiftKey;

          if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_HOME || shift &amp;&amp; keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_UP) {
            // Focus first row
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.attemptFocus)(trs[0]);
          } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_END || shift &amp;&amp; keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_DOWN) {
            // Focus last row
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.attemptFocus)(trs[trs.length - 1]);
          } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_UP &amp;&amp; rowIndex &gt; 0) {
            // Focus previous row
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.attemptFocus)(trs[rowIndex - 1]);
          } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_DOWN &amp;&amp; rowIndex &lt; trs.length - 1) {
            // Focus next row
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.attemptFocus)(trs[rowIndex + 1]);
          }
        }
      }
    },
    onTBodyRowClicked: function onTBodyRowClicked(event) {
      var $refs = this.$refs;
      var tbody = $refs.tbody ? $refs.tbody.$el || $refs.tbody : null; // Don't emit event when the table is busy, the user clicked
      // on a non-disabled control or is selecting text

      if (this.tbodyRowEventStopped(event) || (0,_filter_event__WEBPACK_IMPORTED_MODULE_10__.filterEvent)(event) || (0,_text_selection_active__WEBPACK_IMPORTED_MODULE_11__.textSelectionActive)(tbody || this.$el)) {
        return;
      }

      this.emitTbodyRowEvent(_constants_events__WEBPACK_IMPORTED_MODULE_12__.EVENT_NAME_ROW_CLICKED, event);
    },
    onTbodyRowMiddleMouseRowClicked: function onTbodyRowMiddleMouseRowClicked(event) {
      if (!this.tbodyRowEventStopped(event) &amp;&amp; event.which === 2) {
        this.emitTbodyRowEvent(_constants_events__WEBPACK_IMPORTED_MODULE_12__.EVENT_NAME_ROW_MIDDLE_CLICKED, event);
      }
    },
    onTbodyRowContextmenu: function onTbodyRowContextmenu(event) {
      if (!this.tbodyRowEventStopped(event)) {
        this.emitTbodyRowEvent(_constants_events__WEBPACK_IMPORTED_MODULE_12__.EVENT_NAME_ROW_CONTEXTMENU, event);
      }
    },
    onTbodyRowDblClicked: function onTbodyRowDblClicked(event) {
      if (!this.tbodyRowEventStopped(event) &amp;&amp; !(0,_filter_event__WEBPACK_IMPORTED_MODULE_10__.filterEvent)(event)) {
        this.emitTbodyRowEvent(_constants_events__WEBPACK_IMPORTED_MODULE_12__.EVENT_NAME_ROW_DBLCLICKED, event);
      }
    },
    // Render the tbody element and children
    // Note:
    //   Row hover handlers are handled by the tbody-row mixin
    //   As mouseenter/mouseleave events do not bubble
    renderTbody: function renderTbody() {
      var _this = this;

      var _safeVueInstance = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_13__.safeVueInstance)(this),
          items = _safeVueInstance.computedItems,
          renderBusy = _safeVueInstance.renderBusy,
          renderTopRow = _safeVueInstance.renderTopRow,
          renderEmpty = _safeVueInstance.renderEmpty,
          renderBottomRow = _safeVueInstance.renderBottomRow,
          hasSelectableRowClick = _safeVueInstance.hasSelectableRowClick;

      var h = this.$createElement;
      var hasRowClickHandler = this.hasListener(_constants_events__WEBPACK_IMPORTED_MODULE_12__.EVENT_NAME_ROW_CLICKED) || hasSelectableRowClick; // Prepare the tbody rows

      var $rows = []; // Add the item data rows or the busy slot

      var $busy = renderBusy ? renderBusy() : null;

      if ($busy) {
        // If table is busy and a busy slot, then return only the busy "row" indicator
        $rows.push($busy);
      } else {
        // Table isn't busy, or we don't have a busy slot
        // Create a slot cache for improved performance when looking up cell slot names
        // Values will be keyed by the field's `key` and will store the slot's name
        // Slots could be dynamic (i.e. `v-if`), so we must compute on each render
        // Used by tbody-row mixin render helper
        var cache = {};
        var defaultSlotName = getCellSlotName();
        defaultSlotName = this.hasNormalizedSlot(defaultSlotName) ? defaultSlotName : null;
        this.computedFields.forEach(function (field) {
          var key = field.key;
          var slotName = getCellSlotName(key);
          var lowercaseSlotName = getCellSlotName(key.toLowerCase());
          cache[key] = _this.hasNormalizedSlot(slotName) ? slotName : _this.hasNormalizedSlot(lowercaseSlotName) ?
          /* istanbul ignore next */
          lowercaseSlotName : defaultSlotName;
        }); // Created as a non-reactive property so to not trigger component updates
        // Must be a fresh object each render

        this.$_bodyFieldSlotNameCache = cache; // Add static top row slot (hidden in visibly stacked mode
        // as we can't control `data-label` attr)

        $rows.push(renderTopRow ? renderTopRow() : h()); // Render the rows

        items.forEach(function (item, rowIndex) {
          // Render the individual item row (rows if details slot)
          $rows.push(_this.renderTbodyRow(item, rowIndex));
        }); // Empty items / empty filtered row slot (only shows if `items.length &lt; 1`)

        $rows.push(renderEmpty ? renderEmpty() : h()); // Static bottom row slot (hidden in visibly stacked mode
        // as we can't control `data-label` attr)

        $rows.push(renderBottomRow ? renderBottomRow() : h());
      } // Note: these events will only emit if a listener is registered


      var handlers = {
        auxclick: this.onTbodyRowMiddleMouseRowClicked,
        // TODO:
        //   Perhaps we do want to automatically prevent the
        //   default context menu from showing if there is a
        //   `row-contextmenu` listener registered
        contextmenu: this.onTbodyRowContextmenu,
        // The following event(s) is not considered A11Y friendly
        dblclick: this.onTbodyRowDblClicked // Hover events (`mouseenter`/`mouseleave`) are handled by `tbody-row` mixin

      }; // Add in click/keydown listeners if needed

      if (hasRowClickHandler) {
        handlers.click = this.onTBodyRowClicked;
        handlers.keydown = this.onTbodyRowKeydown;
      } // Assemble rows into the tbody


      var $tbody = h(_tbody__WEBPACK_IMPORTED_MODULE_1__.BTbody, {
        class: this.tbodyClass || null,
        props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.pluckProps)(_tbody__WEBPACK_IMPORTED_MODULE_1__.props, this.$props),
        // BTbody transfers all native event listeners to the root element
        // TODO: Only set the handlers if the table is not busy
        on: handlers,
        ref: 'tbody'
      }, $rows); // Return the assembled tbody

      return $tbody;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tfoot.js":
/*!********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tfoot.js ***!
  \********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   tfootMixin: () =&gt; (/* binding */ tfootMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _tfoot__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../tfoot */ "./node_modules/bootstrap-vue/esm/components/table/tfoot.js");




 // --- Props ---

var props = {
  footClone: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Any Bootstrap theme variant (or custom)
  // Falls back to `headRowVariant`
  footRowVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // 'dark', 'light', or `null` (or custom)
  footVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  tfootClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  tfootTrClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING)
}; // --- Mixin ---
// @vue/component

var tfootMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  methods: {
    renderTFootCustom: function renderTFootCustom() {
      var h = this.$createElement;

      if (this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_3__.SLOT_NAME_CUSTOM_FOOT)) {
        return h(_tfoot__WEBPACK_IMPORTED_MODULE_4__.BTfoot, {
          class: this.tfootClass || null,
          props: {
            footVariant: this.footVariant || this.headVariant || null
          },
          key: 'bv-tfoot-custom'
        }, this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_3__.SLOT_NAME_CUSTOM_FOOT, {
          items: this.computedItems.slice(),
          fields: this.computedFields.slice(),
          columns: this.computedFields.length
        }));
      }

      return h();
    },
    renderTfoot: function renderTfoot() {
      // Passing true to renderThead will make it render a tfoot
      return this.footClone ? this.renderThead(true) : this.renderTFootCustom();
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-thead.js":
/*!********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-thead.js ***!
  \********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   theadMixin: () =&gt; (/* binding */ theadMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_noop__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../utils/noop */ "./node_modules/bootstrap-vue/esm/utils/noop.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _thead__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../thead */ "./node_modules/bootstrap-vue/esm/components/table/thead.js");
/* harmony import */ var _tfoot__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../tfoot */ "./node_modules/bootstrap-vue/esm/components/table/tfoot.js");
/* harmony import */ var _tr__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../tr */ "./node_modules/bootstrap-vue/esm/components/table/tr.js");
/* harmony import */ var _th__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../th */ "./node_modules/bootstrap-vue/esm/components/table/th.js");
/* harmony import */ var _filter_event__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./filter-event */ "./node_modules/bootstrap-vue/esm/components/table/helpers/filter-event.js");
/* harmony import */ var _text_selection_active__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./text-selection-active */ "./node_modules/bootstrap-vue/esm/components/table/helpers/text-selection-active.js");
function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _unsupportedIterableToArray(arr) || _nonIterableSpread(); }

function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _iterableToArray(iter) { if (typeof Symbol !== "undefined" &amp;&amp; iter[Symbol.iterator] != null || iter["@@iterator"] != null) return Array.from(iter); }

function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) return _arrayLikeToArray(arr); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }



















 // --- Helper methods ---

var getHeadSlotName = function getHeadSlotName(value) {
  return "head(".concat(value || '', ")");
};

var getFootSlotName = function getFootSlotName(value) {
  return "foot(".concat(value || '', ")");
}; // --- Props ---


var props = {
  // Any Bootstrap theme variant (or custom)
  headRowVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // 'light', 'dark' or `null` (or custom)
  headVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  theadClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  theadTrClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING)
}; // --- Mixin ---
// @vue/component

var theadMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  methods: {
    fieldClasses: function fieldClasses(field) {
      // Header field (&lt;th&gt;) classes
      return [field.class ? field.class : '', field.thClass ? field.thClass : ''];
    },
    headClicked: function headClicked(event, field, isFoot) {
      if (this.stopIfBusy &amp;&amp; this.stopIfBusy(event)) {
        // If table is busy (via provider) then don't propagate
        return;
      } else if ((0,_filter_event__WEBPACK_IMPORTED_MODULE_3__.filterEvent)(event)) {
        // Clicked on a non-disabled control so ignore
        return;
      } else if ((0,_text_selection_active__WEBPACK_IMPORTED_MODULE_4__.textSelectionActive)(this.$el)) {
        // User is selecting text, so ignore

        /* istanbul ignore next: JSDOM doesn't support getSelection() */
        return;
      }

      (0,_utils_events__WEBPACK_IMPORTED_MODULE_5__.stopEvent)(event);
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_HEAD_CLICKED, field.key, field, event, isFoot);
    },
    renderThead: function renderThead() {
      var _this = this;

      var isFoot = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : false;

      var _safeVueInstance = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_7__.safeVueInstance)(this),
          fields = _safeVueInstance.computedFields,
          isSortable = _safeVueInstance.isSortable,
          isSelectable = _safeVueInstance.isSelectable,
          headVariant = _safeVueInstance.headVariant,
          footVariant = _safeVueInstance.footVariant,
          headRowVariant = _safeVueInstance.headRowVariant,
          footRowVariant = _safeVueInstance.footRowVariant;

      var h = this.$createElement; // In always stacked mode, we don't bother rendering the head/foot
      // Or if no field headings (empty table)

      if (this.isStackedAlways || fields.length === 0) {
        return h();
      }

      var hasHeadClickListener = isSortable || this.hasListener(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_HEAD_CLICKED); // Reference to `selectAllRows` and `clearSelected()`, if table is selectable

      var selectAllRows = isSelectable ? this.selectAllRows : _utils_noop__WEBPACK_IMPORTED_MODULE_8__.noop;
      var clearSelected = isSelectable ? this.clearSelected : _utils_noop__WEBPACK_IMPORTED_MODULE_8__.noop; // Helper function to generate a field &lt;th&gt; cell

      var makeCell = function makeCell(field, colIndex) {
        var label = field.label,
            labelHtml = field.labelHtml,
            variant = field.variant,
            stickyColumn = field.stickyColumn,
            key = field.key;
        var ariaLabel = null;

        if (!field.label.trim() &amp;&amp; !field.headerTitle) {
          // In case field's label and title are empty/blank
          // We need to add a hint about what the column is about for non-sighted users

          /* istanbul ignore next */
          ariaLabel = (0,_utils_string__WEBPACK_IMPORTED_MODULE_9__.startCase)(field.key);
        }

        var on = {};

        if (hasHeadClickListener) {
          on.click = function (event) {
            _this.headClicked(event, field, isFoot);
          };

          on.keydown = function (event) {
            var keyCode = event.keyCode;

            if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_10__.CODE_ENTER || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_10__.CODE_SPACE) {
              _this.headClicked(event, field, isFoot);
            }
          };
        }

        var sortAttrs = isSortable ? _this.sortTheadThAttrs(key, field, isFoot) : {};
        var sortClass = isSortable ? _this.sortTheadThClasses(key, field, isFoot) : null;
        var sortLabel = isSortable ? _this.sortTheadThLabel(key, field, isFoot) : null;
        var data = {
          class: [{
            // We need to make the header cell relative when we have
            // a `.sr-only` sort label to work around overflow issues
            'position-relative': sortLabel
          }, _this.fieldClasses(field), sortClass],
          props: {
            variant: variant,
            stickyColumn: stickyColumn
          },
          style: field.thStyle || {},
          attrs: _objectSpread(_objectSpread({
            // We only add a `tabindex` of `0` if there is a head-clicked listener
            // and the current field is sortable
            tabindex: hasHeadClickListener &amp;&amp; field.sortable ? '0' : null,
            abbr: field.headerAbbr || null,
            title: field.headerTitle || null,
            'aria-colindex': colIndex + 1,
            'aria-label': ariaLabel
          }, _this.getThValues(null, key, field.thAttr, isFoot ? 'foot' : 'head', {})), sortAttrs),
          on: on,
          key: key
        }; // Handle edge case where in-document templates are used with new
        // `v-slot:name` syntax where the browser lower-cases the v-slot's
        // name (attributes become lower cased when parsed by the browser)
        // We have replaced the square bracket syntax with round brackets
        // to prevent confusion with dynamic slot names

        var slotNames = [getHeadSlotName(key), getHeadSlotName(key.toLowerCase()), getHeadSlotName()]; // Footer will fallback to header slot names

        if (isFoot) {
          slotNames = [getFootSlotName(key), getFootSlotName(key.toLowerCase()), getFootSlotName()].concat(_toConsumableArray(slotNames));
        }

        var scope = {
          label: label,
          column: key,
          field: field,
          isFoot: isFoot,
          // Add in row select methods
          selectAllRows: selectAllRows,
          clearSelected: clearSelected
        };
        var $content = _this.normalizeSlot(slotNames, scope) || h('div', {
          domProps: (0,_utils_html__WEBPACK_IMPORTED_MODULE_11__.htmlOrText)(labelHtml, label)
        });
        var $srLabel = sortLabel ? h('span', {
          staticClass: 'sr-only'
        }, " (".concat(sortLabel, ")")) : null; // Return the header cell

        return h(_th__WEBPACK_IMPORTED_MODULE_12__.BTh, data, [$content, $srLabel].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_13__.identity));
      }; // Generate the array of &lt;th&gt; cells


      var $cells = fields.map(makeCell).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_13__.identity); // Generate the row(s)

      var $trs = [];

      if (isFoot) {
        $trs.push(h(_tr__WEBPACK_IMPORTED_MODULE_14__.BTr, {
          class: this.tfootTrClass,
          props: {
            variant: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_15__.isUndefinedOrNull)(footRowVariant) ? headRowVariant :
            /* istanbul ignore next */
            footRowVariant
          }
        }, $cells));
      } else {
        var scope = {
          columns: fields.length,
          fields: fields,
          // Add in row select methods
          selectAllRows: selectAllRows,
          clearSelected: clearSelected
        };
        $trs.push(this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_16__.SLOT_NAME_THEAD_TOP, scope) || h());
        $trs.push(h(_tr__WEBPACK_IMPORTED_MODULE_14__.BTr, {
          class: this.theadTrClass,
          props: {
            variant: headRowVariant
          }
        }, $cells));
      }

      return h(isFoot ? _tfoot__WEBPACK_IMPORTED_MODULE_17__.BTfoot : _thead__WEBPACK_IMPORTED_MODULE_18__.BThead, {
        class: (isFoot ? this.tfootClass : this.theadClass) || null,
        props: isFoot ? {
          footVariant: footVariant || headVariant || null
        } : {
          headVariant: headVariant || null
        },
        key: isFoot ? 'bv-tfoot' : 'bv-thead'
      }, $trs);
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-top-row.js":
/*!**********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-top-row.js ***!
  \**********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   props: () =&gt; (/* binding */ props),
/* harmony export */   topRowMixin: () =&gt; (/* binding */ topRowMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _tr__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../tr */ "./node_modules/bootstrap-vue/esm/components/table/tr.js");



 // --- Props ---

var props = {}; // --- Mixin ---
// @vue/component

var topRowMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  methods: {
    renderTopRow: function renderTopRow() {
      var fields = this.computedFields,
          stacked = this.stacked,
          tbodyTrClass = this.tbodyTrClass,
          tbodyTrAttr = this.tbodyTrAttr;
      var h = this.$createElement; // Add static Top Row slot (hidden in visibly stacked mode as we can't control the data-label)
      // If in *always* stacked mode, we don't bother rendering the row

      if (!this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_1__.SLOT_NAME_TOP_ROW) || stacked === true || stacked === '') {
        return h();
      }

      return h(_tr__WEBPACK_IMPORTED_MODULE_2__.BTr, {
        staticClass: 'b-table-top-row',
        class: [(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(tbodyTrClass) ? tbodyTrClass(null, 'row-top') : tbodyTrClass],
        attrs: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(tbodyTrAttr) ? tbodyTrAttr(null, 'row-top') : tbodyTrAttr,
        key: 'b-top-row'
      }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_1__.SLOT_NAME_TOP_ROW, {
        columns: fields.length,
        fields: fields
      })]);
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/normalize-fields.js":
/*!*************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/normalize-fields.js ***!
  \*************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   normalizeFields: () =&gt; (/* binding */ normalizeFields)
/* harmony export */ });
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _constants__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./constants */ "./node_modules/bootstrap-vue/esm/components/table/helpers/constants.js");




 // Private function to massage field entry into common object format

var processField = function processField(key, value) {
  var field = null;

  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isString)(value)) {
    // Label shortcut
    field = {
      key: key,
      label: value
    };
  } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isFunction)(value)) {
    // Formatter shortcut
    field = {
      key: key,
      formatter: value
    };
  } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(value)) {
    field = (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.clone)(value);
    field.key = field.key || key;
  } else if (value !== false) {
    // Fallback to just key

    /* istanbul ignore next */
    field = {
      key: key
    };
  }

  return field;
}; // We normalize fields into an array of objects
// [ { key:..., label:..., ...}, {...}, ..., {..}]


var normalizeFields = function normalizeFields(origFields, items) {
  var fields = [];

  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isArray)(origFields)) {
    // Normalize array Form
    origFields.filter(_utils_identity__WEBPACK_IMPORTED_MODULE_2__.identity).forEach(function (f) {
      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isString)(f)) {
        fields.push({
          key: f,
          label: (0,_utils_string__WEBPACK_IMPORTED_MODULE_3__.startCase)(f)
        });
      } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(f) &amp;&amp; f.key &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isString)(f.key)) {
        // Full object definition. We use assign so that we don't mutate the original
        fields.push((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.clone)(f));
      } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(f) &amp;&amp; (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.keys)(f).length === 1) {
        // Shortcut object (i.e. { 'foo_bar': 'This is Foo Bar' }
        var key = (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.keys)(f)[0];
        var field = processField(key, f[key]);

        if (field) {
          fields.push(field);
        }
      }
    });
  } // If no field provided, take a sample from first record (if exits)


  if (fields.length === 0 &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isArray)(items) &amp;&amp; items.length &gt; 0) {
    var sample = items[0];
    (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.keys)(sample).forEach(function (k) {
      if (!_constants__WEBPACK_IMPORTED_MODULE_4__.IGNORED_FIELD_KEYS[k]) {
        fields.push({
          key: k,
          label: (0,_utils_string__WEBPACK_IMPORTED_MODULE_3__.startCase)(k)
        });
      }
    });
  } // Ensure we have a unique array of fields and that they have String labels


  var memo = {};
  return fields.filter(function (f) {
    if (!memo[f.key]) {
      memo[f.key] = true;
      f.label = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isString)(f.label) ? f.label : (0,_utils_string__WEBPACK_IMPORTED_MODULE_3__.startCase)(f.key);
      return true;
    }

    return false;
  });
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/sanitize-row.js":
/*!*********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/sanitize-row.js ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   sanitizeRow: () =&gt; (/* binding */ sanitizeRow)
/* harmony export */ });
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _constants__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./constants */ "./node_modules/bootstrap-vue/esm/components/table/helpers/constants.js");



 // Return a copy of a row after all reserved fields have been filtered out

var sanitizeRow = function sanitizeRow(row, ignoreFields, includeFields) {
  var fieldsObj = arguments.length &gt; 3 &amp;&amp; arguments[3] !== undefined ? arguments[3] : {};
  // We first need to format the row based on the field configurations
  // This ensures that we add formatted values for keys that may not
  // exist in the row itself
  var formattedRow = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.keys)(fieldsObj).reduce(function (result, key) {
    var field = fieldsObj[key];
    var filterByFormatted = field.filterByFormatted;
    var formatter = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_1__.isFunction)(filterByFormatted) ?
    /* istanbul ignore next */
    filterByFormatted : filterByFormatted ?
    /* istanbul ignore next */
    field.formatter : null;

    if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_1__.isFunction)(formatter)) {
      result[key] = formatter(row[key], key, row);
    }

    return result;
  }, (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.clone)(row)); // Determine the allowed keys:
  //   - Ignore special fields that start with `_`
  //   - Ignore fields in the `ignoreFields` array
  //   - Include only fields in the `includeFields` array

  var allowedKeys = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.keys)(formattedRow).filter(function (key) {
    return !_constants__WEBPACK_IMPORTED_MODULE_2__.IGNORED_FIELD_KEYS[key] &amp;&amp; !((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_1__.isArray)(ignoreFields) &amp;&amp; ignoreFields.length &gt; 0 &amp;&amp; (0,_utils_array__WEBPACK_IMPORTED_MODULE_3__.arrayIncludes)(ignoreFields, key)) &amp;&amp; !((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_1__.isArray)(includeFields) &amp;&amp; includeFields.length &gt; 0 &amp;&amp; !(0,_utils_array__WEBPACK_IMPORTED_MODULE_3__.arrayIncludes)(includeFields, key));
  });
  return (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.pick)(formattedRow, allowedKeys);
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/stringify-record-values.js":
/*!********************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/stringify-record-values.js ***!
  \********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   stringifyRecordValues: () =&gt; (/* binding */ stringifyRecordValues)
/* harmony export */ });
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_stringify_object_values__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../utils/stringify-object-values */ "./node_modules/bootstrap-vue/esm/utils/stringify-object-values.js");
/* harmony import */ var _sanitize_row__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./sanitize-row */ "./node_modules/bootstrap-vue/esm/components/table/helpers/sanitize-row.js");


 // Stringifies the values of a record, ignoring any special top level field keys
// TODO: Add option to stringify `scopedSlot` items

var stringifyRecordValues = function stringifyRecordValues(row, ignoreFields, includeFields, fieldsObj) {
  return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(row) ? (0,_utils_stringify_object_values__WEBPACK_IMPORTED_MODULE_1__.stringifyObjectValues)((0,_sanitize_row__WEBPACK_IMPORTED_MODULE_2__.sanitizeRow)(row, ignoreFields, includeFields, fieldsObj)) :
  /* istanbul ignore next */
  '';
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/helpers/text-selection-active.js":
/*!******************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/helpers/text-selection-active.js ***!
  \******************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   textSelectionActive: () =&gt; (/* binding */ textSelectionActive)
/* harmony export */ });
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
 // Helper to determine if a there is an active text selection on the document page
// Used to filter out click events caused by the mouse up at end of selection
//
// Accepts an element as only argument to test to see if selection overlaps or is
// contained within the element

var textSelectionActive = function textSelectionActive() {
  var el = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : document;
  var sel = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.getSel)();
  return sel &amp;&amp; sel.toString().trim() !== '' &amp;&amp; sel.containsNode &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_0__.isElement)(el) ?
  /* istanbul ignore next */
  sel.containsNode(el, true) : false;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/index.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/index.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTable: () =&gt; (/* reexport safe */ _table__WEBPACK_IMPORTED_MODULE_9__.BTable),
/* harmony export */   BTableLite: () =&gt; (/* reexport safe */ _table_lite__WEBPACK_IMPORTED_MODULE_1__.BTableLite),
/* harmony export */   BTableSimple: () =&gt; (/* reexport safe */ _table_simple__WEBPACK_IMPORTED_MODULE_2__.BTableSimple),
/* harmony export */   BTbody: () =&gt; (/* reexport safe */ _tbody__WEBPACK_IMPORTED_MODULE_3__.BTbody),
/* harmony export */   BTd: () =&gt; (/* reexport safe */ _td__WEBPACK_IMPORTED_MODULE_7__.BTd),
/* harmony export */   BTfoot: () =&gt; (/* reexport safe */ _tfoot__WEBPACK_IMPORTED_MODULE_5__.BTfoot),
/* harmony export */   BTh: () =&gt; (/* reexport safe */ _th__WEBPACK_IMPORTED_MODULE_8__.BTh),
/* harmony export */   BThead: () =&gt; (/* reexport safe */ _thead__WEBPACK_IMPORTED_MODULE_4__.BThead),
/* harmony export */   BTr: () =&gt; (/* reexport safe */ _tr__WEBPACK_IMPORTED_MODULE_6__.BTr),
/* harmony export */   TableLitePlugin: () =&gt; (/* binding */ TableLitePlugin),
/* harmony export */   TablePlugin: () =&gt; (/* binding */ TablePlugin),
/* harmony export */   TableSimplePlugin: () =&gt; (/* binding */ TableSimplePlugin)
/* harmony export */ });
/* harmony import */ var _table__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./table */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var _table_lite__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./table-lite */ "./node_modules/bootstrap-vue/esm/components/table/table-lite.js");
/* harmony import */ var _table_simple__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./table-simple */ "./node_modules/bootstrap-vue/esm/components/table/table-simple.js");
/* harmony import */ var _tbody__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./tbody */ "./node_modules/bootstrap-vue/esm/components/table/tbody.js");
/* harmony import */ var _thead__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./thead */ "./node_modules/bootstrap-vue/esm/components/table/thead.js");
/* harmony import */ var _tfoot__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./tfoot */ "./node_modules/bootstrap-vue/esm/components/table/tfoot.js");
/* harmony import */ var _tr__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./tr */ "./node_modules/bootstrap-vue/esm/components/table/tr.js");
/* harmony import */ var _td__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./td */ "./node_modules/bootstrap-vue/esm/components/table/td.js");
/* harmony import */ var _th__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./th */ "./node_modules/bootstrap-vue/esm/components/table/th.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");










var TableLitePlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BTableLite: _table_lite__WEBPACK_IMPORTED_MODULE_1__.BTableLite
  }
});
var TableSimplePlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BTableSimple: _table_simple__WEBPACK_IMPORTED_MODULE_2__.BTableSimple,
    BTbody: _tbody__WEBPACK_IMPORTED_MODULE_3__.BTbody,
    BThead: _thead__WEBPACK_IMPORTED_MODULE_4__.BThead,
    BTfoot: _tfoot__WEBPACK_IMPORTED_MODULE_5__.BTfoot,
    BTr: _tr__WEBPACK_IMPORTED_MODULE_6__.BTr,
    BTd: _td__WEBPACK_IMPORTED_MODULE_7__.BTd,
    BTh: _th__WEBPACK_IMPORTED_MODULE_8__.BTh
  }
});
var TablePlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BTable: _table__WEBPACK_IMPORTED_MODULE_9__.BTable
  },
  plugins: {
    TableLitePlugin: TableLitePlugin,
    TableSimplePlugin: TableSimplePlugin
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/table-lite.js":
/*!***********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/table-lite.js ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTableLite: () =&gt; (/* binding */ BTableLite),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_has_listener__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../mixins/has-listener */ "./node_modules/bootstrap-vue/esm/mixins/has-listener.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _helpers_mixin_caption__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./helpers/mixin-caption */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-caption.js");
/* harmony import */ var _helpers_mixin_colgroup__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./helpers/mixin-colgroup */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-colgroup.js");
/* harmony import */ var _helpers_mixin_items__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./helpers/mixin-items */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-items.js");
/* harmony import */ var _helpers_mixin_stacked__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./helpers/mixin-stacked */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-stacked.js");
/* harmony import */ var _helpers_mixin_table_renderer__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./helpers/mixin-table-renderer */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-table-renderer.js");
/* harmony import */ var _helpers_mixin_tbody__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./helpers/mixin-tbody */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tbody.js");
/* harmony import */ var _helpers_mixin_tfoot__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./helpers/mixin-tfoot */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tfoot.js");
/* harmony import */ var _helpers_mixin_thead__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./helpers/mixin-thead */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-thead.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
















 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.props), _helpers_mixin_caption__WEBPACK_IMPORTED_MODULE_3__.props), _helpers_mixin_colgroup__WEBPACK_IMPORTED_MODULE_4__.props), _helpers_mixin_items__WEBPACK_IMPORTED_MODULE_5__.props), _helpers_mixin_stacked__WEBPACK_IMPORTED_MODULE_6__.props), _helpers_mixin_table_renderer__WEBPACK_IMPORTED_MODULE_7__.props), _helpers_mixin_tbody__WEBPACK_IMPORTED_MODULE_8__.props), _helpers_mixin_tfoot__WEBPACK_IMPORTED_MODULE_9__.props), _helpers_mixin_thead__WEBPACK_IMPORTED_MODULE_10__.props)), _constants_components__WEBPACK_IMPORTED_MODULE_11__.NAME_TABLE_LITE); // --- Main component ---
// @vue/component

var BTableLite = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_12__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_11__.NAME_TABLE_LITE,
  // Order of mixins is important!
  // They are merged from first to last, followed by this component
  mixins: [// General mixins
  _mixins_attrs__WEBPACK_IMPORTED_MODULE_13__.attrsMixin, _mixins_has_listener__WEBPACK_IMPORTED_MODULE_14__.hasListenerMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.idMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_15__.normalizeSlotMixin, // Required table mixins
  _helpers_mixin_items__WEBPACK_IMPORTED_MODULE_5__.itemsMixin, _helpers_mixin_table_renderer__WEBPACK_IMPORTED_MODULE_7__.tableRendererMixin, _helpers_mixin_stacked__WEBPACK_IMPORTED_MODULE_6__.stackedMixin, _helpers_mixin_thead__WEBPACK_IMPORTED_MODULE_10__.theadMixin, _helpers_mixin_tfoot__WEBPACK_IMPORTED_MODULE_9__.tfootMixin, _helpers_mixin_tbody__WEBPACK_IMPORTED_MODULE_8__.tbodyMixin, // Table features mixins
  // These are pretty lightweight, and are useful for lightweight tables
  _helpers_mixin_caption__WEBPACK_IMPORTED_MODULE_3__.captionMixin, _helpers_mixin_colgroup__WEBPACK_IMPORTED_MODULE_4__.colgroupMixin],
  props: props // Render function is provided by `tableRendererMixin`

});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/table-simple.js":
/*!*************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/table-simple.js ***!
  \*************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTableSimple: () =&gt; (/* binding */ BTableSimple),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_has_listener__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/has-listener */ "./node_modules/bootstrap-vue/esm/mixins/has-listener.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _helpers_mixin_stacked__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./helpers/mixin-stacked */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-stacked.js");
/* harmony import */ var _helpers_mixin_table_renderer__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./helpers/mixin-table-renderer */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-table-renderer.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }










 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.props), _helpers_mixin_stacked__WEBPACK_IMPORTED_MODULE_3__.props), _helpers_mixin_table_renderer__WEBPACK_IMPORTED_MODULE_4__.props)), _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_TABLE_SIMPLE); // --- Main component ---
// @vue/component

var BTableSimple = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_6__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_TABLE_SIMPLE,
  // Order of mixins is important!
  // They are merged from first to last, followed by this component
  mixins: [// General mixins
  _mixins_attrs__WEBPACK_IMPORTED_MODULE_7__.attrsMixin, _mixins_has_listener__WEBPACK_IMPORTED_MODULE_8__.hasListenerMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.idMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_9__.normalizeSlotMixin, // Required table mixins
  _helpers_mixin_table_renderer__WEBPACK_IMPORTED_MODULE_4__.tableRendererMixin, // Table features mixins
  // Stacked requires extra handling by users via
  // the table cell `stacked-heading` prop
  _helpers_mixin_stacked__WEBPACK_IMPORTED_MODULE_3__.stackedMixin],
  props: props,
  computed: {
    isTableSimple: function isTableSimple() {
      return true;
    }
  } // Render function is provided by `tableRendererMixin`

});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/table.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/table.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTable: () =&gt; (/* binding */ BTable),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_has_listener__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ../../mixins/has-listener */ "./node_modules/bootstrap-vue/esm/mixins/has-listener.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _helpers_mixin_bottom_row__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./helpers/mixin-bottom-row */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-bottom-row.js");
/* harmony import */ var _helpers_mixin_busy__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./helpers/mixin-busy */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-busy.js");
/* harmony import */ var _helpers_mixin_caption__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./helpers/mixin-caption */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-caption.js");
/* harmony import */ var _helpers_mixin_colgroup__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./helpers/mixin-colgroup */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-colgroup.js");
/* harmony import */ var _helpers_mixin_empty__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./helpers/mixin-empty */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-empty.js");
/* harmony import */ var _helpers_mixin_filtering__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./helpers/mixin-filtering */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-filtering.js");
/* harmony import */ var _helpers_mixin_items__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./helpers/mixin-items */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-items.js");
/* harmony import */ var _helpers_mixin_pagination__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./helpers/mixin-pagination */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-pagination.js");
/* harmony import */ var _helpers_mixin_provider__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./helpers/mixin-provider */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-provider.js");
/* harmony import */ var _helpers_mixin_selectable__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ./helpers/mixin-selectable */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-selectable.js");
/* harmony import */ var _helpers_mixin_sorting__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ./helpers/mixin-sorting */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-sorting.js");
/* harmony import */ var _helpers_mixin_stacked__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ./helpers/mixin-stacked */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-stacked.js");
/* harmony import */ var _helpers_mixin_table_renderer__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ./helpers/mixin-table-renderer */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-table-renderer.js");
/* harmony import */ var _helpers_mixin_tbody__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ./helpers/mixin-tbody */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tbody.js");
/* harmony import */ var _helpers_mixin_tfoot__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ./helpers/mixin-tfoot */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-tfoot.js");
/* harmony import */ var _helpers_mixin_thead__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ./helpers/mixin-thead */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-thead.js");
/* harmony import */ var _helpers_mixin_top_row__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ./helpers/mixin-top-row */ "./node_modules/bootstrap-vue/esm/components/table/helpers/mixin-top-row.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

























 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.props), _helpers_mixin_bottom_row__WEBPACK_IMPORTED_MODULE_3__.props), _helpers_mixin_busy__WEBPACK_IMPORTED_MODULE_4__.props), _helpers_mixin_caption__WEBPACK_IMPORTED_MODULE_5__.props), _helpers_mixin_colgroup__WEBPACK_IMPORTED_MODULE_6__.props), _helpers_mixin_empty__WEBPACK_IMPORTED_MODULE_7__.props), _helpers_mixin_filtering__WEBPACK_IMPORTED_MODULE_8__.props), _helpers_mixin_items__WEBPACK_IMPORTED_MODULE_9__.props), _helpers_mixin_pagination__WEBPACK_IMPORTED_MODULE_10__.props), _helpers_mixin_provider__WEBPACK_IMPORTED_MODULE_11__.props), _helpers_mixin_selectable__WEBPACK_IMPORTED_MODULE_12__.props), _helpers_mixin_sorting__WEBPACK_IMPORTED_MODULE_13__.props), _helpers_mixin_stacked__WEBPACK_IMPORTED_MODULE_14__.props), _helpers_mixin_table_renderer__WEBPACK_IMPORTED_MODULE_15__.props), _helpers_mixin_tbody__WEBPACK_IMPORTED_MODULE_16__.props), _helpers_mixin_tfoot__WEBPACK_IMPORTED_MODULE_17__.props), _helpers_mixin_thead__WEBPACK_IMPORTED_MODULE_18__.props), _helpers_mixin_top_row__WEBPACK_IMPORTED_MODULE_19__.props)), _constants_components__WEBPACK_IMPORTED_MODULE_20__.NAME_TABLE); // --- Main component ---
// @vue/component

var BTable = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_21__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_20__.NAME_TABLE,
  // Order of mixins is important!
  // They are merged from first to last, followed by this component
  mixins: [// General mixins
  _mixins_attrs__WEBPACK_IMPORTED_MODULE_22__.attrsMixin, _mixins_has_listener__WEBPACK_IMPORTED_MODULE_23__.hasListenerMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_2__.idMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_24__.normalizeSlotMixin, // Required table mixins
  _helpers_mixin_items__WEBPACK_IMPORTED_MODULE_9__.itemsMixin, _helpers_mixin_table_renderer__WEBPACK_IMPORTED_MODULE_15__.tableRendererMixin, _helpers_mixin_stacked__WEBPACK_IMPORTED_MODULE_14__.stackedMixin, _helpers_mixin_thead__WEBPACK_IMPORTED_MODULE_18__.theadMixin, _helpers_mixin_tfoot__WEBPACK_IMPORTED_MODULE_17__.tfootMixin, _helpers_mixin_tbody__WEBPACK_IMPORTED_MODULE_16__.tbodyMixin, // Table features mixins
  _helpers_mixin_stacked__WEBPACK_IMPORTED_MODULE_14__.stackedMixin, _helpers_mixin_filtering__WEBPACK_IMPORTED_MODULE_8__.filteringMixin, _helpers_mixin_sorting__WEBPACK_IMPORTED_MODULE_13__.sortingMixin, _helpers_mixin_pagination__WEBPACK_IMPORTED_MODULE_10__.paginationMixin, _helpers_mixin_caption__WEBPACK_IMPORTED_MODULE_5__.captionMixin, _helpers_mixin_colgroup__WEBPACK_IMPORTED_MODULE_6__.colgroupMixin, _helpers_mixin_selectable__WEBPACK_IMPORTED_MODULE_12__.selectableMixin, _helpers_mixin_empty__WEBPACK_IMPORTED_MODULE_7__.emptyMixin, _helpers_mixin_top_row__WEBPACK_IMPORTED_MODULE_19__.topRowMixin, _helpers_mixin_bottom_row__WEBPACK_IMPORTED_MODULE_3__.bottomRowMixin, _helpers_mixin_busy__WEBPACK_IMPORTED_MODULE_4__.busyMixin, _helpers_mixin_provider__WEBPACK_IMPORTED_MODULE_11__.providerMixin],
  props: props // Render function is provided by `tableRendererMixin`

});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/tbody.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/tbody.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTbody: () =&gt; (/* binding */ BTbody),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_listeners__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/listeners */ "./node_modules/bootstrap-vue/esm/mixins/listeners.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  tbodyTransitionHandlers: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_OBJECT),
  tbodyTransitionProps: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_OBJECT)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_TBODY); // --- Main component ---
// TODO:
//   In Bootstrap v5, we won't need "sniffing" as table element variants properly inherit
//   to the child elements, so this can be converted to a functional component
// @vue/component

var BTbody = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_TBODY,
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_4__.attrsMixin, _mixins_listeners__WEBPACK_IMPORTED_MODULE_5__.listenersMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlotMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvTableRowGroup: function getBvTableRowGroup() {
        return _this;
      }
    };
  },
  inject: {
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    getBvTable: {
      default:
      /* istanbul ignore next */
      function _default() {
        return function () {
          return {};
        };
      }
    }
  },
  inheritAttrs: false,
  props: props,
  computed: {
    bvTable: function bvTable() {
      return this.getBvTable();
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isTbody: function isTbody() {
      return true;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isDark: function isDark() {
      return this.bvTable.dark;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isStacked: function isStacked() {
      return this.bvTable.isStacked;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isResponsive: function isResponsive() {
      return this.bvTable.isResponsive;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    // Sticky headers are only supported in thead
    isStickyHeader: function isStickyHeader() {
      return false;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    // Needed to handle header background classes, due to lack of
    // background color inheritance with Bootstrap v4 table CSS
    hasStickyHeader: function hasStickyHeader() {
      return !this.isStacked &amp;&amp; this.bvTable.stickyHeader;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    tableVariant: function tableVariant() {
      return this.bvTable.tableVariant;
    },
    isTransitionGroup: function isTransitionGroup() {
      return this.tbodyTransitionProps || this.tbodyTransitionHandlers;
    },
    tbodyAttrs: function tbodyAttrs() {
      return _objectSpread({
        role: 'rowgroup'
      }, this.bvAttrs);
    },
    tbodyProps: function tbodyProps() {
      var tbodyTransitionProps = this.tbodyTransitionProps;
      return tbodyTransitionProps ? _objectSpread(_objectSpread({}, tbodyTransitionProps), {}, {
        tag: 'tbody'
      }) : {};
    }
  },
  render: function render(h) {
    var data = {
      props: this.tbodyProps,
      attrs: this.tbodyAttrs
    };

    if (this.isTransitionGroup) {
      // We use native listeners if a transition group for any delegated events
      data.on = this.tbodyTransitionHandlers || {};
      data.nativeOn = this.bvListeners;
    } else {
      // Otherwise we place any listeners on the tbody element
      data.on = this.bvListeners;
    }

    return h(this.isTransitionGroup ? 'transition-group' : 'tbody', data, this.normalizeSlot());
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/td.js":
/*!***************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/td.js ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTd: () =&gt; (/* binding */ BTd),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_listeners__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/listeners */ "./node_modules/bootstrap-vue/esm/mixins/listeners.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }











 // --- Helper methods ---
// Parse a rowspan or colspan into a digit (or `null` if &lt; `1` )

var parseSpan = function parseSpan(value) {
  value = (0,_utils_number__WEBPACK_IMPORTED_MODULE_0__.toInteger)(value, 0);
  return value &gt; 0 ? value : null;
};
/* istanbul ignore next */


var spanValidator = function spanValidator(value) {
  return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_1__.isUndefinedOrNull)(value) || parseSpan(value) &gt; 0;
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makePropsConfigurable)({
  colspan: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_NUMBER_STRING, null, spanValidator),
  rowspan: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_NUMBER_STRING, null, spanValidator),
  stackedHeading: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  stickyColumn: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_TABLE_CELL); // --- Main component ---
// TODO:
//   In Bootstrap v5, we won't need "sniffing" as table element variants properly inherit
//   to the child elements, so this can be converted to a functional component
// @vue/component

var BTd = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_TABLE_CELL,
  // Mixin order is important!
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_6__.attrsMixin, _mixins_listeners__WEBPACK_IMPORTED_MODULE_7__.listenersMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_8__.normalizeSlotMixin],
  inject: {
    getBvTableTr: {
      default:
      /* istanbul ignore next */
      function _default() {
        return function () {
          return {};
        };
      }
    }
  },
  inheritAttrs: false,
  props: props,
  computed: {
    bvTableTr: function bvTableTr() {
      return this.getBvTableTr();
    },
    // Overridden by `&lt;b-th&gt;`
    tag: function tag() {
      return 'td';
    },
    inTbody: function inTbody() {
      return this.bvTableTr.inTbody;
    },
    inThead: function inThead() {
      return this.bvTableTr.inThead;
    },
    inTfoot: function inTfoot() {
      return this.bvTableTr.inTfoot;
    },
    isDark: function isDark() {
      return this.bvTableTr.isDark;
    },
    isStacked: function isStacked() {
      return this.bvTableTr.isStacked;
    },
    // We only support stacked-heading in tbody in stacked mode
    isStackedCell: function isStackedCell() {
      return this.inTbody &amp;&amp; this.isStacked;
    },
    isResponsive: function isResponsive() {
      return this.bvTableTr.isResponsive;
    },
    // Needed to handle header background classes, due to lack of
    // background color inheritance with Bootstrap v4 table CSS
    // Sticky headers only apply to cells in table `thead`
    isStickyHeader: function isStickyHeader() {
      return this.bvTableTr.isStickyHeader;
    },
    // Needed to handle header background classes, due to lack of
    // background color inheritance with Bootstrap v4 table CSS
    hasStickyHeader: function hasStickyHeader() {
      return this.bvTableTr.hasStickyHeader;
    },
    // Needed to handle background classes, due to lack of
    // background color inheritance with Bootstrap v4 table CSS
    // Sticky column cells are only available in responsive
    // mode (horizontal scrolling) or when sticky header mode
    // Applies to cells in `thead`, `tbody` and `tfoot`
    isStickyColumn: function isStickyColumn() {
      return !this.isStacked &amp;&amp; (this.isResponsive || this.hasStickyHeader) &amp;&amp; this.stickyColumn;
    },
    rowVariant: function rowVariant() {
      return this.bvTableTr.variant;
    },
    headVariant: function headVariant() {
      return this.bvTableTr.headVariant;
    },
    footVariant: function footVariant() {
      return this.bvTableTr.footVariant;
    },
    tableVariant: function tableVariant() {
      return this.bvTableTr.tableVariant;
    },
    computedColspan: function computedColspan() {
      return parseSpan(this.colspan);
    },
    computedRowspan: function computedRowspan() {
      return parseSpan(this.rowspan);
    },
    // We use computed props here for improved performance by caching
    // the results of the string interpolation
    cellClasses: function cellClasses() {
      var variant = this.variant,
          headVariant = this.headVariant,
          isStickyColumn = this.isStickyColumn;

      if (!variant &amp;&amp; this.isStickyHeader &amp;&amp; !headVariant || !variant &amp;&amp; isStickyColumn &amp;&amp; this.inTfoot &amp;&amp; !this.footVariant || !variant &amp;&amp; isStickyColumn &amp;&amp; this.inThead &amp;&amp; !headVariant || !variant &amp;&amp; isStickyColumn &amp;&amp; this.inTbody) {
        // Needed for sticky-header mode as Bootstrap v4 table cells do
        // not inherit parent's `background-color`
        variant = this.rowVariant || this.tableVariant || 'b-table-default';
      }

      return [variant ? "".concat(this.isDark ? 'bg' : 'table', "-").concat(variant) : null, isStickyColumn ? 'b-table-sticky-column' : null];
    },
    cellAttrs: function cellAttrs() {
      var stackedHeading = this.stackedHeading; // We use computed props here for improved performance by caching
      // the results of the object spread (Object.assign)

      var headOrFoot = this.inThead || this.inTfoot; // Make sure col/rowspan's are &gt; 0 or null

      var colspan = this.computedColspan;
      var rowspan = this.computedRowspan; // Default role and scope

      var role = 'cell';
      var scope = null; // Compute role and scope
      // We only add scopes with an explicit span of 1 or greater

      if (headOrFoot) {
        // Header or footer cells
        role = 'columnheader';
        scope = colspan &gt; 0 ? 'colspan' : 'col';
      } else if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_9__.isTag)(this.tag, 'th')) {
        // th's in tbody
        role = 'rowheader';
        scope = rowspan &gt; 0 ? 'rowgroup' : 'row';
      }

      return _objectSpread(_objectSpread({
        colspan: colspan,
        rowspan: rowspan,
        role: role,
        scope: scope
      }, this.bvAttrs), {}, {
        // Add in the stacked cell label data-attribute if in
        // stacked mode (if a stacked heading label is provided)
        'data-label': this.isStackedCell &amp;&amp; !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_1__.isUndefinedOrNull)(stackedHeading) ?
        /* istanbul ignore next */
        (0,_utils_string__WEBPACK_IMPORTED_MODULE_10__.toString)(stackedHeading) : null
      });
    }
  },
  render: function render(h) {
    var $content = [this.normalizeSlot()];
    return h(this.tag, {
      class: this.cellClasses,
      attrs: this.cellAttrs,
      // Transfer any native listeners
      on: this.bvListeners
    }, [this.isStackedCell ? h('div', [$content]) : $content]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/tfoot.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/tfoot.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTfoot: () =&gt; (/* binding */ BTfoot),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_listeners__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/listeners */ "./node_modules/bootstrap-vue/esm/mixins/listeners.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  // Supported values: 'lite', 'dark', or null
  footVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_TFOOT); // --- Main component ---
// TODO:
//   In Bootstrap v5, we won't need "sniffing" as table element variants properly inherit
//   to the child elements, so this can be converted to a functional component
// @vue/component

var BTfoot = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_TFOOT,
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_4__.attrsMixin, _mixins_listeners__WEBPACK_IMPORTED_MODULE_5__.listenersMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlotMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvTableRowGroup: function getBvTableRowGroup() {
        return _this;
      }
    };
  },
  inject: {
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    getBvTable: {
      default:
      /* istanbul ignore next */
      function _default() {
        return function () {
          return {};
        };
      }
    }
  },
  inheritAttrs: false,
  props: props,
  computed: {
    bvTable: function bvTable() {
      return this.getBvTable();
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isTfoot: function isTfoot() {
      return true;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isDark: function isDark() {
      return this.bvTable.dark;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isStacked: function isStacked() {
      return this.bvTable.isStacked;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isResponsive: function isResponsive() {
      return this.bvTable.isResponsive;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    // Sticky headers are only supported in thead
    isStickyHeader: function isStickyHeader() {
      return false;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    // Needed to handle header background classes, due to lack of
    // background color inheritance with Bootstrap v4 table CSS
    hasStickyHeader: function hasStickyHeader() {
      return !this.isStacked &amp;&amp; this.bvTable.stickyHeader;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    tableVariant: function tableVariant() {
      return this.bvTable.tableVariant;
    },
    tfootClasses: function tfootClasses() {
      return [this.footVariant ? "thead-".concat(this.footVariant) : null];
    },
    tfootAttrs: function tfootAttrs() {
      return _objectSpread(_objectSpread({}, this.bvAttrs), {}, {
        role: 'rowgroup'
      });
    }
  },
  render: function render(h) {
    return h('tfoot', {
      class: this.tfootClasses,
      attrs: this.tfootAttrs,
      // Pass down any native listeners
      on: this.bvListeners
    }, this.normalizeSlot());
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/th.js":
/*!***************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/th.js ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTh: () =&gt; (/* binding */ BTh),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _td__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./td */ "./node_modules/bootstrap-vue/esm/components/table/td.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)(_td__WEBPACK_IMPORTED_MODULE_1__.props, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_TH); // --- Main component ---
// TODO:
//   In Bootstrap v5, we won't need "sniffing" as table element variants properly inherit
//   to the child elements, so this can be converted to a functional component
// @vue/component

var BTh = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_TH,
  extends: _td__WEBPACK_IMPORTED_MODULE_1__.BTd,
  props: props,
  computed: {
    tag: function tag() {
      return 'th';
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/thead.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/thead.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BThead: () =&gt; (/* binding */ BThead),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_listeners__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/listeners */ "./node_modules/bootstrap-vue/esm/mixins/listeners.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  // Also sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
  // Supported values: 'lite', 'dark', or `null`
  headVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_THEAD); // --- Main component ---
// TODO:
//   In Bootstrap v5, we won't need "sniffing" as table element variants properly inherit
//   to the child elements, so this can be converted to a functional component
// @vue/component

var BThead = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_THEAD,
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_4__.attrsMixin, _mixins_listeners__WEBPACK_IMPORTED_MODULE_5__.listenersMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlotMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvTableRowGroup: function getBvTableRowGroup() {
        return _this;
      }
    };
  },
  inject: {
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    getBvTable: {
      default:
      /* istanbul ignore next */
      function _default() {
        return function () {
          return {};
        };
      }
    }
  },
  inheritAttrs: false,
  props: props,
  computed: {
    bvTable: function bvTable() {
      return this.getBvTable();
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isThead: function isThead() {
      return true;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isDark: function isDark() {
      return this.bvTable.dark;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isStacked: function isStacked() {
      return this.bvTable.isStacked;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isResponsive: function isResponsive() {
      return this.bvTable.isResponsive;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    // Needed to handle header background classes, due to lack of
    // background color inheritance with Bootstrap v4 table CSS
    // Sticky headers only apply to cells in table `thead`
    isStickyHeader: function isStickyHeader() {
      return !this.isStacked &amp;&amp; this.bvTable.stickyHeader;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    // Needed to handle header background classes, due to lack of
    // background color inheritance with Bootstrap v4 table CSS
    hasStickyHeader: function hasStickyHeader() {
      return !this.isStacked &amp;&amp; this.bvTable.stickyHeader;
    },
    // Sniffed by `&lt;b-tr&gt;` / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    tableVariant: function tableVariant() {
      return this.bvTable.tableVariant;
    },
    theadClasses: function theadClasses() {
      return [this.headVariant ? "thead-".concat(this.headVariant) : null];
    },
    theadAttrs: function theadAttrs() {
      return _objectSpread({
        role: 'rowgroup'
      }, this.bvAttrs);
    }
  },
  render: function render(h) {
    return h('thead', {
      class: this.theadClasses,
      attrs: this.theadAttrs,
      // Pass down any native listeners
      on: this.bvListeners
    }, this.normalizeSlot());
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/table/tr.js":
/*!***************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/table/tr.js ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTr: () =&gt; (/* binding */ BTr),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_listeners__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../mixins/listeners */ "./node_modules/bootstrap-vue/esm/mixins/listeners.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // --- Constants ---

var LIGHT = 'light';
var DARK = 'dark'; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_TR); // --- Main component ---
// TODO:
//   In Bootstrap v5, we won't need "sniffing" as table element variants properly inherit
//   to the child elements, so this can be converted to a functional component
// @vue/component

var BTr = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_TR,
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_4__.attrsMixin, _mixins_listeners__WEBPACK_IMPORTED_MODULE_5__.listenersMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlotMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvTableTr: function getBvTableTr() {
        return _this;
      }
    };
  },
  inject: {
    getBvTableRowGroup: {
      default:
      /* istanbul ignore next */
      function _default() {
        return function () {
          return {};
        };
      }
    }
  },
  inheritAttrs: false,
  props: props,
  computed: {
    bvTableRowGroup: function bvTableRowGroup() {
      return this.getBvTableRowGroup();
    },
    // Sniffed by `&lt;b-td&gt;` / `&lt;b-th&gt;`
    inTbody: function inTbody() {
      return this.bvTableRowGroup.isTbody;
    },
    // Sniffed by `&lt;b-td&gt;` / `&lt;b-th&gt;`
    inThead: function inThead() {
      return this.bvTableRowGroup.isThead;
    },
    // Sniffed by `&lt;b-td&gt;` / `&lt;b-th&gt;`
    inTfoot: function inTfoot() {
      return this.bvTableRowGroup.isTfoot;
    },
    // Sniffed by `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isDark: function isDark() {
      return this.bvTableRowGroup.isDark;
    },
    // Sniffed by `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isStacked: function isStacked() {
      return this.bvTableRowGroup.isStacked;
    },
    // Sniffed by `&lt;b-td&gt;` / `&lt;b-th&gt;`
    isResponsive: function isResponsive() {
      return this.bvTableRowGroup.isResponsive;
    },
    // Sniffed by `&lt;b-td&gt;` / `&lt;b-th&gt;`
    // Sticky headers are only supported in thead
    isStickyHeader: function isStickyHeader() {
      return this.bvTableRowGroup.isStickyHeader;
    },
    // Sniffed by &lt;b-tr&gt; / `&lt;b-td&gt;` / `&lt;b-th&gt;`
    // Needed to handle header background classes, due to lack of
    // background color inheritance with Bootstrap v4 table CSS
    hasStickyHeader: function hasStickyHeader() {
      return !this.isStacked &amp;&amp; this.bvTableRowGroup.hasStickyHeader;
    },
    // Sniffed by `&lt;b-td&gt;` / `&lt;b-th&gt;`
    tableVariant: function tableVariant() {
      return this.bvTableRowGroup.tableVariant;
    },
    // Sniffed by `&lt;b-td&gt;` / `&lt;b-th&gt;`
    headVariant: function headVariant() {
      return this.inThead ? this.bvTableRowGroup.headVariant : null;
    },
    // Sniffed by `&lt;b-td&gt;` / `&lt;b-th&gt;`
    footVariant: function footVariant() {
      return this.inTfoot ? this.bvTableRowGroup.footVariant : null;
    },
    isRowDark: function isRowDark() {
      return this.headVariant === LIGHT || this.footVariant === LIGHT ?
      /* istanbul ignore next */
      false : this.headVariant === DARK || this.footVariant === DARK ?
      /* istanbul ignore next */
      true : this.isDark;
    },
    trClasses: function trClasses() {
      var variant = this.variant;
      return [variant ? "".concat(this.isRowDark ? 'bg' : 'table', "-").concat(variant) : null];
    },
    trAttrs: function trAttrs() {
      return _objectSpread({
        role: 'row'
      }, this.bvAttrs);
    }
  },
  render: function render(h) {
    return h('tr', {
      class: this.trClasses,
      attrs: this.trAttrs,
      // Pass native listeners to child
      on: this.bvListeners
    }, this.normalizeSlot());
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/tabs/index.js":
/*!*****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/tabs/index.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTab: () =&gt; (/* reexport safe */ _tab__WEBPACK_IMPORTED_MODULE_2__.BTab),
/* harmony export */   BTabs: () =&gt; (/* reexport safe */ _tabs__WEBPACK_IMPORTED_MODULE_1__.BTabs),
/* harmony export */   TabsPlugin: () =&gt; (/* binding */ TabsPlugin)
/* harmony export */ });
/* harmony import */ var _tabs__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./tabs */ "./node_modules/bootstrap-vue/esm/components/tabs/tabs.js");
/* harmony import */ var _tab__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./tab */ "./node_modules/bootstrap-vue/esm/components/tabs/tab.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var TabsPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BTabs: _tabs__WEBPACK_IMPORTED_MODULE_1__.BTabs,
    BTab: _tab__WEBPACK_IMPORTED_MODULE_2__.BTab
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/tabs/tab.js":
/*!***************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/tabs/tab.js ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTab: () =&gt; (/* binding */ BTab),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _transition_bv_transition__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../transition/bv-transition */ "./node_modules/bootstrap-vue/esm/components/transition/bv-transition.js");
var _objectSpread2, _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }










 // --- Constants ---

var MODEL_PROP_NAME_ACTIVE = 'active';
var MODEL_EVENT_NAME_ACTIVE = _constants_events__WEBPACK_IMPORTED_MODULE_0__.MODEL_EVENT_NAME_PREFIX + MODEL_PROP_NAME_ACTIVE; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_3__.props), {}, (_objectSpread2 = {}, _defineProperty(_objectSpread2, MODEL_PROP_NAME_ACTIVE, (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_objectSpread2, "buttonId", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING)), _defineProperty(_objectSpread2, "disabled", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_objectSpread2, "lazy", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_objectSpread2, "noBody", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_objectSpread2, "tag", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING, 'div')), _defineProperty(_objectSpread2, "title", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING)), _defineProperty(_objectSpread2, "titleItemClass", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_ARRAY_OBJECT_STRING)), _defineProperty(_objectSpread2, "titleLinkAttributes", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_OBJECT)), _defineProperty(_objectSpread2, "titleLinkClass", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_ARRAY_OBJECT_STRING)), _objectSpread2))), _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_TAB); // --- Main component ---
// @vue/component

var BTab = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_6__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_TAB,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_3__.idMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_7__.normalizeSlotMixin],
  inject: {
    getBvTabs: {
      default: function _default() {
        return function () {
          return {};
        };
      }
    }
  },
  props: props,
  data: function data() {
    return {
      localActive: this[MODEL_PROP_NAME_ACTIVE] &amp;&amp; !this.disabled
    };
  },
  computed: {
    bvTabs: function bvTabs() {
      return this.getBvTabs();
    },
    // For parent sniffing of child
    _isTab: function _isTab() {
      return true;
    },
    tabClasses: function tabClasses() {
      var active = this.localActive,
          disabled = this.disabled;
      return [{
        active: active,
        disabled: disabled,
        'card-body': this.bvTabs.card &amp;&amp; !this.noBody
      }, // Apply &lt;b-tabs&gt; `activeTabClass` styles when this tab is active
      active ? this.bvTabs.activeTabClass : null];
    },
    controlledBy: function controlledBy() {
      return this.buttonId || this.safeId('__BV_tab_button__');
    },
    computedNoFade: function computedNoFade() {
      return !(this.bvTabs.fade || false);
    },
    computedLazy: function computedLazy() {
      return this.bvTabs.lazy || this.lazy;
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME_ACTIVE, function (newValue, oldValue) {
    if (newValue !== oldValue) {
      if (newValue) {
        // If activated post mount
        this.activate();
      } else {
        /* istanbul ignore next */
        if (!this.deactivate()) {
          // Tab couldn't be deactivated, so we reset the synced active prop
          // Deactivation will fail if no other tabs to activate
          this.$emit(MODEL_EVENT_NAME_ACTIVE, this.localActive);
        }
      }
    }
  }), _defineProperty(_watch, "disabled", function disabled(newValue, oldValue) {
    if (newValue !== oldValue) {
      var firstTab = this.bvTabs.firstTab;

      if (newValue &amp;&amp; this.localActive &amp;&amp; firstTab) {
        this.localActive = false;
        firstTab();
      }
    }
  }), _defineProperty(_watch, "localActive", function localActive(newValue) {
    // Make `active` prop work with `.sync` modifier
    this.$emit(MODEL_EVENT_NAME_ACTIVE, newValue);
  }), _watch),
  mounted: function mounted() {
    // Inform `&lt;b-tabs&gt;` of our presence
    this.registerTab();
  },
  updated: function updated() {
    // Force the tab button content to update (since slots are not reactive)
    // Only done if we have a title slot, as the title prop is reactive
    var updateButton = this.bvTabs.updateButton;

    if (updateButton &amp;&amp; this.hasNormalizedSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_8__.SLOT_NAME_TITLE)) {
      updateButton(this);
    }
  },
  beforeDestroy: function beforeDestroy() {
    // Inform `&lt;b-tabs&gt;` of our departure
    this.unregisterTab();
  },
  methods: {
    // Private methods
    registerTab: function registerTab() {
      // Inform `&lt;b-tabs&gt;` of our presence
      var registerTab = this.bvTabs.registerTab;

      if (registerTab) {
        registerTab(this);
      }
    },
    unregisterTab: function unregisterTab() {
      // Inform `&lt;b-tabs&gt;` of our departure
      var unregisterTab = this.bvTabs.unregisterTab;

      if (unregisterTab) {
        unregisterTab(this);
      }
    },
    // Public methods
    activate: function activate() {
      // Not inside a `&lt;b-tabs&gt;` component or tab is disabled
      var activateTab = this.bvTabs.activateTab;
      return activateTab &amp;&amp; !this.disabled ? activateTab(this) : false;
    },
    deactivate: function deactivate() {
      // Not inside a `&lt;b-tabs&gt;` component or not active to begin with
      var deactivateTab = this.bvTabs.deactivateTab;
      return deactivateTab &amp;&amp; this.localActive ? deactivateTab(this) : false;
    }
  },
  render: function render(h) {
    var localActive = this.localActive;
    var $content = h(this.tag, {
      staticClass: 'tab-pane',
      class: this.tabClasses,
      directives: [{
        name: 'show',
        value: localActive
      }],
      attrs: {
        role: 'tabpanel',
        id: this.safeId(),
        'aria-hidden': localActive ? 'false' : 'true',
        'aria-labelledby': this.controlledBy || null
      },
      ref: 'panel'
    }, // Render content lazily if requested
    [localActive || !this.computedLazy ? this.normalizeSlot() : h()]);
    return h(_transition_bv_transition__WEBPACK_IMPORTED_MODULE_9__.BVTransition, {
      props: {
        mode: 'out-in',
        noFade: this.computedNoFade
      }
    }, [$content]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/tabs/tabs.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/tabs/tabs.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTabs: () =&gt; (/* binding */ BTabs),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ../../utils/bv-event.class */ "./node_modules/bootstrap-vue/esm/utils/bv-event.class.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_observe_dom__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../utils/observe-dom */ "./node_modules/bootstrap-vue/esm/utils/observe-dom.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_stable_sort__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../../utils/stable-sort */ "./node_modules/bootstrap-vue/esm/utils/stable-sort.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var _nav_nav__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../nav/nav */ "./node_modules/bootstrap-vue/esm/components/nav/nav.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

























 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event; // --- Helper methods ---
// Filter function to filter out disabled tabs


var notDisabled = function notDisabled(tab) {
  return !tab.disabled;
}; // --- Helper components ---
// @vue/component


var BVTabButton = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TAB_BUTTON_HELPER,
  inject: {
    getBvTabs: {
      default:
      /* istanbul ignore next */
      function _default() {
        return function () {
          return {};
        };
      }
    }
  },
  props: {
    controls: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
    id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
    noKeyNav: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
    posInSet: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER),
    setSize: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER),
    // Reference to the child &lt;b-tab&gt; instance
    tab: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(),
    tabIndex: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER)
  },
  computed: {
    bvTabs: function bvTabs() {
      return this.getBvTabs();
    }
  },
  methods: {
    focus: function focus() {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.attemptFocus)(this.$refs.link);
    },
    handleEvent: function handleEvent(event) {
      /* istanbul ignore next */
      if (this.tab.disabled) {
        return;
      }

      var type = event.type,
          keyCode = event.keyCode,
          shiftKey = event.shiftKey;

      if (type === 'click') {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_6__.stopEvent)(event);
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_CLICK, event);
      } else if (type === 'keydown' &amp;&amp; keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_SPACE) {
        // For ARIA tabs the SPACE key will also trigger a click/select
        // Even with keyboard navigation disabled, SPACE should "click" the button
        // See: https://github.com/bootstrap-vue/bootstrap-vue/issues/4323
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_6__.stopEvent)(event);
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_CLICK, event);
      } else if (type === 'keydown' &amp;&amp; !this.noKeyNav) {
        // For keyboard navigation
        if ([_constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_UP, _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_LEFT, _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_HOME].indexOf(keyCode) !== -1) {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_6__.stopEvent)(event);

          if (shiftKey || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_HOME) {
            this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_FIRST, event);
          } else {
            this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_PREV, event);
          }
        } else if ([_constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_DOWN, _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_RIGHT, _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_END].indexOf(keyCode) !== -1) {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_6__.stopEvent)(event);

          if (shiftKey || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_8__.CODE_END) {
            this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_LAST, event);
          } else {
            this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_NEXT, event);
          }
        }
      }
    }
  },
  render: function render(h) {
    var id = this.id,
        tabIndex = this.tabIndex,
        setSize = this.setSize,
        posInSet = this.posInSet,
        controls = this.controls,
        handleEvent = this.handleEvent;
    var _this$tab = this.tab,
        title = _this$tab.title,
        localActive = _this$tab.localActive,
        disabled = _this$tab.disabled,
        titleItemClass = _this$tab.titleItemClass,
        titleLinkClass = _this$tab.titleLinkClass,
        titleLinkAttributes = _this$tab.titleLinkAttributes;
    var $link = h(_link_link__WEBPACK_IMPORTED_MODULE_9__.BLink, {
      staticClass: 'nav-link',
      class: [{
        active: localActive &amp;&amp; !disabled,
        disabled: disabled
      }, titleLinkClass, // Apply &lt;b-tabs&gt; `activeNavItemClass` styles when the tab is active
      localActive ? this.bvTabs.activeNavItemClass : null],
      props: {
        disabled: disabled
      },
      attrs: _objectSpread(_objectSpread({}, titleLinkAttributes), {}, {
        id: id,
        role: 'tab',
        // Roving tab index when keynav enabled
        tabindex: tabIndex,
        'aria-selected': localActive &amp;&amp; !disabled ? 'true' : 'false',
        'aria-setsize': setSize,
        'aria-posinset': posInSet,
        'aria-controls': controls
      }),
      on: {
        click: handleEvent,
        keydown: handleEvent
      },
      ref: 'link'
    }, [this.tab.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_10__.SLOT_NAME_TITLE) || title]);
    return h('li', {
      staticClass: 'nav-item',
      class: [titleItemClass],
      attrs: {
        role: 'presentation'
      }
    }, [$link]);
  }
}); // --- Props ---

var navProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_11__.omit)(_nav_nav__WEBPACK_IMPORTED_MODULE_12__.props, ['tabs', 'isNavBar', 'cardHeader']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_11__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_13__.props), modelProps), navProps), {}, {
  // Only applied to the currently active `&lt;b-nav-item&gt;`
  activeNavItemClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  // Only applied to the currently active `&lt;b-tab&gt;`
  // This prop is sniffed by the `&lt;b-tab&gt;` child
  activeTabClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  card: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  contentClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  // Synonym for 'bottom'
  end: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // This prop is sniffed by the `&lt;b-tab&gt;` child
  lazy: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  navClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  navWrapperClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  noFade: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noKeyNav: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  noNavStyle: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div')
})), _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TABS); // --- Main component ---
// @vue/component

var BTabs = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TABS,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_13__.idMixin, modelMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_14__.normalizeSlotMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvTabs: function getBvTabs() {
        return _this;
      }
    };
  },
  props: props,
  data: function data() {
    return {
      // Index of current tab
      currentTab: (0,_utils_number__WEBPACK_IMPORTED_MODULE_15__.toInteger)(this[MODEL_PROP_NAME], -1),
      // Array of direct child `&lt;b-tab&gt;` instances, in DOM order
      tabs: [],
      // Array of child instances registered (for triggering reactive updates)
      registeredTabs: []
    };
  },
  computed: {
    fade: function fade() {
      // This computed prop is sniffed by the tab child
      return !this.noFade;
    },
    localNavClass: function localNavClass() {
      var classes = [];

      if (this.card &amp;&amp; this.vertical) {
        classes.push('card-header', 'h-100', 'border-bottom-0', 'rounded-0');
      }

      return [].concat(classes, [this.navClass]);
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue, oldValue) {
    if (newValue !== oldValue) {
      newValue = (0,_utils_number__WEBPACK_IMPORTED_MODULE_15__.toInteger)(newValue, -1);
      oldValue = (0,_utils_number__WEBPACK_IMPORTED_MODULE_15__.toInteger)(oldValue, 0);
      var $tab = this.tabs[newValue];

      if ($tab &amp;&amp; !$tab.disabled) {
        this.activateTab($tab);
      } else {
        // Try next or prev tabs
        if (newValue &lt; oldValue) {
          this.previousTab();
        } else {
          this.nextTab();
        }
      }
    }
  }), _defineProperty(_watch, "currentTab", function currentTab(newValue) {
    var index = -1; // Ensure only one tab is active at most

    this.tabs.forEach(function ($tab, i) {
      if (i === newValue &amp;&amp; !$tab.disabled) {
        $tab.localActive = true;
        index = i;
      } else {
        $tab.localActive = false;
      }
    }); // Update the v-model

    this.$emit(MODEL_EVENT_NAME, index);
  }), _defineProperty(_watch, "tabs", function tabs(newValue, oldValue) {
    var _this2 = this;

    // We use `_uid` instead of `safeId()`, as the later is changed in a `$nextTick()`
    // if no explicit ID is provided, causing duplicate emits
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_16__.looseEqual)(newValue.map(function ($tab) {
      return $tab[_vue__WEBPACK_IMPORTED_MODULE_2__.COMPONENT_UID_KEY];
    }), oldValue.map(function ($tab) {
      return $tab[_vue__WEBPACK_IMPORTED_MODULE_2__.COMPONENT_UID_KEY];
    }))) {
      // In a `$nextTick()` to ensure `currentTab` has been set first
      this.$nextTick(function () {
        // We emit shallow copies of the new and old arrays of tabs,
        // to prevent users from potentially mutating the internal arrays
        _this2.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_CHANGED, newValue.slice(), oldValue.slice());
      });
    }
  }), _defineProperty(_watch, "registeredTabs", function registeredTabs() {
    this.updateTabs();
  }), _watch),
  created: function created() {
    // Create private non-reactive props
    this.$_observer = null;
  },
  mounted: function mounted() {
    this.setObserver(true);
  },
  beforeDestroy: function beforeDestroy() {
    this.setObserver(false); // Ensure no references to child instances exist

    this.tabs = [];
  },
  methods: {
    registerTab: function registerTab($tab) {
      if (!(0,_utils_array__WEBPACK_IMPORTED_MODULE_17__.arrayIncludes)(this.registeredTabs, $tab)) {
        this.registeredTabs.push($tab);
      }
    },
    unregisterTab: function unregisterTab($tab) {
      this.registeredTabs = this.registeredTabs.slice().filter(function ($t) {
        return $t !== $tab;
      });
    },
    // DOM observer is needed to detect changes in order of tabs
    setObserver: function setObserver() {
      var _this3 = this;

      var on = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : true;
      this.$_observer &amp;&amp; this.$_observer.disconnect();
      this.$_observer = null;

      if (on) {
        /* istanbul ignore next: difficult to test mutation observer in JSDOM */
        var handler = function handler() {
          _this3.$nextTick(function () {
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.requestAF)(function () {
              _this3.updateTabs();
            });
          });
        }; // Watch for changes to `&lt;b-tab&gt;` sub components


        this.$_observer = (0,_utils_observe_dom__WEBPACK_IMPORTED_MODULE_18__.observeDom)(this.$refs.content, handler, {
          childList: true,
          subtree: false,
          attributes: true,
          attributeFilter: ['id']
        });
      }
    },
    getTabs: function getTabs() {
      var $tabs = this.registeredTabs; // Dropped intentionally
      // .filter(
      //   $tab =&gt; $tab.$children.filter($t =&gt; $t &amp;&amp; $t._isTab).length === 0
      // )
      // DOM Order of Tabs

      var order = [];
      /* istanbul ignore next: too difficult to test */

      if (_constants_env__WEBPACK_IMPORTED_MODULE_19__.IS_BROWSER &amp;&amp; $tabs.length &gt; 0) {
        // We rely on the DOM when mounted to get the "true" order of the `&lt;b-tab&gt;` children
        // `querySelectorAll()` always returns elements in document order, regardless of
        // order specified in the selector
        var selector = $tabs.map(function ($tab) {
          return "#".concat($tab.safeId());
        }).join(', ');
        order = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.selectAll)(selector, this.$el).map(function ($el) {
          return $el.id;
        }).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_20__.identity);
      } // Stable sort keeps the original order if not found in the `order` array,
      // which will be an empty array before mount


      return (0,_utils_stable_sort__WEBPACK_IMPORTED_MODULE_21__.stableSort)($tabs, function (a, b) {
        return order.indexOf(a.safeId()) - order.indexOf(b.safeId());
      });
    },
    updateTabs: function updateTabs() {
      var $tabs = this.getTabs(); // Find last active non-disabled tab in current tabs
      // We trust tab state over `currentTab`, in case tabs were added/removed/re-ordered

      var tabIndex = $tabs.indexOf($tabs.slice().reverse().find(function ($tab) {
        return $tab.localActive &amp;&amp; !$tab.disabled;
      })); // Else try setting to `currentTab`

      if (tabIndex &lt; 0) {
        var currentTab = this.currentTab;

        if (currentTab &gt;= $tabs.length) {
          // Handle last tab being removed, so find the last non-disabled tab
          tabIndex = $tabs.indexOf($tabs.slice().reverse().find(notDisabled));
        } else if ($tabs[currentTab] &amp;&amp; !$tabs[currentTab].disabled) {
          // Current tab is not disabled
          tabIndex = currentTab;
        }
      } // Else find first non-disabled tab in current tabs


      if (tabIndex &lt; 0) {
        tabIndex = $tabs.indexOf($tabs.find(notDisabled));
      } // Ensure only one tab is active at a time


      $tabs.forEach(function ($tab, index) {
        $tab.localActive = index === tabIndex;
      });
      this.tabs = $tabs;
      this.currentTab = tabIndex;
    },
    // Find a button that controls a tab, given the tab reference
    // Returns the button vm instance
    getButtonForTab: function getButtonForTab($tab) {
      return (this.$refs.buttons || []).find(function ($btn) {
        return $btn.tab === $tab;
      });
    },
    // Force a button to re-render its content, given a `&lt;b-tab&gt;` instance
    // Called by `&lt;b-tab&gt;` on `update()`
    updateButton: function updateButton($tab) {
      var $button = this.getButtonForTab($tab);

      if ($button &amp;&amp; $button.$forceUpdate) {
        $button.$forceUpdate();
      }
    },
    // Activate a tab given a `&lt;b-tab&gt;` instance
    // Also accessed by `&lt;b-tab&gt;`
    activateTab: function activateTab($tab) {
      var currentTab = this.currentTab,
          $tabs = this.tabs;
      var result = false;

      if ($tab) {
        var index = $tabs.indexOf($tab);

        if (index !== currentTab &amp;&amp; index &gt; -1 &amp;&amp; !$tab.disabled) {
          var tabEvent = new _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_22__.BvEvent(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_ACTIVATE_TAB, {
            cancelable: true,
            vueTarget: this,
            componentId: this.safeId()
          });
          this.$emit(tabEvent.type, index, currentTab, tabEvent);

          if (!tabEvent.defaultPrevented) {
            this.currentTab = index;
            result = true;
          }
        }
      } // Couldn't set tab, so ensure v-model is up to date

      /* istanbul ignore next: should rarely happen */


      if (!result &amp;&amp; this[MODEL_PROP_NAME] !== currentTab) {
        this.$emit(MODEL_EVENT_NAME, currentTab);
      }

      return result;
    },
    // Deactivate a tab given a `&lt;b-tab&gt;` instance
    // Accessed by `&lt;b-tab&gt;`
    deactivateTab: function deactivateTab($tab) {
      if ($tab) {
        // Find first non-disabled tab that isn't the one being deactivated
        // If no tabs are available, then don't deactivate current tab
        return this.activateTab(this.tabs.filter(function ($t) {
          return $t !== $tab;
        }).find(notDisabled));
      }
      /* istanbul ignore next: should never/rarely happen */


      return false;
    },
    // Focus a tab button given its `&lt;b-tab&gt;` instance
    focusButton: function focusButton($tab) {
      var _this4 = this;

      // Wrap in `$nextTick()` to ensure DOM has completed rendering
      this.$nextTick(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.attemptFocus)(_this4.getButtonForTab($tab));
      });
    },
    // Emit a click event on a specified `&lt;b-tab&gt;` component instance
    emitTabClick: function emitTabClick(tab, event) {
      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_23__.isEvent)(event) &amp;&amp; tab &amp;&amp; tab.$emit &amp;&amp; !tab.disabled) {
        tab.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_CLICK, event);
      }
    },
    // Click handler
    clickTab: function clickTab($tab, event) {
      this.activateTab($tab);
      this.emitTabClick($tab, event);
    },
    // Move to first non-disabled tab
    firstTab: function firstTab(focus) {
      var $tab = this.tabs.find(notDisabled);

      if (this.activateTab($tab) &amp;&amp; focus) {
        this.focusButton($tab);
        this.emitTabClick($tab, focus);
      }
    },
    // Move to previous non-disabled tab
    previousTab: function previousTab(focus) {
      var currentIndex = (0,_utils_math__WEBPACK_IMPORTED_MODULE_24__.mathMax)(this.currentTab, 0);
      var $tab = this.tabs.slice(0, currentIndex).reverse().find(notDisabled);

      if (this.activateTab($tab) &amp;&amp; focus) {
        this.focusButton($tab);
        this.emitTabClick($tab, focus);
      }
    },
    // Move to next non-disabled tab
    nextTab: function nextTab(focus) {
      var currentIndex = (0,_utils_math__WEBPACK_IMPORTED_MODULE_24__.mathMax)(this.currentTab, -1);
      var $tab = this.tabs.slice(currentIndex + 1).find(notDisabled);

      if (this.activateTab($tab) &amp;&amp; focus) {
        this.focusButton($tab);
        this.emitTabClick($tab, focus);
      }
    },
    // Move to last non-disabled tab
    lastTab: function lastTab(focus) {
      var $tab = this.tabs.slice().reverse().find(notDisabled);

      if (this.activateTab($tab) &amp;&amp; focus) {
        this.focusButton($tab);
        this.emitTabClick($tab, focus);
      }
    }
  },
  render: function render(h) {
    var _this5 = this;

    var align = this.align,
        card = this.card,
        end = this.end,
        fill = this.fill,
        firstTab = this.firstTab,
        justified = this.justified,
        lastTab = this.lastTab,
        nextTab = this.nextTab,
        noKeyNav = this.noKeyNav,
        noNavStyle = this.noNavStyle,
        pills = this.pills,
        previousTab = this.previousTab,
        small = this.small,
        $tabs = this.tabs,
        vertical = this.vertical; // Currently active tab

    var $activeTab = $tabs.find(function ($tab) {
      return $tab.localActive &amp;&amp; !$tab.disabled;
    }); // Tab button to allow focusing when no active tab found (keynav only)

    var $fallbackTab = $tabs.find(function ($tab) {
      return !$tab.disabled;
    }); // For each `&lt;b-tab&gt;` found create the tab buttons

    var $buttons = $tabs.map(function ($tab, index) {
      var _on;

      var safeId = $tab.safeId; // Ensure at least one tab button is focusable when keynav enabled (if possible)

      var tabIndex = null;

      if (!noKeyNav) {
        // Buttons are not in tab index unless active, or a fallback tab
        tabIndex = -1;

        if ($tab === $activeTab || !$activeTab &amp;&amp; $tab === $fallbackTab) {
          // Place tab button in tab sequence
          tabIndex = null;
        }
      }

      return h(BVTabButton, _defineProperty({
        props: {
          controls: safeId ? safeId() : null,
          id: $tab.controlledBy || (safeId ? safeId("_BV_tab_button_") : null),
          noKeyNav: noKeyNav,
          posInSet: index + 1,
          setSize: $tabs.length,
          tab: $tab,
          tabIndex: tabIndex
        },
        on: (_on = {}, _defineProperty(_on, _constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_CLICK, function (event) {
          _this5.clickTab($tab, event);
        }), _defineProperty(_on, _constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_FIRST, firstTab), _defineProperty(_on, _constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_PREV, previousTab), _defineProperty(_on, _constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_NEXT, nextTab), _defineProperty(_on, _constants_events__WEBPACK_IMPORTED_MODULE_7__.EVENT_NAME_LAST, lastTab), _on),
        key: $tab[_vue__WEBPACK_IMPORTED_MODULE_2__.COMPONENT_UID_KEY] || index,
        ref: 'buttons'
      }, _vue__WEBPACK_IMPORTED_MODULE_2__.REF_FOR_KEY, true));
    });
    var $nav = h(_nav_nav__WEBPACK_IMPORTED_MODULE_12__.BNav, {
      class: this.localNavClass,
      attrs: {
        role: 'tablist',
        id: this.safeId('_BV_tab_controls_')
      },
      props: {
        fill: fill,
        justified: justified,
        align: align,
        tabs: !noNavStyle &amp;&amp; !pills,
        pills: !noNavStyle &amp;&amp; pills,
        vertical: vertical,
        small: small,
        cardHeader: card &amp;&amp; !vertical
      },
      ref: 'nav'
    }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_10__.SLOT_NAME_TABS_START) || h(), $buttons, this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_10__.SLOT_NAME_TABS_END) || h()]);
    $nav = h('div', {
      class: [{
        'card-header': card &amp;&amp; !vertical &amp;&amp; !end,
        'card-footer': card &amp;&amp; !vertical &amp;&amp; end,
        'col-auto': vertical
      }, this.navWrapperClass],
      key: 'bv-tabs-nav'
    }, [$nav]);
    var $children = this.normalizeSlot() || [];
    var $empty = h();

    if ($children.length === 0) {
      $empty = h('div', {
        class: ['tab-pane', 'active', {
          'card-body': card
        }],
        key: 'bv-empty-tab'
      }, this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_10__.SLOT_NAME_EMPTY));
    }

    var $content = h('div', {
      staticClass: 'tab-content',
      class: [{
        col: vertical
      }, this.contentClass],
      attrs: {
        id: this.safeId('_BV_tab_container_')
      },
      key: 'bv-content',
      ref: 'content'
    }, [$children, $empty]); // Render final output

    return h(this.tag, {
      staticClass: 'tabs',
      class: {
        row: vertical,
        'no-gutters': vertical &amp;&amp; card
      },
      attrs: {
        id: this.safeId()
      }
    }, [end ? $content : h(), $nav, end ? h() : $content]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/time/index.js":
/*!*****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/time/index.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTime: () =&gt; (/* reexport safe */ _time__WEBPACK_IMPORTED_MODULE_1__.BTime),
/* harmony export */   TimePlugin: () =&gt; (/* binding */ TimePlugin)
/* harmony export */ });
/* harmony import */ var _time__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./time */ "./node_modules/bootstrap-vue/esm/components/time/time.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var TimePlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BTime: _time__WEBPACK_IMPORTED_MODULE_1__.BTime
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/time/time.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/time/time.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTime: () =&gt; (/* binding */ BTime),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_date__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../utils/date */ "./node_modules/bootstrap-vue/esm/utils/date.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_locale__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/locale */ "./node_modules/bootstrap-vue/esm/utils/locale.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _form_spinbutton_form_spinbutton__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../form-spinbutton/form-spinbutton */ "./node_modules/bootstrap-vue/esm/components/form-spinbutton/form-spinbutton.js");
/* harmony import */ var _icons_icons__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../icons/icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _slicedToArray(arr, i) { return _arrayWithHoles(arr) || _iterableToArrayLimit(arr, i) || _unsupportedIterableToArray(arr, i) || _nonIterableRest(); }

function _nonIterableRest() { throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }

function _iterableToArrayLimit(arr, i) { var _i = arr == null ? null : typeof Symbol !== "undefined" &amp;&amp; arr[Symbol.iterator] || arr["@@iterator"]; if (_i == null) return; var _arr = []; var _n = true; var _d = false; var _s, _e; try { for (_i = _i.call(arr); !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"] != null) _i["return"](); } finally { if (_d) throw _e; } } return _arr; }

function _arrayWithHoles(arr) { if (Array.isArray(arr)) return arr; }

// BTime control (not form input control)






















 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING,
  defaultValue: ''
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event;

var NUMERIC = 'numeric'; // --- Helper methods ---

var padLeftZeros = function padLeftZeros(value) {
  return "00".concat(value || '').slice(-2);
};

var parseHMS = function parseHMS(value) {
  value = (0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.toString)(value);
  var hh = null,
      mm = null,
      ss = null;

  if (_constants_regex__WEBPACK_IMPORTED_MODULE_3__.RX_TIME.test(value)) {
    ;

    var _value$split$map = value.split(':').map(function (v) {
      return (0,_utils_number__WEBPACK_IMPORTED_MODULE_4__.toInteger)(v, null);
    });

    var _value$split$map2 = _slicedToArray(_value$split$map, 3);

    hh = _value$split$map2[0];
    mm = _value$split$map2[1];
    ss = _value$split$map2[2];
  }

  return {
    hours: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isUndefinedOrNull)(hh) ? null : hh,
    minutes: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isUndefinedOrNull)(mm) ? null : mm,
    seconds: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isUndefinedOrNull)(ss) ? null : ss,
    ampm: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isUndefinedOrNull)(hh) || hh &lt; 12 ? 0 : 1
  };
};

var formatHMS = function formatHMS(_ref) {
  var hours = _ref.hours,
      minutes = _ref.minutes,
      seconds = _ref.seconds;
  var requireSeconds = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : false;

  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isNull)(hours) || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isNull)(minutes) || requireSeconds &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isNull)(seconds)) {
    return '';
  }

  var hms = [hours, minutes, requireSeconds ? seconds : 0];
  return hms.map(padLeftZeros).join(':');
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_7__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_8__.props), modelProps), (0,_utils_object__WEBPACK_IMPORTED_MODULE_7__.pick)(_form_spinbutton_form_spinbutton__WEBPACK_IMPORTED_MODULE_9__.props, ['labelIncrement', 'labelDecrement'])), {}, {
  // ID of label element
  ariaLabelledby: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  footerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'footer'),
  headerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'header'),
  hidden: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  hideHeader: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Explicitly force 12 or 24 hour time
  // Default is to use resolved locale for 12/24 hour display
  // Tri-state: `true` = 12, `false` = 24, `null` = auto
  hour12: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, null),
  labelAm: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'AM'),
  labelAmpm: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'AM/PM'),
  labelHours: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Hours'),
  labelMinutes: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Minutes'),
  labelNoTimeSelected: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'No time selected'),
  labelPm: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'PM'),
  labelSeconds: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Seconds'),
  labelSelected: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Selected time'),
  locale: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_STRING),
  minutesStep: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 1),
  readonly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  secondsStep: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 1),
  // If `true`, show the second spinbutton
  showSeconds: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
})), _constants_components__WEBPACK_IMPORTED_MODULE_10__.NAME_TIME); // --- Main component ---
// @vue/component

var BTime = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_11__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_10__.NAME_TIME,
  mixins: [_mixins_id__WEBPACK_IMPORTED_MODULE_8__.idMixin, modelMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_12__.normalizeSlotMixin],
  props: props,
  data: function data() {
    var parsed = parseHMS(this[MODEL_PROP_NAME] || '');
    return {
      // Spin button models
      modelHours: parsed.hours,
      modelMinutes: parsed.minutes,
      modelSeconds: parsed.seconds,
      modelAmpm: parsed.ampm,
      // Internal flag to enable aria-live regions
      isLive: false
    };
  },
  computed: {
    computedHMS: function computedHMS() {
      var hours = this.modelHours;
      var minutes = this.modelMinutes;
      var seconds = this.modelSeconds;
      return formatHMS({
        hours: hours,
        minutes: minutes,
        seconds: seconds
      }, this.showSeconds);
    },
    resolvedOptions: function resolvedOptions() {
      // Resolved locale options
      var locale = (0,_utils_array__WEBPACK_IMPORTED_MODULE_13__.concat)(this.locale).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_14__.identity);
      var options = {
        hour: NUMERIC,
        minute: NUMERIC,
        second: NUMERIC
      };

      if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isUndefinedOrNull)(this.hour12)) {
        // Force 12 or 24 hour clock
        options.hour12 = !!this.hour12;
      }

      var dtf = new Intl.DateTimeFormat(locale, options);
      var resolved = dtf.resolvedOptions();
      var hour12 = resolved.hour12 || false; // IE 11 doesn't resolve the hourCycle, so we make
      // an assumption and fall back to common values

      var hourCycle = resolved.hourCycle || (hour12 ? 'h12' : 'h23');
      return {
        locale: resolved.locale,
        hour12: hour12,
        hourCycle: hourCycle
      };
    },
    computedLocale: function computedLocale() {
      return this.resolvedOptions.locale;
    },
    computedLang: function computedLang() {
      return (this.computedLocale || '').replace(/-u-.*$/, '');
    },
    computedRTL: function computedRTL() {
      return (0,_utils_locale__WEBPACK_IMPORTED_MODULE_15__.isLocaleRTL)(this.computedLang);
    },
    computedHourCycle: function computedHourCycle() {
      // h11, h12, h23, or h24
      // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Locale/hourCycle
      // h12 - Hour system using 1â€“12. Corresponds to 'h' in patterns. The 12 hour clock, with midnight starting at 12:00 am
      // h23 - Hour system using 0â€“23. Corresponds to 'H' in patterns. The 24 hour clock, with midnight starting at 0:00
      // h11 - Hour system using 0â€“11. Corresponds to 'K' in patterns. The 12 hour clock, with midnight starting at 0:00 am
      // h24 - Hour system using 1â€“24. Corresponds to 'k' in pattern. The 24 hour clock, with midnight starting at 24:00
      // For h12 or h24, we visually format 00 hours as 12
      return this.resolvedOptions.hourCycle;
    },
    is12Hour: function is12Hour() {
      return !!this.resolvedOptions.hour12;
    },
    context: function context() {
      return {
        locale: this.computedLocale,
        isRTL: this.computedRTL,
        hourCycle: this.computedHourCycle,
        hour12: this.is12Hour,
        hours: this.modelHours,
        minutes: this.modelMinutes,
        seconds: this.showSeconds ? this.modelSeconds : 0,
        value: this.computedHMS,
        formatted: this.formattedTimeString
      };
    },
    valueId: function valueId() {
      return this.safeId() || null;
    },
    computedAriaLabelledby: function computedAriaLabelledby() {
      return [this.ariaLabelledby, this.valueId].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_14__.identity).join(' ') || null;
    },
    timeFormatter: function timeFormatter() {
      // Returns a formatter function reference
      // The formatter converts the time to a localized string
      var options = {
        hour12: this.is12Hour,
        hourCycle: this.computedHourCycle,
        hour: NUMERIC,
        minute: NUMERIC,
        timeZone: 'UTC'
      };

      if (this.showSeconds) {
        options.second = NUMERIC;
      } // Formats the time as a localized string


      return (0,_utils_date__WEBPACK_IMPORTED_MODULE_16__.createDateFormatter)(this.computedLocale, options);
    },
    numberFormatter: function numberFormatter() {
      // Returns a formatter function reference
      // The formatter always formats as 2 digits and is localized
      var nf = new Intl.NumberFormat(this.computedLocale, {
        style: 'decimal',
        minimumIntegerDigits: 2,
        minimumFractionDigits: 0,
        maximumFractionDigits: 0,
        notation: 'standard'
      });
      return nf.format;
    },
    formattedTimeString: function formattedTimeString() {
      var hours = this.modelHours;
      var minutes = this.modelMinutes;
      var seconds = this.showSeconds ? this.modelSeconds || 0 : 0;

      if (this.computedHMS) {
        return this.timeFormatter((0,_utils_date__WEBPACK_IMPORTED_MODULE_16__.createDate)(Date.UTC(0, 0, 1, hours, minutes, seconds)));
      }

      return this.labelNoTimeSelected || ' ';
    },
    spinScopedSlots: function spinScopedSlots() {
      var h = this.$createElement;
      return {
        increment: function increment(_ref2) {
          var hasFocus = _ref2.hasFocus;
          return h(_icons_icons__WEBPACK_IMPORTED_MODULE_17__.BIconChevronUp, {
            props: {
              scale: hasFocus ? 1.5 : 1.25
            },
            attrs: {
              'aria-hidden': 'true'
            }
          });
        },
        decrement: function decrement(_ref3) {
          var hasFocus = _ref3.hasFocus;
          return h(_icons_icons__WEBPACK_IMPORTED_MODULE_17__.BIconChevronUp, {
            props: {
              flipV: true,
              scale: hasFocus ? 1.5 : 1.25
            },
            attrs: {
              'aria-hidden': 'true'
            }
          });
        }
      };
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue, oldValue) {
    if (newValue !== oldValue &amp;&amp; !(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_18__.looseEqual)(parseHMS(newValue), parseHMS(this.computedHMS))) {
      var _parseHMS = parseHMS(newValue),
          hours = _parseHMS.hours,
          minutes = _parseHMS.minutes,
          seconds = _parseHMS.seconds,
          ampm = _parseHMS.ampm;

      this.modelHours = hours;
      this.modelMinutes = minutes;
      this.modelSeconds = seconds;
      this.modelAmpm = ampm;
    }
  }), _defineProperty(_watch, "computedHMS", function computedHMS(newValue, oldValue) {
    if (newValue !== oldValue) {
      this.$emit(MODEL_EVENT_NAME, newValue);
    }
  }), _defineProperty(_watch, "context", function context(newValue, oldValue) {
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_18__.looseEqual)(newValue, oldValue)) {
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_19__.EVENT_NAME_CONTEXT, newValue);
    }
  }), _defineProperty(_watch, "modelAmpm", function modelAmpm(newValue, oldValue) {
    var _this = this;

    if (newValue !== oldValue) {
      var hours = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isNull)(this.modelHours) ? 0 : this.modelHours;
      this.$nextTick(function () {
        if (newValue === 0 &amp;&amp; hours &gt; 11) {
          // Switched to AM
          _this.modelHours = hours - 12;
        } else if (newValue === 1 &amp;&amp; hours &lt; 12) {
          // Switched to PM
          _this.modelHours = hours + 12;
        }
      });
    }
  }), _defineProperty(_watch, "modelHours", function modelHours(newHours, oldHours) {
    if (newHours !== oldHours) {
      this.modelAmpm = newHours &gt; 11 ? 1 : 0;
    }
  }), _watch),
  created: function created() {
    var _this2 = this;

    this.$nextTick(function () {
      _this2.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_19__.EVENT_NAME_CONTEXT, _this2.context);
    });
  },
  mounted: function mounted() {
    this.setLive(true);
  },

  /* istanbul ignore next */
  activated: function activated() {
    this.setLive(true);
  },

  /* istanbul ignore next */
  deactivated: function deactivated() {
    this.setLive(false);
  },
  beforeDestroy: function beforeDestroy() {
    this.setLive(false);
  },
  methods: {
    // Public methods
    focus: function focus() {
      if (!this.disabled) {
        // We focus the first spin button
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.attemptFocus)(this.$refs.spinners[0]);
      }
    },
    blur: function blur() {
      if (!this.disabled) {
        var activeElement = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.getActiveElement)();

        if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.contains)(this.$el, activeElement)) {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.attemptBlur)(activeElement);
        }
      }
    },
    // Formatters for the spin buttons
    formatHours: function formatHours(hh) {
      var hourCycle = this.computedHourCycle; // We always store 0-23, but format based on h11/h12/h23/h24 formats

      hh = this.is12Hour &amp;&amp; hh &gt; 12 ? hh - 12 : hh; // Determine how 00:00 and 12:00 are shown

      hh = hh === 0 &amp;&amp; hourCycle === 'h12' ? 12 : hh === 0 &amp;&amp; hourCycle === 'h24' ?
      /* istanbul ignore next */
      24 : hh === 12 &amp;&amp; hourCycle === 'h11' ?
      /* istanbul ignore next */
      0 : hh;
      return this.numberFormatter(hh);
    },
    formatMinutes: function formatMinutes(mm) {
      return this.numberFormatter(mm);
    },
    formatSeconds: function formatSeconds(ss) {
      return this.numberFormatter(ss);
    },
    formatAmpm: function formatAmpm(ampm) {
      // These should come from label props???
      // `ampm` should always be a value of `0` or `1`
      return ampm === 0 ? this.labelAm : ampm === 1 ? this.labelPm : '';
    },
    // Spinbutton on change handlers
    setHours: function setHours(value) {
      this.modelHours = value;
    },
    setMinutes: function setMinutes(value) {
      this.modelMinutes = value;
    },
    setSeconds: function setSeconds(value) {
      this.modelSeconds = value;
    },
    setAmpm: function setAmpm(value) {
      this.modelAmpm = value;
    },
    onSpinLeftRight: function onSpinLeftRight() {
      var event = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {};
      var type = event.type,
          keyCode = event.keyCode;

      if (!this.disabled &amp;&amp; type === 'keydown' &amp;&amp; (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_LEFT || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_RIGHT)) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_22__.stopEvent)(event);
        var spinners = this.$refs.spinners || [];
        var index = spinners.map(function (cmp) {
          return !!cmp.hasFocus;
        }).indexOf(true);
        index = index + (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_21__.CODE_LEFT ? -1 : 1);
        index = index &gt;= spinners.length ? 0 : index &lt; 0 ? spinners.length - 1 : index;
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.attemptFocus)(spinners[index]);
      }
    },
    setLive: function setLive(on) {
      var _this3 = this;

      if (on) {
        this.$nextTick(function () {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_20__.requestAF)(function () {
            _this3.isLive = true;
          });
        });
      } else {
        this.isLive = false;
      }
    }
  },
  render: function render(h) {
    var _this4 = this;

    // If hidden, we just render a placeholder comment

    /* istanbul ignore if */
    if (this.hidden) {
      return h();
    }

    var disabled = this.disabled,
        readonly = this.readonly,
        locale = this.computedLocale,
        ariaLabelledby = this.computedAriaLabelledby,
        labelIncrement = this.labelIncrement,
        labelDecrement = this.labelDecrement,
        valueId = this.valueId,
        focusHandler = this.focus;
    var spinIds = []; // Helper method to render a spinbutton

    var makeSpinbutton = function makeSpinbutton(handler, key, classes) {
      var spinbuttonProps = arguments.length &gt; 3 &amp;&amp; arguments[3] !== undefined ? arguments[3] : {};
      var id = _this4.safeId("_spinbutton_".concat(key, "_")) || null;
      spinIds.push(id);
      return h(_form_spinbutton_form_spinbutton__WEBPACK_IMPORTED_MODULE_9__.BFormSpinbutton, _defineProperty({
        class: classes,
        props: _objectSpread({
          id: id,
          placeholder: '--',
          vertical: true,
          required: true,
          disabled: disabled,
          readonly: readonly,
          locale: locale,
          labelIncrement: labelIncrement,
          labelDecrement: labelDecrement,
          wrap: true,
          ariaControls: valueId,
          min: 0
        }, spinbuttonProps),
        scopedSlots: _this4.spinScopedSlots,
        on: {
          // We use `change` event to minimize SR verbosity
          // As the spinbutton will announce each value change
          // and we don't want the formatted time to be announced
          // on each value input if repeat is happening
          change: handler
        },
        key: key,
        ref: 'spinners'
      }, _vue__WEBPACK_IMPORTED_MODULE_11__.REF_FOR_KEY, true));
    }; // Helper method to return a "colon" separator


    var makeColon = function makeColon() {
      return h('div', {
        staticClass: 'd-flex flex-column',
        class: {
          'text-muted': disabled || readonly
        },
        attrs: {
          'aria-hidden': 'true'
        }
      }, [h(_icons_icons__WEBPACK_IMPORTED_MODULE_17__.BIconCircleFill, {
        props: {
          shiftV: 4,
          scale: 0.5
        }
      }), h(_icons_icons__WEBPACK_IMPORTED_MODULE_17__.BIconCircleFill, {
        props: {
          shiftV: -4,
          scale: 0.5
        }
      })]);
    };

    var $spinners = []; // Hours

    $spinners.push(makeSpinbutton(this.setHours, 'hours', 'b-time-hours', {
      value: this.modelHours,
      max: 23,
      step: 1,
      formatterFn: this.formatHours,
      ariaLabel: this.labelHours
    })); // Spacer

    $spinners.push(makeColon()); // Minutes

    $spinners.push(makeSpinbutton(this.setMinutes, 'minutes', 'b-time-minutes', {
      value: this.modelMinutes,
      max: 59,
      step: this.minutesStep || 1,
      formatterFn: this.formatMinutes,
      ariaLabel: this.labelMinutes
    }));

    if (this.showSeconds) {
      // Spacer
      $spinners.push(makeColon()); // Seconds

      $spinners.push(makeSpinbutton(this.setSeconds, 'seconds', 'b-time-seconds', {
        value: this.modelSeconds,
        max: 59,
        step: this.secondsStep || 1,
        formatterFn: this.formatSeconds,
        ariaLabel: this.labelSeconds
      }));
    } // AM/PM ?
    // depends on client settings, shouldn't be rendered on server


    if (this.isLive &amp;&amp; this.is12Hour) {
      // TODO:
      //   If locale is RTL, unshift this instead of push?
      //   And switch class `ml-2` to `mr-2`
      //   Note some LTR locales (i.e. zh) also place AM/PM to the left
      $spinners.push(makeSpinbutton(this.setAmpm, 'ampm', 'b-time-ampm', {
        value: this.modelAmpm,
        max: 1,
        formatterFn: this.formatAmpm,
        ariaLabel: this.labelAmpm,
        // We set `required` as `false`, since this always has a value
        required: false
      }));
    } // Assemble spinners


    $spinners = h('div', {
      staticClass: 'd-flex align-items-center justify-content-center mx-auto',
      attrs: {
        role: 'group',
        tabindex: disabled || readonly ? null : '-1',
        'aria-labelledby': ariaLabelledby
      },
      on: {
        keydown: this.onSpinLeftRight,
        click:
        /* istanbul ignore next */
        function click(event) {
          if (event.target === event.currentTarget) {
            focusHandler();
          }
        }
      }
    }, $spinners); // Selected type display

    var $value = h('output', {
      staticClass: 'form-control form-control-sm text-center',
      class: {
        disabled: disabled || readonly
      },
      attrs: {
        id: valueId,
        role: 'status',
        for: spinIds.filter(_utils_identity__WEBPACK_IMPORTED_MODULE_14__.identity).join(' ') || null,
        tabindex: disabled ? null : '-1',
        'aria-live': this.isLive ? 'polite' : 'off',
        'aria-atomic': 'true'
      },
      on: {
        // Transfer focus/click to focus hours spinner
        click: focusHandler,
        focus: focusHandler
      }
    }, [h('bdi', this.formattedTimeString), this.computedHMS ? h('span', {
      staticClass: 'sr-only'
    }, " (".concat(this.labelSelected, ") ")) : '']);
    var $header = h(this.headerTag, {
      staticClass: 'b-time-header',
      class: {
        'sr-only': this.hideHeader
      }
    }, [$value]);
    var $content = this.normalizeSlot();
    var $footer = $content ? h(this.footerTag, {
      staticClass: 'b-time-footer'
    }, $content) : h();
    return h('div', {
      staticClass: 'b-time d-inline-flex flex-column text-center',
      attrs: {
        role: 'group',
        lang: this.computedLang || null,
        'aria-labelledby': ariaLabelledby || null,
        'aria-disabled': disabled ? 'true' : null,
        'aria-readonly': readonly &amp;&amp; !disabled ? 'true' : null
      }
    }, [$header, $spinners, $footer]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/toast/helpers/bv-toast.js":
/*!*****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/toast/helpers/bv-toast.js ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVToastPlugin: () =&gt; (/* binding */ BVToastPlugin)
/* harmony export */ });
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _mixins_use_parent__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../mixins/use-parent */ "./node_modules/bootstrap-vue/esm/mixins/use-parent.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_config__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../../utils/config */ "./node_modules/bootstrap-vue/esm/utils/config.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
/* harmony import */ var _utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../utils/create-new-child-component */ "./node_modules/bootstrap-vue/esm/utils/create-new-child-component.js");
/* harmony import */ var _utils_get_event_root__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../../utils/get-event-root */ "./node_modules/bootstrap-vue/esm/utils/get-event-root.js");
/* harmony import */ var _toast__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../toast */ "./node_modules/bootstrap-vue/esm/components/toast/toast.js");
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _defineProperties(target, props) { for (var i = 0; i &lt; 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); } }

function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, "prototype", { writable: false }); return Constructor; }

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _unsupportedIterableToArray(arr) || _nonIterableSpread(); }

function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _iterableToArray(iter) { if (typeof Symbol !== "undefined" &amp;&amp; iter[Symbol.iterator] != null || iter["@@iterator"] != null) return Array.from(iter); }

function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) return _arrayLikeToArray(arr); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }

/**
 * Plugin for adding `$bvToast` property to all Vue instances
 */













 // --- Constants ---

var PROP_NAME = '$bvToast';
var PROP_NAME_PRIV = '_bv__toast'; // Base toast props that are allowed
// Some may be ignored or overridden on some message boxes
// Prop ID is allowed, but really only should be used for testing
// We need to add it in explicitly as it comes from the `idMixin`

var BASE_PROPS = ['id'].concat(_toConsumableArray((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.keys)((0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_toast__WEBPACK_IMPORTED_MODULE_1__.props, ['static', 'visible'])))); // Map prop names to toast slot names

var propsToSlots = {
  toastContent: 'default',
  title: 'toast-title'
}; // --- Helper methods ---
// Method to filter only recognized props that are not undefined

var filterOptions = function filterOptions(options) {
  return BASE_PROPS.reduce(function (memo, key) {
    if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isUndefined)(options[key])) {
      memo[key] = options[key];
    }

    return memo;
  }, {});
}; // Method to install `$bvToast` VM injection


var plugin = function plugin(Vue) {
  // Create a private sub-component constructor that
  // extends BToast and self-destructs after hidden
  // @vue/component
  var BVToastPop = Vue.extend({
    name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TOAST_POP,
    extends: _toast__WEBPACK_IMPORTED_MODULE_1__.BToast,
    mixins: [_mixins_use_parent__WEBPACK_IMPORTED_MODULE_4__.useParentMixin],
    destroyed: function destroyed() {
      // Make sure we not in document any more
      var $el = this.$el;

      if ($el &amp;&amp; $el.parentNode) {
        $el.parentNode.removeChild($el);
      }
    },
    mounted: function mounted() {
      var _this = this;

      // Self destruct handler
      var handleDestroy = function handleDestroy() {
        // Ensure the toast has been force hidden
        _this.localShow = false;
        _this.doRender = false;

        _this.$nextTick(function () {
          _this.$nextTick(function () {
            // In a `requestAF()` to release control back to application
            // and to allow the portal-target time to remove the content
            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.requestAF)(function () {
              _this.$destroy();
            });
          });
        });
      }; // Self destruct if parent destroyed


      this.bvParent.$once(_constants_events__WEBPACK_IMPORTED_MODULE_6__.HOOK_EVENT_NAME_DESTROYED, handleDestroy); // Self destruct after hidden

      this.$once(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_HIDDEN, handleDestroy); // Self destruct when toaster is destroyed

      this.listenOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_7__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TOASTER, _constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_DESTROYED), function (toaster) {
        /* istanbul ignore next: hard to test */
        if (toaster === _this.toaster) {
          handleDestroy();
        }
      });
    }
  }); // Private method to generate the on-demand toast

  var makeToast = function makeToast(props, parent) {
    if ((0,_utils_warn__WEBPACK_IMPORTED_MODULE_8__.warnNotClient)(PROP_NAME)) {
      /* istanbul ignore next */
      return;
    } // Create an instance of `BVToastPop` component


    var toast = (0,_utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_9__.createNewChildComponent)(parent, BVToastPop, {
      // We set parent as the local VM so these toasts can emit events on the
      // app `$root`, and it ensures `BToast` is destroyed when parent is destroyed
      propsData: _objectSpread(_objectSpread(_objectSpread({}, filterOptions((0,_utils_config__WEBPACK_IMPORTED_MODULE_10__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TOAST))), (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(props, (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.keys)(propsToSlots))), {}, {
        // Props that can't be overridden
        static: false,
        visible: true
      })
    }); // Convert certain props to slots

    (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.keys)(propsToSlots).forEach(function (prop) {
      var value = props[prop];

      if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isUndefined)(value)) {
        // Can be a string, or array of VNodes
        if (prop === 'title' &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isString)(value)) {
          // Special case for title if it is a string, we wrap in a &lt;strong&gt;
          value = [parent.$createElement('strong', {
            class: 'mr-2'
          }, value)];
        }

        toast.$slots[propsToSlots[prop]] = (0,_utils_array__WEBPACK_IMPORTED_MODULE_11__.concat)(value);
      }
    }); // Create a mount point (a DIV) and mount it (which triggers the show)

    var div = document.createElement('div');
    document.body.appendChild(div);
    toast.$mount(div);
  }; // Declare BvToast instance property class


  var BvToast = /*#__PURE__*/function () {
    function BvToast(vm) {
      _classCallCheck(this, BvToast);

      // Assign the new properties to this instance
      (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.assign)(this, {
        _vm: vm,
        _root: (0,_utils_get_event_root__WEBPACK_IMPORTED_MODULE_12__.getEventRoot)(vm)
      }); // Set these properties as read-only and non-enumerable

      (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.defineProperties)(this, {
        _vm: (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)(),
        _root: (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)()
      });
    } // --- Public Instance methods ---
    // Opens a user defined toast and returns immediately


    _createClass(BvToast, [{
      key: "toast",
      value: function toast(content) {
        var options = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

        if (!content || (0,_utils_warn__WEBPACK_IMPORTED_MODULE_8__.warnNotClient)(PROP_NAME)) {
          /* istanbul ignore next */
          return;
        }

        makeToast(_objectSpread(_objectSpread({}, filterOptions(options)), {}, {
          toastContent: content
        }), this._vm);
      } // shows a `&lt;b-toast&gt;` component with the specified ID

    }, {
      key: "show",
      value: function show(id) {
        if (id) {
          this._root.$emit((0,_utils_events__WEBPACK_IMPORTED_MODULE_7__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TOAST, _constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_SHOW), id);
        }
      } // Hide a toast with specified ID, or if not ID all toasts

    }, {
      key: "hide",
      value: function hide() {
        var id = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : null;

        this._root.$emit((0,_utils_events__WEBPACK_IMPORTED_MODULE_7__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TOAST, _constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_HIDE), id);
      }
    }]);

    return BvToast;
  }(); // Add our instance mixin


  Vue.mixin({
    beforeCreate: function beforeCreate() {
      // Because we need access to `$root` for `$emits`, and VM for parenting,
      // we have to create a fresh instance of `BvToast` for each VM
      this[PROP_NAME_PRIV] = new BvToast(this);
    }
  }); // Define our read-only `$bvToast` instance property
  // Placed in an if just in case in HMR mode

  if (!(0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.hasOwnProperty)(Vue.prototype, PROP_NAME)) {
    (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.defineProperty)(Vue.prototype, PROP_NAME, {
      get: function get() {
        /* istanbul ignore next */
        if (!this || !this[PROP_NAME_PRIV]) {
          (0,_utils_warn__WEBPACK_IMPORTED_MODULE_8__.warn)("\"".concat(PROP_NAME, "\" must be accessed from a Vue instance \"this\" context."), _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TOAST);
        }

        return this[PROP_NAME_PRIV];
      }
    });
  }
};

var BVToastPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_13__.pluginFactory)({
  plugins: {
    plugin: plugin
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/toast/index.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/toast/index.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BToast: () =&gt; (/* reexport safe */ _toast__WEBPACK_IMPORTED_MODULE_1__.BToast),
/* harmony export */   BToaster: () =&gt; (/* reexport safe */ _toaster__WEBPACK_IMPORTED_MODULE_2__.BToaster),
/* harmony export */   ToastPlugin: () =&gt; (/* binding */ ToastPlugin)
/* harmony export */ });
/* harmony import */ var _helpers_bv_toast__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./helpers/bv-toast */ "./node_modules/bootstrap-vue/esm/components/toast/helpers/bv-toast.js");
/* harmony import */ var _toast__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./toast */ "./node_modules/bootstrap-vue/esm/components/toast/toast.js");
/* harmony import */ var _toaster__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./toaster */ "./node_modules/bootstrap-vue/esm/components/toast/toaster.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");




var ToastPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BToast: _toast__WEBPACK_IMPORTED_MODULE_1__.BToast,
    BToaster: _toaster__WEBPACK_IMPORTED_MODULE_2__.BToaster
  },
  // $bvToast injection
  plugins: {
    BVToastPlugin: _helpers_bv_toast__WEBPACK_IMPORTED_MODULE_3__.BVToastPlugin
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/toast/toast.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/toast/toast.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BToast: () =&gt; (/* binding */ BToast),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var portal_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! portal-vue */ "./node_modules/portal-vue/dist/portal-vue.common.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ../../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../utils/bv-event.class */ "./node_modules/bootstrap-vue/esm/utils/bv-event.class.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_router__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ../../utils/router */ "./node_modules/bootstrap-vue/esm/utils/router.js");
/* harmony import */ var _utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../utils/create-new-child-component */ "./node_modules/bootstrap-vue/esm/utils/create-new-child-component.js");
/* harmony import */ var _mixins_attrs__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../mixins/attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _mixins_id__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../mixins/listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _mixins_scoped_style__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../mixins/scoped-style */ "./node_modules/bootstrap-vue/esm/mixins/scoped-style.js");
/* harmony import */ var _button_button_close__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ../button/button-close */ "./node_modules/bootstrap-vue/esm/components/button/button-close.js");
/* harmony import */ var _link_link__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var _transition_bv_transition__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ../transition/bv-transition */ "./node_modules/bootstrap-vue/esm/components/transition/bv-transition.js");
/* harmony import */ var _toaster__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ./toaster */ "./node_modules/bootstrap-vue/esm/components/toast/toaster.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

























 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_1__.makeModelMixin)('visible', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN,
  defaultValue: false,
  event: _constants_events__WEBPACK_IMPORTED_MODULE_3__.EVENT_NAME_CHANGE
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event;

var MIN_DURATION = 1000; // --- Props ---

var linkProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.pick)(_link_link__WEBPACK_IMPORTED_MODULE_5__.props, ['href', 'to']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _mixins_id__WEBPACK_IMPORTED_MODULE_7__.props), modelProps), linkProps), {}, {
  appendToast: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  autoHideDelay: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_NUMBER_STRING, 5000),
  bodyClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_ARRAY_OBJECT_STRING),
  headerClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_ARRAY_OBJECT_STRING),
  headerTag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING, 'header'),
  // Switches role to 'status' and aria-live to 'polite'
  isStatus: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  noAutoHide: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  noCloseButton: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  noFade: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  noHoverPause: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  solid: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  // Render the toast in place, rather than in a portal-target
  static: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_BOOLEAN, false),
  title: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING),
  toastClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_ARRAY_OBJECT_STRING),
  toaster: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING, 'b-toaster-top-right'),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_2__.PROP_TYPE_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_TOAST); // --- Main component ---
// @vue/component

var BToast = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_9__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_TOAST,
  mixins: [_mixins_attrs__WEBPACK_IMPORTED_MODULE_10__.attrsMixin, _mixins_id__WEBPACK_IMPORTED_MODULE_7__.idMixin, modelMixin, _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_11__.listenOnRootMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_12__.normalizeSlotMixin, _mixins_scoped_style__WEBPACK_IMPORTED_MODULE_13__.scopedStyleMixin],
  inheritAttrs: false,
  props: props,
  data: function data() {
    return {
      isMounted: false,
      doRender: false,
      localShow: false,
      isTransitioning: false,
      isHiding: false,
      order: 0,
      dismissStarted: 0,
      resumeDismiss: 0
    };
  },
  computed: {
    toastClasses: function toastClasses() {
      var appendToast = this.appendToast,
          variant = this.variant;
      return _defineProperty({
        'b-toast-solid': this.solid,
        'b-toast-append': appendToast,
        'b-toast-prepend': !appendToast
      }, "b-toast-".concat(variant), variant);
    },
    slotScope: function slotScope() {
      var hide = this.hide;
      return {
        hide: hide
      };
    },
    computedDuration: function computedDuration() {
      // Minimum supported duration is 1 second
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_14__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_15__.toInteger)(this.autoHideDelay, 0), MIN_DURATION);
    },
    computedToaster: function computedToaster() {
      return String(this.toaster);
    },
    transitionHandlers: function transitionHandlers() {
      return {
        beforeEnter: this.onBeforeEnter,
        afterEnter: this.onAfterEnter,
        beforeLeave: this.onBeforeLeave,
        afterLeave: this.onAfterLeave
      };
    },
    computedAttrs: function computedAttrs() {
      return _objectSpread(_objectSpread({}, this.bvAttrs), {}, {
        id: this.safeId(),
        tabindex: '0'
      });
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue) {
    this[newValue ? 'show' : 'hide']();
  }), _defineProperty(_watch, "localShow", function localShow(newValue) {
    if (newValue !== this[MODEL_PROP_NAME]) {
      this.$emit(MODEL_EVENT_NAME, newValue);
    }
  }), _defineProperty(_watch, "toaster", function toaster() {
    // If toaster target changed, make sure toaster exists
    this.$nextTick(this.ensureToaster);
  }), _defineProperty(_watch, "static", function _static(newValue) {
    // If static changes to true, and the toast is showing,
    // ensure the toaster target exists
    if (newValue &amp;&amp; this.localShow) {
      this.ensureToaster();
    }
  }), _watch),
  created: function created() {
    // Create private non-reactive props
    this.$_dismissTimer = null;
  },
  mounted: function mounted() {
    var _this = this;

    this.isMounted = true;
    this.$nextTick(function () {
      if (_this[MODEL_PROP_NAME]) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_16__.requestAF)(function () {
          _this.show();
        });
      }
    }); // Listen for global $root show events

    this.listenOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_17__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_TOAST, _constants_events__WEBPACK_IMPORTED_MODULE_3__.EVENT_NAME_SHOW), function (id) {
      if (id === _this.safeId()) {
        _this.show();
      }
    }); // Listen for global $root hide events

    this.listenOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_17__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_TOAST, _constants_events__WEBPACK_IMPORTED_MODULE_3__.EVENT_NAME_HIDE), function (id) {
      if (!id || id === _this.safeId()) {
        _this.hide();
      }
    }); // Make sure we hide when toaster is destroyed

    /* istanbul ignore next: difficult to test */

    this.listenOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_17__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_TOASTER, _constants_events__WEBPACK_IMPORTED_MODULE_3__.EVENT_NAME_DESTROYED), function (toaster) {
      /* istanbul ignore next */
      if (toaster === _this.computedToaster) {
        _this.hide();
      }
    });
  },
  beforeDestroy: function beforeDestroy() {
    this.clearDismissTimer();
  },
  methods: {
    show: function show() {
      var _this2 = this;

      if (!this.localShow) {
        this.ensureToaster();
        var showEvent = this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_3__.EVENT_NAME_SHOW);
        this.emitEvent(showEvent);
        this.dismissStarted = this.resumeDismiss = 0;
        this.order = Date.now() * (this.appendToast ? 1 : -1);
        this.isHiding = false;
        this.doRender = true;
        this.$nextTick(function () {
          // We show the toast after we have rendered the portal and b-toast wrapper
          // so that screen readers will properly announce the toast
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_16__.requestAF)(function () {
            _this2.localShow = true;
          });
        });
      }
    },
    hide: function hide() {
      var _this3 = this;

      if (this.localShow) {
        var hideEvent = this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_3__.EVENT_NAME_HIDE);
        this.emitEvent(hideEvent);
        this.setHoverHandler(false);
        this.dismissStarted = this.resumeDismiss = 0;
        this.clearDismissTimer();
        this.isHiding = true;
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_16__.requestAF)(function () {
          _this3.localShow = false;
        });
      }
    },
    buildEvent: function buildEvent(type) {
      var options = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
      return new _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_18__.BvEvent(type, _objectSpread(_objectSpread({
        cancelable: false,
        target: this.$el || null,
        relatedTarget: null
      }, options), {}, {
        vueTarget: this,
        componentId: this.safeId()
      }));
    },
    emitEvent: function emitEvent(bvEvent) {
      var type = bvEvent.type;
      this.emitOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_17__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_8__.NAME_TOAST, type), bvEvent);
      this.$emit(type, bvEvent);
    },
    ensureToaster: function ensureToaster() {
      if (this.static) {
        return;
      }

      var computedToaster = this.computedToaster;

      if (!portal_vue__WEBPACK_IMPORTED_MODULE_0__.Wormhole.hasTarget(computedToaster)) {
        var div = document.createElement('div');
        document.body.appendChild(div);
        var toaster = (0,_utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_19__.createNewChildComponent)(this.bvEventRoot, _toaster__WEBPACK_IMPORTED_MODULE_20__.BToaster, {
          propsData: {
            name: computedToaster
          }
        });
        toaster.$mount(div);
      }
    },
    startDismissTimer: function startDismissTimer() {
      this.clearDismissTimer();

      if (!this.noAutoHide) {
        this.$_dismissTimer = setTimeout(this.hide, this.resumeDismiss || this.computedDuration);
        this.dismissStarted = Date.now();
        this.resumeDismiss = 0;
      }
    },
    clearDismissTimer: function clearDismissTimer() {
      clearTimeout(this.$_dismissTimer);
      this.$_dismissTimer = null;
    },
    setHoverHandler: function setHoverHandler(on) {
      var el = this.$refs['b-toast'];
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_17__.eventOnOff)(on, el, 'mouseenter', this.onPause, _constants_events__WEBPACK_IMPORTED_MODULE_3__.EVENT_OPTIONS_NO_CAPTURE);
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_17__.eventOnOff)(on, el, 'mouseleave', this.onUnPause, _constants_events__WEBPACK_IMPORTED_MODULE_3__.EVENT_OPTIONS_NO_CAPTURE);
    },
    onPause: function onPause() {
      // Determine time remaining, and then pause timer
      if (this.noAutoHide || this.noHoverPause || !this.$_dismissTimer || this.resumeDismiss) {
        return;
      }

      var passed = Date.now() - this.dismissStarted;

      if (passed &gt; 0) {
        this.clearDismissTimer();
        this.resumeDismiss = (0,_utils_math__WEBPACK_IMPORTED_MODULE_14__.mathMax)(this.computedDuration - passed, MIN_DURATION);
      }
    },
    onUnPause: function onUnPause() {
      // Restart timer with max of time remaining or 1 second
      if (this.noAutoHide || this.noHoverPause || !this.resumeDismiss) {
        this.resumeDismiss = this.dismissStarted = 0;
        return;
      }

      this.startDismissTimer();
    },
    onLinkClick: function onLinkClick() {
      var _this4 = this;

      // We delay the close to allow time for the
      // browser to process the link click
      this.$nextTick(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_16__.requestAF)(function () {
          _this4.hide();
        });
      });
    },
    onBeforeEnter: function onBeforeEnter() {
      this.isTransitioning = true;
    },
    onAfterEnter: function onAfterEnter() {
      this.isTransitioning = false;
      var hiddenEvent = this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_3__.EVENT_NAME_SHOWN);
      this.emitEvent(hiddenEvent);
      this.startDismissTimer();
      this.setHoverHandler(true);
    },
    onBeforeLeave: function onBeforeLeave() {
      this.isTransitioning = true;
    },
    onAfterLeave: function onAfterLeave() {
      this.isTransitioning = false;
      this.order = 0;
      this.resumeDismiss = this.dismissStarted = 0;
      var hiddenEvent = this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_3__.EVENT_NAME_HIDDEN);
      this.emitEvent(hiddenEvent);
      this.doRender = false;
    },
    // Render helper for generating the toast
    makeToast: function makeToast(h) {
      var _this5 = this;

      var title = this.title,
          slotScope = this.slotScope;
      var link = (0,_utils_router__WEBPACK_IMPORTED_MODULE_21__.isLink)(this);
      var $headerContent = [];
      var $title = this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_22__.SLOT_NAME_TOAST_TITLE, slotScope);

      if ($title) {
        $headerContent.push($title);
      } else if (title) {
        $headerContent.push(h('strong', {
          staticClass: 'mr-2'
        }, title));
      }

      if (!this.noCloseButton) {
        $headerContent.push(h(_button_button_close__WEBPACK_IMPORTED_MODULE_23__.BButtonClose, {
          staticClass: 'ml-auto mb-1',
          on: {
            click: function click() {
              _this5.hide();
            }
          }
        }));
      }

      var $header = h();

      if ($headerContent.length &gt; 0) {
        $header = h(this.headerTag, {
          staticClass: 'toast-header',
          class: this.headerClass
        }, $headerContent);
      }

      var $body = h(link ? _link_link__WEBPACK_IMPORTED_MODULE_5__.BLink : 'div', {
        staticClass: 'toast-body',
        class: this.bodyClass,
        props: link ? (0,_utils_props__WEBPACK_IMPORTED_MODULE_6__.pluckProps)(linkProps, this) : {},
        on: link ? {
          click: this.onLinkClick
        } : {}
      }, this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_22__.SLOT_NAME_DEFAULT, slotScope));
      return h('div', {
        staticClass: 'toast',
        class: this.toastClass,
        attrs: this.computedAttrs,
        key: "toast-".concat(this[_vue__WEBPACK_IMPORTED_MODULE_9__.COMPONENT_UID_KEY]),
        ref: 'toast'
      }, [$header, $body]);
    }
  },
  render: function render(h) {
    if (!this.doRender || !this.isMounted) {
      return h();
    }

    var order = this.order,
        isStatic = this.static,
        isHiding = this.isHiding,
        isStatus = this.isStatus;
    var name = "b-toast-".concat(this[_vue__WEBPACK_IMPORTED_MODULE_9__.COMPONENT_UID_KEY]);
    var $toast = h('div', {
      staticClass: 'b-toast',
      class: this.toastClasses,
      attrs: _objectSpread(_objectSpread({}, isStatic ? {} : this.scopedStyleAttrs), {}, {
        id: this.safeId('_toast_outer'),
        role: isHiding ? null : isStatus ? 'status' : 'alert',
        'aria-live': isHiding ? null : isStatus ? 'polite' : 'assertive',
        'aria-atomic': isHiding ? null : 'true'
      }),
      key: name,
      ref: 'b-toast'
    }, [h(_transition_bv_transition__WEBPACK_IMPORTED_MODULE_24__.BVTransition, {
      props: {
        noFade: this.noFade
      },
      on: this.transitionHandlers
    }, [this.localShow ? this.makeToast(h) : h()])]);
    return h(portal_vue__WEBPACK_IMPORTED_MODULE_0__.Portal, {
      props: {
        name: name,
        to: this.computedToaster,
        order: order,
        slim: true,
        disabled: isStatic
      }
    }, [$toast]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/toast/toaster.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/toast/toaster.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BToaster: () =&gt; (/* binding */ BToaster),
/* harmony export */   DefaultTransition: () =&gt; (/* binding */ DefaultTransition),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var portal_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! portal-vue */ "./node_modules/portal-vue/dist/portal-vue.common.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
/* harmony import */ var _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");










 // --- Helper components ---
// @vue/component

var DefaultTransition = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_1__.extend)({
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_2__.normalizeSlotMixin],
  data: function data() {
    return {
      // Transition classes base name
      name: 'b-toaster'
    };
  },
  methods: {
    onAfterEnter: function onAfterEnter(el) {
      var _this = this;

      // Work around a Vue.js bug where `*-enter-to` class is not removed
      // See: https://github.com/vuejs/vue/pull/7901
      // The `*-move` class is also stuck on elements that moved,
      // but there are no JavaScript hooks to handle after move
      // See: https://github.com/vuejs/vue/pull/7906
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.requestAF)(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.removeClass)(el, "".concat(_this.name, "-enter-to"));
      });
    }
  },
  render: function render(h) {
    return h('transition-group', {
      props: {
        tag: 'div',
        name: this.name
      },
      on: {
        afterEnter: this.onAfterEnter
      }
    }, this.normalizeSlot());
  }
}); // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makePropsConfigurable)({
  // Allowed: 'true' or 'false' or `null`
  ariaAtomic: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
  ariaLive: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING),
  name: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING, undefined, true),
  // Required
  // Aria role
  role: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_5__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_TOASTER); // --- Main component ---
// @vue/component

var BToaster = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_1__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_TOASTER,
  mixins: [_mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_7__.listenOnRootMixin],
  props: props,
  data: function data() {
    return {
      // We don't render on SSR or if a an existing target found
      doRender: false,
      dead: false,
      // Toaster names cannot change once created
      staticName: this.name
    };
  },
  beforeMount: function beforeMount() {
    var name = this.name;
    this.staticName = name;
    /* istanbul ignore if */

    if (portal_vue__WEBPACK_IMPORTED_MODULE_0__.Wormhole.hasTarget(name)) {
      (0,_utils_warn__WEBPACK_IMPORTED_MODULE_8__.warn)("A \"&lt;portal-target&gt;\" with name \"".concat(name, "\" already exists in the document."), _constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_TOASTER);
      this.dead = true;
    } else {
      this.doRender = true;
    }
  },
  beforeDestroy: function beforeDestroy() {
    // Let toasts made with `this.$bvToast.toast()` know that this toaster
    // is being destroyed and should should also destroy/hide themselves
    if (this.doRender) {
      this.emitOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_9__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_6__.NAME_TOASTER, _constants_events__WEBPACK_IMPORTED_MODULE_10__.EVENT_NAME_DESTROYED), this.name);
    }
  },
  destroyed: function destroyed() {
    // Remove from DOM if needed
    var $el = this.$el;
    /* istanbul ignore next: difficult to test */

    if ($el &amp;&amp; $el.parentNode) {
      $el.parentNode.removeChild($el);
    }
  },
  render: function render(h) {
    var $toaster = h('div', {
      class: ['d-none', {
        'b-dead-toaster': this.dead
      }]
    });

    if (this.doRender) {
      var $target = h(portal_vue__WEBPACK_IMPORTED_MODULE_0__.PortalTarget, {
        staticClass: 'b-toaster-slot',
        props: {
          name: this.staticName,
          multiple: true,
          tag: 'div',
          slim: false,
          // transition: this.transition || DefaultTransition
          transition: DefaultTransition
        }
      });
      $toaster = h('div', {
        staticClass: 'b-toaster',
        class: [this.staticName],
        attrs: {
          id: this.staticName,
          // Fallback to null to make sure attribute doesn't exist
          role: this.role || null,
          'aria-live': this.ariaLive,
          'aria-atomic': this.ariaAtomic
        }
      }, [$target]);
    }

    return $toaster;
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-popper.js":
/*!********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-popper.js ***!
  \********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVPopper: () =&gt; (/* binding */ BVPopper),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var popper_js__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! popper.js */ "./node_modules/popper.js/dist/esm/popper.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_safe_types__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../constants/safe-types */ "./node_modules/bootstrap-vue/esm/constants/safe-types.js");
/* harmony import */ var _mixins_use_parent__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../mixins/use-parent */ "./node_modules/bootstrap-vue/esm/mixins/use-parent.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _transition_bv_transition__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../transition/bv-transition */ "./node_modules/bootstrap-vue/esm/components/transition/bv-transition.js");
// Base on-demand component for tooltip / popover templates
//
// Currently:
//   Responsible for positioning and transitioning the template
//   Templates are only instantiated when shown, and destroyed when hidden
//










 // --- Constants ---

var AttachmentMap = {
  AUTO: 'auto',
  TOP: 'top',
  RIGHT: 'right',
  BOTTOM: 'bottom',
  LEFT: 'left',
  TOPLEFT: 'top',
  TOPRIGHT: 'top',
  RIGHTTOP: 'right',
  RIGHTBOTTOM: 'right',
  BOTTOMLEFT: 'bottom',
  BOTTOMRIGHT: 'bottom',
  LEFTTOP: 'left',
  LEFTBOTTOM: 'left'
};
var OffsetMap = {
  AUTO: 0,
  TOPLEFT: -1,
  TOP: 0,
  TOPRIGHT: +1,
  RIGHTTOP: -1,
  RIGHT: 0,
  RIGHTBOTTOM: +1,
  BOTTOMLEFT: -1,
  BOTTOM: 0,
  BOTTOMRIGHT: +1,
  LEFTTOP: -1,
  LEFT: 0,
  LEFTBOTTOM: +1
}; // --- Props ---

var props = {
  // The minimum distance (in `px`) from the edge of the
  // tooltip/popover that the arrow can be positioned
  arrowPadding: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 6),
  // 'scrollParent', 'viewport', 'window', or `Element`
  boundary: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)([_constants_safe_types__WEBPACK_IMPORTED_MODULE_2__.HTMLElement, _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING], 'scrollParent'),
  // Tooltip/popover will try and stay away from
  // boundary edge by this many pixels
  boundaryPadding: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 5),
  fallbackPlacement: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_STRING, 'flip'),
  offset: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0),
  placement: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'top'),
  // Element that the tooltip/popover is positioned relative to
  target: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)([_constants_safe_types__WEBPACK_IMPORTED_MODULE_2__.HTMLElement, _constants_safe_types__WEBPACK_IMPORTED_MODULE_2__.SVGElement])
}; // --- Main component ---
// @vue/component

var BVPopper = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_POPPER,
  mixins: [_mixins_use_parent__WEBPACK_IMPORTED_MODULE_5__.useParentMixin],
  props: props,
  data: function data() {
    return {
      // reactive props set by parent
      noFade: false,
      // State related data
      localShow: true,
      attachment: this.getAttachment(this.placement)
    };
  },
  computed: {
    /* istanbul ignore next */
    templateType: function templateType() {
      // Overridden by template component
      return 'unknown';
    },
    popperConfig: function popperConfig() {
      var _this = this;

      var placement = this.placement;
      return {
        placement: this.getAttachment(placement),
        modifiers: {
          offset: {
            offset: this.getOffset(placement)
          },
          flip: {
            behavior: this.fallbackPlacement
          },
          // `arrow.element` can also be a reference to an HTML Element
          // maybe we should make this a `$ref` in the templates?
          arrow: {
            element: '.arrow'
          },
          preventOverflow: {
            padding: this.boundaryPadding,
            boundariesElement: this.boundary
          }
        },
        onCreate: function onCreate(data) {
          // Handle flipping arrow classes
          if (data.originalPlacement !== data.placement) {
            /* istanbul ignore next: can't test in JSDOM */
            _this.popperPlacementChange(data);
          }
        },
        onUpdate: function onUpdate(data) {
          // Handle flipping arrow classes
          _this.popperPlacementChange(data);
        }
      };
    }
  },
  created: function created() {
    var _this2 = this;

    // Note: We are created on-demand, and should be guaranteed that
    // DOM is rendered/ready by the time the created hook runs
    this.$_popper = null; // Ensure we show as we mount

    this.localShow = true; // Create popper instance before shown

    this.$on(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_SHOW, function (el) {
      _this2.popperCreate(el);
    }); // Self destruct handler

    var handleDestroy = function handleDestroy() {
      _this2.$nextTick(function () {
        // In a `requestAF()` to release control back to application
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.requestAF)(function () {
          _this2.$destroy();
        });
      });
    }; // Self destruct if parent destroyed


    this.bvParent.$once(_constants_events__WEBPACK_IMPORTED_MODULE_6__.HOOK_EVENT_NAME_DESTROYED, handleDestroy); // Self destruct after hidden

    this.$once(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_HIDDEN, handleDestroy);
  },
  beforeMount: function beforeMount() {
    // Ensure that the attachment position is correct before mounting
    // as our propsData is added after `new Template({...})`
    this.attachment = this.getAttachment(this.placement);
  },
  updated: function updated() {
    // Update popper if needed
    // TODO: Should this be a watcher on `this.popperConfig` instead?
    this.updatePopper();
  },
  beforeDestroy: function beforeDestroy() {
    this.destroyPopper();
  },
  destroyed: function destroyed() {
    // Make sure template is removed from DOM
    var el = this.$el;
    el &amp;&amp; el.parentNode &amp;&amp; el.parentNode.removeChild(el);
  },
  methods: {
    // "Public" method to trigger hide template
    hide: function hide() {
      this.localShow = false;
    },
    // Private
    getAttachment: function getAttachment(placement) {
      return AttachmentMap[String(placement).toUpperCase()] || 'auto';
    },
    getOffset: function getOffset(placement) {
      if (!this.offset) {
        // Could set a ref for the arrow element
        var arrow = this.$refs.arrow || (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.select)('.arrow', this.$el);
        var arrowOffset = (0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toFloat)((0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.getCS)(arrow).width, 0) + (0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toFloat)(this.arrowPadding, 0);

        switch (OffsetMap[String(placement).toUpperCase()] || 0) {
          /* istanbul ignore next: can't test in JSDOM */
          case +1:
            /* istanbul ignore next: can't test in JSDOM */
            return "+50%p - ".concat(arrowOffset, "px");

          /* istanbul ignore next: can't test in JSDOM */

          case -1:
            /* istanbul ignore next: can't test in JSDOM */
            return "-50%p + ".concat(arrowOffset, "px");

          default:
            return 0;
        }
      }
      /* istanbul ignore next */


      return this.offset;
    },
    popperCreate: function popperCreate(el) {
      this.destroyPopper(); // We use `el` rather than `this.$el` just in case the original
      // mountpoint root element type was changed by the template

      this.$_popper = new popper_js__WEBPACK_IMPORTED_MODULE_9__["default"](this.target, el, this.popperConfig);
    },
    destroyPopper: function destroyPopper() {
      this.$_popper &amp;&amp; this.$_popper.destroy();
      this.$_popper = null;
    },
    updatePopper: function updatePopper() {
      this.$_popper &amp;&amp; this.$_popper.scheduleUpdate();
    },
    popperPlacementChange: function popperPlacementChange(data) {
      // Callback used by popper to adjust the arrow placement
      this.attachment = this.getAttachment(data.placement);
    },

    /* istanbul ignore next */
    renderTemplate: function renderTemplate(h) {
      // Will be overridden by templates
      return h('div');
    }
  },
  render: function render(h) {
    var _this3 = this;

    var noFade = this.noFade; // Note: 'show' and 'fade' classes are only appled during transition

    return h(_transition_bv_transition__WEBPACK_IMPORTED_MODULE_10__.BVTransition, {
      // Transitions as soon as mounted
      props: {
        appear: true,
        noFade: noFade
      },
      on: {
        // Events used by parent component/instance
        beforeEnter: function beforeEnter(el) {
          return _this3.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_SHOW, el);
        },
        afterEnter: function afterEnter(el) {
          return _this3.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_SHOWN, el);
        },
        beforeLeave: function beforeLeave(el) {
          return _this3.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_HIDE, el);
        },
        afterLeave: function afterLeave(el) {
          return _this3.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_HIDDEN, el);
        }
      }
    }, [this.localShow ? this.renderTemplate(h) : h()]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-tooltip-template.js":
/*!******************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-tooltip-template.js ***!
  \******************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVTooltipTemplate: () =&gt; (/* binding */ BVTooltipTemplate),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _mixins_scoped_style__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../mixins/scoped-style */ "./node_modules/bootstrap-vue/esm/mixins/scoped-style.js");
/* harmony import */ var _bv_popper__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./bv-popper */ "./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-popper.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }








 // --- Props ---

var props = {
  // Used only by the directive versions
  html: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Other non-reactive (while open) props are pulled in from BVPopper
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}; // --- Main component ---
// @vue/component

var BVTooltipTemplate = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TOOLTIP_TEMPLATE,
  extends: _bv_popper__WEBPACK_IMPORTED_MODULE_4__.BVPopper,
  mixins: [_mixins_scoped_style__WEBPACK_IMPORTED_MODULE_5__.scopedStyleMixin],
  props: props,
  data: function data() {
    // We use data, rather than props to ensure reactivity
    // Parent component will directly set this data
    return {
      title: '',
      content: '',
      variant: null,
      customClass: null,
      interactive: true
    };
  },
  computed: {
    templateType: function templateType() {
      return 'tooltip';
    },
    templateClasses: function templateClasses() {
      var _ref;

      var variant = this.variant,
          attachment = this.attachment,
          templateType = this.templateType;
      return [(_ref = {
        // Disables pointer events to hide the tooltip when the user
        // hovers over its content
        noninteractive: !this.interactive
      }, _defineProperty(_ref, "b-".concat(templateType, "-").concat(variant), variant), _defineProperty(_ref, "bs-".concat(templateType, "-").concat(attachment), attachment), _ref), this.customClass];
    },
    templateAttributes: function templateAttributes() {
      var id = this.id;
      return _objectSpread(_objectSpread({}, this.bvParent.bvParent.$attrs), {}, {
        id: id,
        role: 'tooltip',
        tabindex: '-1'
      }, this.scopedStyleAttrs);
    },
    templateListeners: function templateListeners() {
      var _this = this;

      // Used for hover/focus trigger listeners
      return {
        mouseenter:
        /* istanbul ignore next */
        function mouseenter(event) {
          _this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_MOUSEENTER, event);
        },
        mouseleave:
        /* istanbul ignore next */
        function mouseleave(event) {
          _this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_MOUSELEAVE, event);
        },
        focusin:
        /* istanbul ignore next */
        function focusin(event) {
          _this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_FOCUSIN, event);
        },
        focusout:
        /* istanbul ignore next */
        function focusout(event) {
          _this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_6__.EVENT_NAME_FOCUSOUT, event);
        }
      };
    }
  },
  methods: {
    renderTemplate: function renderTemplate(h) {
      var title = this.title; // Title can be a scoped slot function

      var $title = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isFunction)(title) ? title({}) : title; // Directive versions only

      var domProps = this.html &amp;&amp; !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_7__.isFunction)(title) ? {
        innerHTML: title
      } : {};
      return h('div', {
        staticClass: 'tooltip b-tooltip',
        class: this.templateClasses,
        attrs: this.templateAttributes,
        on: this.templateListeners
      }, [h('div', {
        staticClass: 'arrow',
        ref: 'arrow'
      }), h('div', {
        staticClass: 'tooltip-inner',
        domProps: domProps
      }, [$title])]);
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-tooltip.js":
/*!*********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-tooltip.js ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVTooltip: () =&gt; (/* binding */ BVTooltip)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _mixins_use_parent__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../mixins/use-parent */ "./node_modules/bootstrap-vue/esm/mixins/use-parent.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_element_to_vue_instance_registry__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../../../utils/element-to-vue-instance-registry */ "./node_modules/bootstrap-vue/esm/utils/element-to-vue-instance-registry.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_get_scope_id__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../../utils/get-scope-id */ "./node_modules/bootstrap-vue/esm/utils/get-scope-id.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_noop__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../../utils/noop */ "./node_modules/bootstrap-vue/esm/utils/noop.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../../../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
/* harmony import */ var _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../../../utils/bv-event.class */ "./node_modules/bootstrap-vue/esm/utils/bv-event.class.js");
/* harmony import */ var _utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../../../utils/create-new-child-component */ "./node_modules/bootstrap-vue/esm/utils/create-new-child-component.js");
/* harmony import */ var _mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../mixins/listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");
/* harmony import */ var _bv_tooltip_template__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ./bv-tooltip-template */ "./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-tooltip-template.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

// Tooltip "Class" (Built as a renderless Vue instance)
//
// Handles trigger events, etc.
// Instantiates template on demand




















 // --- Constants ---
// Modal container selector for appending tooltip/popover

var MODAL_SELECTOR = '.modal-content'; // Modal `$root` hidden event

var ROOT_EVENT_NAME_MODAL_HIDDEN = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_MODAL, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN); // Sidebar container selector for appending tooltip/popover

var SIDEBAR_SELECTOR = '.b-sidebar'; // For finding the container to append to

var CONTAINER_SELECTOR = [MODAL_SELECTOR, SIDEBAR_SELECTOR].join(', '); // For dropdown sniffing

var DROPDOWN_CLASS = 'dropdown';
var DROPDOWN_OPEN_SELECTOR = '.dropdown-menu.show'; // Data attribute to temporary store the `title` attribute's value

var DATA_TITLE_ATTR = 'data-original-title'; // Data specific to popper and template
// We don't use props, as we need reactivity (we can't pass reactive props)

var templateData = {
  // Text string or Scoped slot function
  title: '',
  // Text string or Scoped slot function
  content: '',
  // String
  variant: null,
  // String, Array, Object
  customClass: null,
  // String or array of Strings (overwritten by BVPopper)
  triggers: '',
  // String (overwritten by BVPopper)
  placement: 'auto',
  // String or array of strings
  fallbackPlacement: 'flip',
  // Element or Component reference (or function that returns element) of
  // the element that will have the trigger events bound, and is also
  // default element for positioning
  target: null,
  // HTML ID, Element or Component reference
  container: null,
  // 'body'
  // Boolean
  noFade: false,
  // 'scrollParent', 'viewport', 'window', Element, or Component reference
  boundary: 'scrollParent',
  // Tooltip/popover will try and stay away from
  // boundary edge by this many pixels (Number)
  boundaryPadding: 5,
  // Arrow offset (Number)
  offset: 0,
  // Hover/focus delay (Number or Object)
  delay: 0,
  // Arrow of Tooltip/popover will try and stay away from
  // the edge of tooltip/popover edge by this many pixels
  arrowPadding: 6,
  // Interactive state (Boolean)
  interactive: true,
  // Disabled state (Boolean)
  disabled: false,
  // ID to use for tooltip/popover
  id: null,
  // Flag used by directives only, for HTML content
  html: false
}; // --- Main component ---
// @vue/component

var BVTooltip = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TOOLTIP_HELPER,
  mixins: [_mixins_listen_on_root__WEBPACK_IMPORTED_MODULE_4__.listenOnRootMixin, _mixins_use_parent__WEBPACK_IMPORTED_MODULE_5__.useParentMixin],
  data: function data() {
    return _objectSpread(_objectSpread({}, templateData), {}, {
      // State management data
      activeTrigger: {
        // manual: false,
        hover: false,
        click: false,
        focus: false
      },
      localShow: false
    });
  },
  computed: {
    templateType: function templateType() {
      // Overwritten by BVPopover
      return 'tooltip';
    },
    computedId: function computedId() {
      return this.id || "__bv_".concat(this.templateType, "_").concat(this[_vue__WEBPACK_IMPORTED_MODULE_3__.COMPONENT_UID_KEY], "__");
    },
    computedDelay: function computedDelay() {
      // Normalizes delay into object form
      var delay = {
        show: 0,
        hide: 0
      };

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isPlainObject)(this.delay)) {
        delay.show = (0,_utils_math__WEBPACK_IMPORTED_MODULE_7__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toInteger)(this.delay.show, 0), 0);
        delay.hide = (0,_utils_math__WEBPACK_IMPORTED_MODULE_7__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toInteger)(this.delay.hide, 0), 0);
      } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isNumber)(this.delay) || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isString)(this.delay)) {
        delay.show = delay.hide = (0,_utils_math__WEBPACK_IMPORTED_MODULE_7__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toInteger)(this.delay, 0), 0);
      }

      return delay;
    },
    computedTriggers: function computedTriggers() {
      // Returns the triggers in sorted array form
      // TODO: Switch this to object form for easier lookup
      return (0,_utils_array__WEBPACK_IMPORTED_MODULE_9__.concat)(this.triggers).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_10__.identity).join(' ').trim().toLowerCase().split(/\s+/).sort();
    },
    isWithActiveTrigger: function isWithActiveTrigger() {
      for (var trigger in this.activeTrigger) {
        if (this.activeTrigger[trigger]) {
          return true;
        }
      }

      return false;
    },
    computedTemplateData: function computedTemplateData() {
      var title = this.title,
          content = this.content,
          variant = this.variant,
          customClass = this.customClass,
          noFade = this.noFade,
          interactive = this.interactive;
      return {
        title: title,
        content: content,
        variant: variant,
        customClass: customClass,
        noFade: noFade,
        interactive: interactive
      };
    }
  },
  watch: {
    computedTriggers: function computedTriggers(newTriggers, oldTriggers) {
      var _this = this;

      // Triggers have changed, so re-register them

      /* istanbul ignore next */
      if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_11__.looseEqual)(newTriggers, oldTriggers)) {
        this.$nextTick(function () {
          // Disable trigger listeners
          _this.unListen(); // Clear any active triggers that are no longer in the list of triggers


          oldTriggers.forEach(function (trigger) {
            if (!(0,_utils_array__WEBPACK_IMPORTED_MODULE_9__.arrayIncludes)(newTriggers, trigger)) {
              if (_this.activeTrigger[trigger]) {
                _this.activeTrigger[trigger] = false;
              }
            }
          }); // Re-enable the trigger listeners

          _this.listen();
        });
      }
    },
    computedTemplateData: function computedTemplateData() {
      // If any of the while open reactive "props" change,
      // ensure that the template updates accordingly
      this.handleTemplateUpdate();
    },
    title: function title(newValue, oldValue) {
      // Make sure to hide the tooltip when the title is set empty
      if (newValue !== oldValue &amp;&amp; !newValue) {
        this.hide();
      }
    },
    disabled: function disabled(newValue) {
      if (newValue) {
        this.disable();
      } else {
        this.enable();
      }
    }
  },
  created: function created() {
    var _this2 = this;

    // Create non-reactive properties
    this.$_tip = null;
    this.$_hoverTimeout = null;
    this.$_hoverState = '';
    this.$_visibleInterval = null;
    this.$_enabled = !this.disabled;
    this.$_noop = _utils_noop__WEBPACK_IMPORTED_MODULE_12__.noop.bind(this); // Destroy ourselves when the parent is destroyed

    if (this.bvParent) {
      this.bvParent.$once(_constants_events__WEBPACK_IMPORTED_MODULE_2__.HOOK_EVENT_NAME_BEFORE_DESTROY, function () {
        _this2.$nextTick(function () {
          // In a `requestAF()` to release control back to application
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.requestAF)(function () {
            _this2.$destroy();
          });
        });
      });
    }

    this.$nextTick(function () {
      var target = _this2.getTarget();

      if (target &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.contains)(document.body, target)) {
        // Copy the parent's scoped style attribute
        _this2.scopeId = (0,_utils_get_scope_id__WEBPACK_IMPORTED_MODULE_14__.getScopeId)(_this2.bvParent); // Set up all trigger handlers and listeners

        _this2.listen();
      } else {
        /* istanbul ignore next */
        (0,_utils_warn__WEBPACK_IMPORTED_MODULE_15__.warn)((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isString)(_this2.target) ? "Unable to find target element by ID \"#".concat(_this2.target, "\" in document.") : 'The provided target is no valid HTML element.', _this2.templateType);
      }
    });
  },

  /* istanbul ignore next */
  updated: function updated() {
    // Usually called when the slots/data changes
    this.$nextTick(this.handleTemplateUpdate);
  },

  /* istanbul ignore next */
  deactivated: function deactivated() {
    // In a keepalive that has been deactivated, so hide
    // the tooltip/popover if it is showing
    this.forceHide();
  },
  beforeDestroy: function beforeDestroy() {
    // Remove all handler/listeners
    this.unListen();
    this.setWhileOpenListeners(false); // Clear any timeouts/intervals

    this.clearHoverTimeout();
    this.clearVisibilityInterval(); // Destroy the template

    this.destroyTemplate(); // Remove any other private properties created during create

    this.$_noop = null;
  },
  methods: {
    // --- Methods for creating and destroying the template ---
    getTemplate: function getTemplate() {
      // Overridden by BVPopover
      return _bv_tooltip_template__WEBPACK_IMPORTED_MODULE_16__.BVTooltipTemplate;
    },
    updateData: function updateData() {
      var _this3 = this;

      var data = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {};
      // Method for updating popper/template data
      // We only update data if it exists, and has not changed
      var titleUpdated = false;
      (0,_utils_object__WEBPACK_IMPORTED_MODULE_17__.keys)(templateData).forEach(function (prop) {
        if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isUndefined)(data[prop]) &amp;&amp; _this3[prop] !== data[prop]) {
          _this3[prop] = data[prop];

          if (prop === 'title') {
            titleUpdated = true;
          }
        }
      }); // If the title has updated, we may need to handle the `title`
      // attribute on the trigger target
      // We only do this while the template is open

      if (titleUpdated &amp;&amp; this.localShow) {
        this.fixTitle();
      }
    },
    createTemplateAndShow: function createTemplateAndShow() {
      // Creates the template instance and show it
      var container = this.getContainer();
      var Template = this.getTemplate();
      var $tip = this.$_tip = (0,_utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_18__.createNewChildComponent)(this, Template, {
        // The following is not reactive to changes in the props data
        propsData: {
          // These values cannot be changed while template is showing
          id: this.computedId,
          html: this.html,
          placement: this.placement,
          fallbackPlacement: this.fallbackPlacement,
          target: this.getPlacementTarget(),
          boundary: this.getBoundary(),
          // Ensure the following are integers
          offset: (0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toInteger)(this.offset, 0),
          arrowPadding: (0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toInteger)(this.arrowPadding, 0),
          boundaryPadding: (0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toInteger)(this.boundaryPadding, 0)
        }
      }); // We set the initial reactive data (values that can be changed while open)

      this.handleTemplateUpdate(); // Template transition phase events (handled once only)
      // When the template has mounted, but not visibly shown yet

      $tip.$once(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOW, this.onTemplateShow); // When the template has completed showing

      $tip.$once(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOWN, this.onTemplateShown); // When the template has started to hide

      $tip.$once(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDE, this.onTemplateHide); // When the template has completed hiding

      $tip.$once(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN, this.onTemplateHidden); // When the template gets destroyed for any reason

      $tip.$once(_constants_events__WEBPACK_IMPORTED_MODULE_2__.HOOK_EVENT_NAME_DESTROYED, this.destroyTemplate); // Convenience events from template
      // To save us from manually adding/removing DOM
      // listeners to tip element when it is open

      $tip.$on(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_FOCUSIN, this.handleEvent);
      $tip.$on(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_FOCUSOUT, this.handleEvent);
      $tip.$on(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_MOUSEENTER, this.handleEvent);
      $tip.$on(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_MOUSELEAVE, this.handleEvent); // Mount (which triggers the `show`)

      $tip.$mount(container.appendChild(document.createElement('div'))); // Template will automatically remove its markup from DOM when hidden
    },
    hideTemplate: function hideTemplate() {
      // Trigger the template to start hiding
      // The template will emit the `hide` event after this and
      // then emit the `hidden` event once it is fully hidden
      // The `hook:destroyed` will also be called (safety measure)
      this.$_tip &amp;&amp; this.$_tip.hide(); // Clear out any stragging active triggers

      this.clearActiveTriggers(); // Reset the hover state

      this.$_hoverState = '';
    },
    // Destroy the template instance and reset state
    destroyTemplate: function destroyTemplate() {
      this.setWhileOpenListeners(false);
      this.clearHoverTimeout();
      this.$_hoverState = '';
      this.clearActiveTriggers();
      this.localPlacementTarget = null;

      try {
        this.$_tip.$destroy();
      } catch (_unused) {}

      this.$_tip = null;
      this.removeAriaDescribedby();
      this.restoreTitle();
      this.localShow = false;
    },
    getTemplateElement: function getTemplateElement() {
      return this.$_tip ? this.$_tip.$el : null;
    },
    handleTemplateUpdate: function handleTemplateUpdate() {
      var _this4 = this;

      // Update our template title/content "props"
      // So that the template updates accordingly
      var $tip = this.$_tip;

      if ($tip) {
        var props = ['title', 'content', 'variant', 'customClass', 'noFade', 'interactive']; // Only update the values if they have changed

        props.forEach(function (prop) {
          if ($tip[prop] !== _this4[prop]) {
            $tip[prop] = _this4[prop];
          }
        });
      }
    },
    // --- Show/Hide handlers ---
    // Show the tooltip
    show: function show() {
      var target = this.getTarget();

      if (!target || !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.contains)(document.body, target) || !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.isVisible)(target) || this.dropdownOpen() || ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isUndefinedOrNull)(this.title) || this.title === '') &amp;&amp; ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isUndefinedOrNull)(this.content) || this.content === '')) {
        // If trigger element isn't in the DOM or is not visible, or
        // is on an open dropdown toggle, or has no content, then
        // we exit without showing
        return;
      } // If tip already exists, exit early


      if (this.$_tip || this.localShow) {
        /* istanbul ignore next */
        return;
      } // In the process of showing


      this.localShow = true; // Create a cancelable BvEvent

      var showEvent = this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOW, {
        cancelable: true
      });
      this.emitEvent(showEvent); // Don't show if event cancelled

      /* istanbul ignore if */

      if (showEvent.defaultPrevented) {
        // Destroy the template (if for some reason it was created)
        this.destroyTemplate();
        return;
      } // Fix the title attribute on target


      this.fixTitle(); // Set aria-describedby on target

      this.addAriaDescribedby(); // Create and show the tooltip

      this.createTemplateAndShow();
    },
    hide: function hide() {
      var force = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : false;
      // Hide the tooltip
      var tip = this.getTemplateElement();
      /* istanbul ignore if */

      if (!tip || !this.localShow) {
        this.restoreTitle();
        return;
      } // Emit cancelable BvEvent 'hide'
      // We disable cancelling if `force` is true


      var hideEvent = this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDE, {
        cancelable: !force
      });
      this.emitEvent(hideEvent);
      /* istanbul ignore if: ignore for now */

      if (hideEvent.defaultPrevented) {
        // Don't hide if event cancelled
        return;
      } // Tell the template to hide


      this.hideTemplate();
    },
    forceHide: function forceHide() {
      // Forcefully hides/destroys the template, regardless of any active triggers
      var tip = this.getTemplateElement();

      if (!tip || !this.localShow) {
        /* istanbul ignore next */
        return;
      } // Disable while open listeners/watchers
      // This is also done in the template `hide` event handler


      this.setWhileOpenListeners(false); // Clear any hover enter/leave event

      this.clearHoverTimeout();
      this.$_hoverState = '';
      this.clearActiveTriggers(); // Disable the fade animation on the template

      if (this.$_tip) {
        this.$_tip.noFade = true;
      } // Hide the tip (with force = true)


      this.hide(true);
    },
    enable: function enable() {
      this.$_enabled = true; // Create a non-cancelable BvEvent

      this.emitEvent(this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_ENABLED));
    },
    disable: function disable() {
      this.$_enabled = false; // Create a non-cancelable BvEvent

      this.emitEvent(this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_DISABLED));
    },
    // --- Handlers for template events ---
    // When template is inserted into DOM, but not yet shown
    onTemplateShow: function onTemplateShow() {
      // Enable while open listeners/watchers
      this.setWhileOpenListeners(true);
    },
    // When template show transition completes
    onTemplateShown: function onTemplateShown() {
      var prevHoverState = this.$_hoverState;
      this.$_hoverState = '';
      /* istanbul ignore next: occasional Node 10 coverage error */

      if (prevHoverState === 'out') {
        this.leave(null);
      } // Emit a non-cancelable BvEvent 'shown'


      this.emitEvent(this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOWN));
    },
    // When template is starting to hide
    onTemplateHide: function onTemplateHide() {
      // Disable while open listeners/watchers
      this.setWhileOpenListeners(false);
    },
    // When template has completed closing (just before it self destructs)
    onTemplateHidden: function onTemplateHidden() {
      // Destroy the template
      this.destroyTemplate(); // Emit a non-cancelable BvEvent 'shown'

      this.emitEvent(this.buildEvent(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN));
    },
    // --- Helper methods ---
    getTarget: function getTarget() {
      var target = this.target;

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isString)(target)) {
        target = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.getById)(target.replace(/^#/, ''));
      } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isFunction)(target)) {
        target = target();
      } else if (target) {
        target = target.$el || target;
      }

      return (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.isElement)(target) ? target : null;
    },
    getPlacementTarget: function getPlacementTarget() {
      // This is the target that the tooltip will be placed on, which may not
      // necessarily be the same element that has the trigger event listeners
      // For now, this is the same as target
      // TODO:
      //   Add in child selector support
      //   Add in visibility checks for this element
      //   Fallback to target if not found
      return this.getTarget();
    },
    getTargetId: function getTargetId() {
      // Returns the ID of the trigger element
      var target = this.getTarget();
      return target &amp;&amp; target.id ? target.id : null;
    },
    getContainer: function getContainer() {
      // Handle case where container may be a component ref
      var container = this.container ? this.container.$el || this.container : false;
      var body = document.body;
      var target = this.getTarget(); // If we are in a modal, we append to the modal, If we
      // are in a sidebar, we append to the sidebar, else append
      // to body, unless a container is specified
      // TODO:
      //   Template should periodically check to see if it is in dom
      //   And if not, self destruct (if container got v-if'ed out of DOM)
      //   Or this could possibly be part of the visibility check

      return container === false ? (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.closest)(CONTAINER_SELECTOR, target) || body :
      /*istanbul ignore next */
      (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isString)(container) ?
      /*istanbul ignore next */
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.getById)(container.replace(/^#/, '')) || body :
      /*istanbul ignore next */
      body;
    },
    getBoundary: function getBoundary() {
      return this.boundary ? this.boundary.$el || this.boundary : 'scrollParent';
    },
    isInModal: function isInModal() {
      var target = this.getTarget();
      return target &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.closest)(MODAL_SELECTOR, target);
    },
    isDropdown: function isDropdown() {
      // Returns true if trigger is a dropdown
      var target = this.getTarget();
      return target &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.hasClass)(target, DROPDOWN_CLASS);
    },
    dropdownOpen: function dropdownOpen() {
      // Returns true if trigger is a dropdown and the dropdown menu is open
      var target = this.getTarget();
      return this.isDropdown() &amp;&amp; target &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.select)(DROPDOWN_OPEN_SELECTOR, target);
    },
    clearHoverTimeout: function clearHoverTimeout() {
      clearTimeout(this.$_hoverTimeout);
      this.$_hoverTimeout = null;
    },
    clearVisibilityInterval: function clearVisibilityInterval() {
      clearInterval(this.$_visibleInterval);
      this.$_visibleInterval = null;
    },
    clearActiveTriggers: function clearActiveTriggers() {
      for (var trigger in this.activeTrigger) {
        this.activeTrigger[trigger] = false;
      }
    },
    addAriaDescribedby: function addAriaDescribedby() {
      // Add aria-describedby on trigger element, without removing any other IDs
      var target = this.getTarget();
      var desc = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.getAttr)(target, 'aria-describedby') || '';
      desc = desc.split(/\s+/).concat(this.computedId).join(' ').trim(); // Update/add aria-described by

      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.setAttr)(target, 'aria-describedby', desc);
    },
    removeAriaDescribedby: function removeAriaDescribedby() {
      var _this5 = this;

      // Remove aria-describedby on trigger element, without removing any other IDs
      var target = this.getTarget();
      var desc = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.getAttr)(target, 'aria-describedby') || '';
      desc = desc.split(/\s+/).filter(function (d) {
        return d !== _this5.computedId;
      }).join(' ').trim(); // Update or remove aria-describedby

      if (desc) {
        /* istanbul ignore next */
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.setAttr)(target, 'aria-describedby', desc);
      } else {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.removeAttr)(target, 'aria-describedby');
      }
    },
    fixTitle: function fixTitle() {
      // If the target has a `title` attribute,
      // remove it and store it on a data attribute
      var target = this.getTarget();

      if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.hasAttr)(target, 'title')) {
        // Get `title` attribute value and remove it from target
        var title = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.getAttr)(target, 'title');
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.setAttr)(target, 'title', ''); // Only set the data attribute when the value is truthy

        if (title) {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.setAttr)(target, DATA_TITLE_ATTR, title);
        }
      }
    },
    restoreTitle: function restoreTitle() {
      // If the target had a `title` attribute,
      // restore it and remove the data attribute
      var target = this.getTarget();

      if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.hasAttr)(target, DATA_TITLE_ATTR)) {
        // Get data attribute value and remove it from target
        var title = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.getAttr)(target, DATA_TITLE_ATTR);
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.removeAttr)(target, DATA_TITLE_ATTR); // Only restore the `title` attribute when the value is truthy

        if (title) {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.setAttr)(target, 'title', title);
        }
      }
    },
    // --- BvEvent helpers ---
    buildEvent: function buildEvent(type) {
      var options = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
      // Defaults to a non-cancellable event
      return new _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_19__.BvEvent(type, _objectSpread({
        cancelable: false,
        target: this.getTarget(),
        relatedTarget: this.getTemplateElement() || null,
        componentId: this.computedId,
        vueTarget: this
      }, options));
    },
    emitEvent: function emitEvent(bvEvent) {
      var type = bvEvent.type;
      this.emitOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(this.templateType, type), bvEvent);
      this.$emit(type, bvEvent);
    },
    // --- Event handler setup methods ---
    listen: function listen() {
      var _this6 = this;

      // Enable trigger event handlers
      var el = this.getTarget();

      if (!el) {
        /* istanbul ignore next */
        return;
      } // Listen for global show/hide events


      this.setRootListener(true); // Set up our listeners on the target trigger element

      this.computedTriggers.forEach(function (trigger) {
        if (trigger === 'click') {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(el, 'click', _this6.handleEvent, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
        } else if (trigger === 'focus') {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(el, 'focusin', _this6.handleEvent, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(el, 'focusout', _this6.handleEvent, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
        } else if (trigger === 'blur') {
          // Used to close $tip when element loses focus

          /* istanbul ignore next */
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(el, 'focusout', _this6.handleEvent, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
        } else if (trigger === 'hover') {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(el, 'mouseenter', _this6.handleEvent, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(el, 'mouseleave', _this6.handleEvent, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
        }
      }, this);
    },

    /* istanbul ignore next */
    unListen: function unListen() {
      var _this7 = this;

      // Remove trigger event handlers
      var events = ['click', 'focusin', 'focusout', 'mouseenter', 'mouseleave'];
      var target = this.getTarget(); // Stop listening for global show/hide/enable/disable events

      this.setRootListener(false); // Clear out any active target listeners

      events.forEach(function (event) {
        target &amp;&amp; (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(target, event, _this7.handleEvent, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
      }, this);
    },
    setRootListener: function setRootListener(on) {
      // Listen for global `bv::{hide|show}::{tooltip|popover}` hide request event
      var method = on ? 'listenOnRoot' : 'listenOffRoot';
      var type = this.templateType;
      this[method]((0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(type, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDE), this.doHide);
      this[method]((0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(type, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOW), this.doShow);
      this[method]((0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(type, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_DISABLE), this.doDisable);
      this[method]((0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(type, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_ENABLE), this.doEnable);
    },
    setWhileOpenListeners: function setWhileOpenListeners(on) {
      // Events that are only registered when the template is showing
      // Modal close events
      this.setModalListener(on); // Dropdown open events (if we are attached to a dropdown)

      this.setDropdownListener(on); // Periodic $element visibility check
      // For handling when tip target is in &lt;keepalive&gt;, tabs, carousel, etc

      this.visibleCheck(on); // On-touch start listeners

      this.setOnTouchStartListener(on);
    },
    // Handler for periodic visibility check
    visibleCheck: function visibleCheck(on) {
      var _this8 = this;

      this.clearVisibilityInterval();
      var target = this.getTarget();

      if (on) {
        this.$_visibleInterval = setInterval(function () {
          var tip = _this8.getTemplateElement();

          if (tip &amp;&amp; _this8.localShow &amp;&amp; (!target.parentNode || !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.isVisible)(target))) {
            // Target element is no longer visible or not in DOM, so force-hide the tooltip
            _this8.forceHide();
          }
        }, 100);
      }
    },
    setModalListener: function setModalListener(on) {
      // Handle case where tooltip/target is in a modal
      if (this.isInModal()) {
        // We can listen for modal hidden events on `$root`
        this[on ? 'listenOnRoot' : 'listenOffRoot'](ROOT_EVENT_NAME_MODAL_HIDDEN, this.forceHide);
      }
    },

    /* istanbul ignore next: JSDOM doesn't support `ontouchstart` */
    setOnTouchStartListener: function setOnTouchStartListener(on) {
      var _this9 = this;

      // If this is a touch-enabled device we add extra empty
      // `mouseover` listeners to the body's immediate children
      // Only needed because of broken event delegation on iOS
      // https://www.quirksmode.org/blog/archives/2014/02/mouse_event_bub.html
      if ('ontouchstart' in document.documentElement) {
        (0,_utils_array__WEBPACK_IMPORTED_MODULE_9__.from)(document.body.children).forEach(function (el) {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOnOff)(on, el, 'mouseover', _this9.$_noop);
        });
      }
    },
    setDropdownListener: function setDropdownListener(on) {
      var target = this.getTarget();

      if (!target || !this.bvEventRoot || !this.isDropdown) {
        return;
      } // We can listen for dropdown shown events on its instance
      // TODO:
      //   We could grab the ID from the dropdown, and listen for
      //   $root events for that particular dropdown id
      //   Dropdown shown and hidden events will need to emit
      //   Note: Dropdown auto-ID happens in a `$nextTick()` after mount
      //         So the ID lookup would need to be done in a `$nextTick()`


      var instance = (0,_utils_element_to_vue_instance_registry__WEBPACK_IMPORTED_MODULE_20__.getInstanceFromElement)(target);

      if (instance) {
        instance[on ? '$on' : '$off'](_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOWN, this.forceHide);
      }
    },
    // --- Event handlers ---
    handleEvent: function handleEvent(event) {
      // General trigger event handler
      // target is the trigger element
      var target = this.getTarget();

      if (!target || (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.isDisabled)(target) || !this.$_enabled || this.dropdownOpen()) {
        // If disabled or not enabled, or if a dropdown that is open, don't do anything
        // If tip is shown before element gets disabled, then tip will not
        // close until no longer disabled or forcefully closed
        return;
      }

      var type = event.type;
      var triggers = this.computedTriggers;

      if (type === 'click' &amp;&amp; (0,_utils_array__WEBPACK_IMPORTED_MODULE_9__.arrayIncludes)(triggers, 'click')) {
        this.click(event);
      } else if (type === 'mouseenter' &amp;&amp; (0,_utils_array__WEBPACK_IMPORTED_MODULE_9__.arrayIncludes)(triggers, 'hover')) {
        // `mouseenter` is a non-bubbling event
        this.enter(event);
      } else if (type === 'focusin' &amp;&amp; (0,_utils_array__WEBPACK_IMPORTED_MODULE_9__.arrayIncludes)(triggers, 'focus')) {
        // `focusin` is a bubbling event
        // `event` includes `relatedTarget` (element losing focus)
        this.enter(event);
      } else if (type === 'focusout' &amp;&amp; ((0,_utils_array__WEBPACK_IMPORTED_MODULE_9__.arrayIncludes)(triggers, 'focus') || (0,_utils_array__WEBPACK_IMPORTED_MODULE_9__.arrayIncludes)(triggers, 'blur')) || type === 'mouseleave' &amp;&amp; (0,_utils_array__WEBPACK_IMPORTED_MODULE_9__.arrayIncludes)(triggers, 'hover')) {
        // `focusout` is a bubbling event
        // `mouseleave` is a non-bubbling event
        // `tip` is the template (will be null if not open)
        var tip = this.getTemplateElement(); // `eventTarget` is the element which is losing focus/hover and

        var eventTarget = event.target; // `relatedTarget` is the element gaining focus/hover

        var relatedTarget = event.relatedTarget;
        /* istanbul ignore next */

        if ( // From tip to target
        tip &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.contains)(tip, eventTarget) &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.contains)(target, relatedTarget) || // From target to tip
        tip &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.contains)(target, eventTarget) &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.contains)(tip, relatedTarget) || // Within tip
        tip &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.contains)(tip, eventTarget) &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.contains)(tip, relatedTarget) || // Within target
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.contains)(target, eventTarget) &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.contains)(target, relatedTarget)) {
          // If focus/hover moves within `tip` and `target`, don't trigger a leave
          return;
        } // Otherwise trigger a leave


        this.leave(event);
      }
    },
    doHide: function doHide(id) {
      // Programmatically hide tooltip or popover
      if (!id || this.getTargetId() === id || this.computedId === id) {
        // Close all tooltips or popovers, or this specific tip (with ID)
        this.forceHide();
      }
    },
    doShow: function doShow(id) {
      // Programmatically show tooltip or popover
      if (!id || this.getTargetId() === id || this.computedId === id) {
        // Open all tooltips or popovers, or this specific tip (with ID)
        this.show();
      }
    },

    /*istanbul ignore next: ignore for now */
    doDisable: function doDisable(id)
    /*istanbul ignore next: ignore for now */
    {
      // Programmatically disable tooltip or popover
      if (!id || this.getTargetId() === id || this.computedId === id) {
        // Disable all tooltips or popovers (no ID), or this specific tip (with ID)
        this.disable();
      }
    },

    /*istanbul ignore next: ignore for now */
    doEnable: function doEnable(id)
    /*istanbul ignore next: ignore for now */
    {
      // Programmatically enable tooltip or popover
      if (!id || this.getTargetId() === id || this.computedId === id) {
        // Enable all tooltips or popovers (no ID), or this specific tip (with ID)
        this.enable();
      }
    },
    click: function click(event) {
      if (!this.$_enabled || this.dropdownOpen()) {
        /* istanbul ignore next */
        return;
      } // Get around a WebKit bug where `click` does not trigger focus events
      // On most browsers, `click` triggers a `focusin`/`focus` event first
      // Needed so that trigger 'click blur' works on iOS
      // https://github.com/bootstrap-vue/bootstrap-vue/issues/5099
      // We use `currentTarget` rather than `target` to trigger on the
      // element, not the inner content


      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_13__.attemptFocus)(event.currentTarget);
      this.activeTrigger.click = !this.activeTrigger.click;

      if (this.isWithActiveTrigger) {
        this.enter(null);
      } else {
        /* istanbul ignore next */
        this.leave(null);
      }
    },

    /* istanbul ignore next */
    toggle: function toggle() {
      // Manual toggle handler
      if (!this.$_enabled || this.dropdownOpen()) {
        /* istanbul ignore next */
        return;
      } // Should we register as an active trigger?
      // this.activeTrigger.manual = !this.activeTrigger.manual


      if (this.localShow) {
        this.leave(null);
      } else {
        this.enter(null);
      }
    },
    enter: function enter() {
      var _this10 = this;

      var event = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : null;

      // Opening trigger handler
      // Note: Click events are sent with event === null
      if (event) {
        this.activeTrigger[event.type === 'focusin' ? 'focus' : 'hover'] = true;
      }
      /* istanbul ignore next */


      if (this.localShow || this.$_hoverState === 'in') {
        this.$_hoverState = 'in';
        return;
      }

      this.clearHoverTimeout();
      this.$_hoverState = 'in';

      if (!this.computedDelay.show) {
        this.show();
      } else {
        // Hide any title attribute while enter delay is active
        this.fixTitle();
        this.$_hoverTimeout = setTimeout(function () {
          /* istanbul ignore else */
          if (_this10.$_hoverState === 'in') {
            _this10.show();
          } else if (!_this10.localShow) {
            _this10.restoreTitle();
          }
        }, this.computedDelay.show);
      }
    },
    leave: function leave() {
      var _this11 = this;

      var event = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : null;

      // Closing trigger handler
      // Note: Click events are sent with event === null
      if (event) {
        this.activeTrigger[event.type === 'focusout' ? 'focus' : 'hover'] = false;
        /* istanbul ignore next */

        if (event.type === 'focusout' &amp;&amp; (0,_utils_array__WEBPACK_IMPORTED_MODULE_9__.arrayIncludes)(this.computedTriggers, 'blur')) {
          // Special case for `blur`: we clear out the other triggers
          this.activeTrigger.click = false;
          this.activeTrigger.hover = false;
        }
      }
      /* istanbul ignore next: ignore for now */


      if (this.isWithActiveTrigger) {
        return;
      }

      this.clearHoverTimeout();
      this.$_hoverState = 'out';

      if (!this.computedDelay.hide) {
        this.hide();
      } else {
        this.$_hoverTimeout = setTimeout(function () {
          if (_this11.$_hoverState === 'out') {
            _this11.hide();
          }
        }, this.computedDelay.hide);
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/tooltip/index.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/tooltip/index.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTooltip: () =&gt; (/* reexport safe */ _tooltip__WEBPACK_IMPORTED_MODULE_1__.BTooltip),
/* harmony export */   TooltipPlugin: () =&gt; (/* binding */ TooltipPlugin)
/* harmony export */ });
/* harmony import */ var _tooltip__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./tooltip */ "./node_modules/bootstrap-vue/esm/components/tooltip/tooltip.js");
/* harmony import */ var _directives_tooltip__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../directives/tooltip */ "./node_modules/bootstrap-vue/esm/directives/tooltip/index.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");



var TooltipPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  components: {
    BTooltip: _tooltip__WEBPACK_IMPORTED_MODULE_1__.BTooltip
  },
  plugins: {
    VBTooltipPlugin: _directives_tooltip__WEBPACK_IMPORTED_MODULE_2__.VBTooltipPlugin
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/tooltip/tooltip.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/tooltip/tooltip.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BTooltip: () =&gt; (/* binding */ BTooltip),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_safe_types__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/safe-types */ "./node_modules/bootstrap-vue/esm/constants/safe-types.js");
/* harmony import */ var _mixins_use_parent__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../mixins/use-parent */ "./node_modules/bootstrap-vue/esm/mixins/use-parent.js");
/* harmony import */ var _utils_get_scope_id__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/get-scope-id */ "./node_modules/bootstrap-vue/esm/utils/get-scope-id.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/create-new-child-component */ "./node_modules/bootstrap-vue/esm/utils/create-new-child-component.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _helpers_bv_tooltip__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./helpers/bv-tooltip */ "./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-tooltip.js");
var _makePropsConfigurabl, _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }













 // --- Constants ---

var MODEL_PROP_NAME_ENABLED = 'disabled';
var MODEL_EVENT_NAME_ENABLED = _constants_events__WEBPACK_IMPORTED_MODULE_0__.MODEL_EVENT_NAME_PREFIX + MODEL_PROP_NAME_ENABLED;
var MODEL_PROP_NAME_SHOW = 'show';
var MODEL_EVENT_NAME_SHOW = _constants_events__WEBPACK_IMPORTED_MODULE_0__.MODEL_EVENT_NAME_PREFIX + MODEL_PROP_NAME_SHOW; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makePropsConfigurable)((_makePropsConfigurabl = {
  // String: scrollParent, window, or viewport
  // Element: element reference
  // Object: Vue component
  boundary: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)([_constants_safe_types__WEBPACK_IMPORTED_MODULE_2__.HTMLElement, _constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_OBJECT, _constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING], 'scrollParent'),
  boundaryPadding: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_NUMBER_STRING, 50),
  // String: HTML ID of container, if null body is used (default)
  // HTMLElement: element reference reference
  // Object: Vue Component
  container: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)([_constants_safe_types__WEBPACK_IMPORTED_MODULE_2__.HTMLElement, _constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_OBJECT, _constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING]),
  customClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING),
  delay: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_NUMBER_OBJECT_STRING, 50)
}, _defineProperty(_makePropsConfigurabl, MODEL_PROP_NAME_ENABLED, (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_makePropsConfigurabl, "fallbackPlacement", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_STRING, 'flip')), _defineProperty(_makePropsConfigurabl, "id", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING)), _defineProperty(_makePropsConfigurabl, "noFade", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_makePropsConfigurabl, "noninteractive", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_makePropsConfigurabl, "offset", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_NUMBER_STRING, 0)), _defineProperty(_makePropsConfigurabl, "placement", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'top')), _defineProperty(_makePropsConfigurabl, MODEL_PROP_NAME_SHOW, (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false)), _defineProperty(_makePropsConfigurabl, "target", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)([_constants_safe_types__WEBPACK_IMPORTED_MODULE_2__.HTMLElement, _constants_safe_types__WEBPACK_IMPORTED_MODULE_2__.SVGElement, _constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_FUNCTION, _constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_OBJECT, _constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING], undefined, true)), _defineProperty(_makePropsConfigurabl, "title", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING)), _defineProperty(_makePropsConfigurabl, "triggers", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_STRING, 'hover focus')), _defineProperty(_makePropsConfigurabl, "variant", (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING)), _makePropsConfigurabl), _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_TOOLTIP); // --- Main component ---
// @vue/component

var BTooltip = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_4__.NAME_TOOLTIP,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_6__.normalizeSlotMixin, _mixins_use_parent__WEBPACK_IMPORTED_MODULE_7__.useParentMixin],
  inheritAttrs: false,
  props: props,
  data: function data() {
    return {
      localShow: this[MODEL_PROP_NAME_SHOW],
      localTitle: '',
      localContent: ''
    };
  },
  computed: {
    // Data that will be passed to the template and popper
    templateData: function templateData() {
      return _objectSpread({
        title: this.localTitle,
        content: this.localContent,
        interactive: !this.noninteractive
      }, (0,_utils_object__WEBPACK_IMPORTED_MODULE_8__.pick)(this.$props, ['boundary', 'boundaryPadding', 'container', 'customClass', 'delay', 'fallbackPlacement', 'id', 'noFade', 'offset', 'placement', 'target', 'target', 'triggers', 'variant', MODEL_PROP_NAME_ENABLED]));
    },
    // Used to watch for changes to the title and content props
    templateTitleContent: function templateTitleContent() {
      var title = this.title,
          content = this.content;
      return {
        title: title,
        content: content
      };
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME_SHOW, function (newValue, oldValue) {
    if (newValue !== oldValue &amp;&amp; newValue !== this.localShow &amp;&amp; this.$_toolpop) {
      if (newValue) {
        this.$_toolpop.show();
      } else {
        // We use `forceHide()` to override any active triggers
        this.$_toolpop.forceHide();
      }
    }
  }), _defineProperty(_watch, MODEL_PROP_NAME_ENABLED, function (newValue) {
    if (newValue) {
      this.doDisable();
    } else {
      this.doEnable();
    }
  }), _defineProperty(_watch, "localShow", function localShow(newValue) {
    // TODO: May need to be done in a `$nextTick()`
    this.$emit(MODEL_EVENT_NAME_SHOW, newValue);
  }), _defineProperty(_watch, "templateData", function templateData() {
    var _this = this;

    this.$nextTick(function () {
      if (_this.$_toolpop) {
        _this.$_toolpop.updateData(_this.templateData);
      }
    });
  }), _defineProperty(_watch, "templateTitleContent", function templateTitleContent() {
    this.$nextTick(this.updateContent);
  }), _watch),
  created: function created() {
    // Create private non-reactive props
    this.$_toolpop = null;
  },
  updated: function updated() {
    // Update the `propData` object
    // Done in a `$nextTick()` to ensure slot(s) have updated
    this.$nextTick(this.updateContent);
  },
  beforeDestroy: function beforeDestroy() {
    // Shutdown our local event listeners
    this.$off(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_OPEN, this.doOpen);
    this.$off(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_CLOSE, this.doClose);
    this.$off(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_DISABLE, this.doDisable);
    this.$off(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_ENABLE, this.doEnable); // Destroy the tip instance

    if (this.$_toolpop) {
      this.$_toolpop.$destroy();
      this.$_toolpop = null;
    }
  },
  mounted: function mounted() {
    var _this2 = this;

    // Instantiate a new BVTooltip instance
    // Done in a `$nextTick()` to ensure DOM has completed rendering
    // so that target can be found
    this.$nextTick(function () {
      // Load the on demand child instance
      var Component = _this2.getComponent(); // Ensure we have initial content


      _this2.updateContent(); // Pass down the scoped style attribute if available


      var scopeId = (0,_utils_get_scope_id__WEBPACK_IMPORTED_MODULE_9__.getScopeId)(_this2) || (0,_utils_get_scope_id__WEBPACK_IMPORTED_MODULE_9__.getScopeId)(_this2.bvParent); // Create the instance

      var $toolpop = _this2.$_toolpop = (0,_utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_10__.createNewChildComponent)(_this2, Component, {
        // Pass down the scoped style ID
        _scopeId: scopeId || undefined
      }); // Set the initial data

      $toolpop.updateData(_this2.templateData); // Set listeners

      $toolpop.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_SHOW, _this2.onShow);
      $toolpop.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_SHOWN, _this2.onShown);
      $toolpop.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_HIDE, _this2.onHide);
      $toolpop.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_HIDDEN, _this2.onHidden);
      $toolpop.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_DISABLED, _this2.onDisabled);
      $toolpop.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_ENABLED, _this2.onEnabled); // Initially disabled?

      if (_this2[MODEL_PROP_NAME_ENABLED]) {
        // Initially disabled
        _this2.doDisable();
      } // Listen to open signals from others


      _this2.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_OPEN, _this2.doOpen); // Listen to close signals from others


      _this2.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_CLOSE, _this2.doClose); // Listen to disable signals from others


      _this2.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_DISABLE, _this2.doDisable); // Listen to enable signals from others


      _this2.$on(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_ENABLE, _this2.doEnable); // Initially show tooltip?


      if (_this2.localShow) {
        $toolpop.show();
      }
    });
  },
  methods: {
    getComponent: function getComponent() {
      // Overridden by BPopover
      return _helpers_bv_tooltip__WEBPACK_IMPORTED_MODULE_11__.BVTooltip;
    },
    updateContent: function updateContent() {
      // Overridden by BPopover
      // Tooltip: Default slot is `title`
      // Popover: Default slot is `content`, `title` slot is title
      // We pass a scoped slot function reference by default (Vue v2.6x)
      // And pass the title prop as a fallback
      this.setTitle(this.normalizeSlot() || this.title);
    },
    // Helper methods for `updateContent()`
    setTitle: function setTitle(value) {
      value = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_12__.isUndefinedOrNull)(value) ? '' : value; // We only update the value if it has changed

      if (this.localTitle !== value) {
        this.localTitle = value;
      }
    },
    setContent: function setContent(value) {
      value = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_12__.isUndefinedOrNull)(value) ? '' : value; // We only update the value if it has changed

      if (this.localContent !== value) {
        this.localContent = value;
      }
    },
    // --- Template event handlers ---
    onShow: function onShow(bvEvent) {
      // Placeholder
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_SHOW, bvEvent);

      if (bvEvent) {
        this.localShow = !bvEvent.defaultPrevented;
      }
    },
    onShown: function onShown(bvEvent) {
      // Tip is now showing
      this.localShow = true;
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_SHOWN, bvEvent);
    },
    onHide: function onHide(bvEvent) {
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_HIDE, bvEvent);
    },
    onHidden: function onHidden(bvEvent) {
      // Tip is no longer showing
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_HIDDEN, bvEvent);
      this.localShow = false;
    },
    onDisabled: function onDisabled(bvEvent) {
      // Prevent possible endless loop if user mistakenly
      // fires `disabled` instead of `disable`
      if (bvEvent &amp;&amp; bvEvent.type === _constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_DISABLED) {
        this.$emit(MODEL_EVENT_NAME_ENABLED, true);
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_DISABLED, bvEvent);
      }
    },
    onEnabled: function onEnabled(bvEvent) {
      // Prevent possible endless loop if user mistakenly
      // fires `enabled` instead of `enable`
      if (bvEvent &amp;&amp; bvEvent.type === _constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_ENABLED) {
        this.$emit(MODEL_EVENT_NAME_ENABLED, false);
        this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_0__.EVENT_NAME_ENABLED, bvEvent);
      }
    },
    // --- Local event listeners ---
    doOpen: function doOpen() {
      !this.localShow &amp;&amp; this.$_toolpop &amp;&amp; this.$_toolpop.show();
    },
    doClose: function doClose() {
      this.localShow &amp;&amp; this.$_toolpop &amp;&amp; this.$_toolpop.hide();
    },
    doDisable: function doDisable() {
      this.$_toolpop &amp;&amp; this.$_toolpop.disable();
    },
    doEnable: function doEnable() {
      this.$_toolpop &amp;&amp; this.$_toolpop.enable();
    }
  },
  render: function render(h) {
    // Always renders a comment node
    // TODO:
    //   Future: Possibly render a target slot (single root element)
    //   which we can apply the listeners to (pass `this.$el` to BVTooltip)
    return h();
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/transition/bv-transition.js":
/*!*******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/transition/bv-transition.js ***!
  \*******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVTransition: () =&gt; (/* binding */ BVTransition),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

// Generic Bootstrap v4 fade (no-fade) transition component
//
// Assumes that `show` class is not required when
// the transition has finished the enter transition
// (show and fade classes are only applied during transition)




 // --- Constants ---

var NO_FADE_PROPS = {
  name: '',
  enterClass: '',
  enterActiveClass: '',
  enterToClass: 'show',
  leaveClass: 'show',
  leaveActiveClass: '',
  leaveToClass: ''
};

var FADE_PROPS = _objectSpread(_objectSpread({}, NO_FADE_PROPS), {}, {
  enterActiveClass: 'fade',
  leaveActiveClass: 'fade'
}); // --- Props ---


var props = {
  // Has no effect if `trans-props` provided
  appear: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // Can be overridden by user supplied `trans-props`
  mode: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // Only applicable to the built in transition
  // Has no effect if `trans-props` provided
  noFade: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  // For user supplied transitions (if needed)
  transProps: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_OBJECT)
}; // --- Main component ---
// @vue/component

var BVTransition = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_TRANSITION,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var children = _ref.children,
        data = _ref.data,
        props = _ref.props;
    var transProps = props.transProps;

    if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_4__.isPlainObject)(transProps)) {
      transProps = props.noFade ? NO_FADE_PROPS : FADE_PROPS;

      if (props.appear) {
        // Default the appear classes to equal the enter classes
        transProps = _objectSpread(_objectSpread({}, transProps), {}, {
          appear: true,
          appearClass: transProps.enterClass,
          appearActiveClass: transProps.enterActiveClass,
          appearToClass: transProps.enterToClass
        });
      }
    }

    transProps = _objectSpread(_objectSpread({
      mode: props.mode
    }, transProps), {}, {
      // We always need `css` true
      css: true
    });

    var dataCopy = _objectSpread({}, data);

    delete dataCopy.props;
    return h('transition', // Any transition event listeners will get merged here
    (0,_vue__WEBPACK_IMPORTED_MODULE_5__.mergeData)(dataCopy, {
      props: transProps
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/components/transporter/transporter.js":
/*!******************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/components/transporter/transporter.js ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVTransporter: () =&gt; (/* binding */ BVTransporter),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue/dist/vue.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_safe_types__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/safe-types */ "./node_modules/bootstrap-vue/esm/constants/safe-types.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/create-new-child-component */ "./node_modules/bootstrap-vue/esm/utils/create-new-child-component.js");











 // --- Helper components ---
// BVTransporter/BVTransporterTarget:
//
// Single root node portaling of content, which retains parent/child hierarchy
// Unlike Portal-Vue where portaled content is no longer a descendent of its
// intended parent components
//
// Private components for use by Tooltips, Popovers and Modals
//
// Based on vue-simple-portal
// https://github.com/LinusBorg/vue-simple-portal
// Transporter target used by BVTransporter
// Supports only a single root element
// @vue/component

var BVTransporterTarget = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  // As an abstract component, it doesn't appear in the $parent chain of
  // components, which means the next parent of any component rendered inside
  // of this one will be the parent from which is was portal'd
  abstract: true,
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TRANSPORTER_TARGET,
  props: {
    // Even though we only support a single root element,
    // VNodes are always passed as an array
    nodes: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_ARRAY_FUNCTION)
  },
  data: function data(vm) {
    return {
      updatedNodes: vm.nodes
    };
  },
  destroyed: function destroyed() {
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_4__.removeNode)(this.$el);
  },
  render: function render(h) {
    var updatedNodes = this.updatedNodes;
    var $nodes = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isFunction)(updatedNodes) ? updatedNodes({}) : updatedNodes;
    $nodes = (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.concat)($nodes).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity);

    if ($nodes &amp;&amp; $nodes.length &gt; 0 &amp;&amp; !$nodes[0].text) {
      return $nodes[0];
    }
    /* istanbul ignore next */


    return h();
  }
}); // --- Props ---

var props = {
  // String: CSS selector,
  // HTMLElement: Element reference
  // Mainly needed for tooltips/popovers inside modals
  container: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)([_constants_safe_types__WEBPACK_IMPORTED_MODULE_8__.HTMLElement, _constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING], 'body'),
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_BOOLEAN, false),
  // This should be set to match the root element type
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_3__.PROP_TYPE_STRING, 'div')
}; // --- Main component ---
// @vue/component

var BVTransporterVue2 = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TRANSPORTER,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_9__.normalizeSlotMixin],
  props: props,
  watch: {
    disabled: {
      immediate: true,
      handler: function handler(disabled) {
        disabled ? this.unmountTarget() : this.$nextTick(this.mountTarget);
      }
    }
  },
  created: function created() {
    // Create private non-reactive props
    this.$_defaultFn = null;
    this.$_target = null;
  },
  beforeMount: function beforeMount() {
    this.mountTarget();
  },
  updated: function updated() {
    // We need to make sure that all children have completed updating
    // before rendering in the target
    // `vue-simple-portal` has the this in a `$nextTick()`,
    // while `portal-vue` doesn't
    // Just trying to see if the `$nextTick()` delay is required or not
    // Since all slots in Vue 2.6.x are always functions
    this.updateTarget();
  },
  beforeDestroy: function beforeDestroy() {
    this.unmountTarget();
    this.$_defaultFn = null;
  },
  methods: {
    // Get the element which the target should be appended to
    getContainer: function getContainer() {
      /* istanbul ignore else */
      if (_constants_env__WEBPACK_IMPORTED_MODULE_10__.IS_BROWSER) {
        var container = this.container;
        return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isString)(container) ? (0,_utils_dom__WEBPACK_IMPORTED_MODULE_4__.select)(container) : container;
      } else {
        return null;
      }
    },
    // Mount the target
    mountTarget: function mountTarget() {
      if (!this.$_target) {
        var $container = this.getContainer();

        if ($container) {
          var $el = document.createElement('div');
          $container.appendChild($el);
          this.$_target = (0,_utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_11__.createNewChildComponent)(this, BVTransporterTarget, {
            el: $el,
            propsData: {
              // Initial nodes to be rendered
              nodes: (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.concat)(this.normalizeSlot())
            }
          });
        }
      }
    },
    // Update the content of the target
    updateTarget: function updateTarget() {
      if (_constants_env__WEBPACK_IMPORTED_MODULE_10__.IS_BROWSER &amp;&amp; this.$_target) {
        var defaultFn = this.$scopedSlots.default;

        if (!this.disabled) {
          /* istanbul ignore else: only applicable in Vue 2.5.x */
          if (defaultFn &amp;&amp; this.$_defaultFn !== defaultFn) {
            // We only update the target component if the scoped slot
            // function is a fresh one. The new slot syntax (since Vue 2.6)
            // can cache unchanged slot functions and we want to respect that here
            this.$_target.updatedNodes = defaultFn;
          } else if (!defaultFn) {
            // We also need to be back compatible with non-scoped default slot (i.e. 2.5.x)
            this.$_target.updatedNodes = this.$slots.default;
          }
        } // Update the scoped slot function cache


        this.$_defaultFn = defaultFn;
      }
    },
    // Unmount the target
    unmountTarget: function unmountTarget() {
      this.$_target &amp;&amp; this.$_target.$destroy();
      this.$_target = null;
    }
  },
  render: function render(h) {
    // This component has no root element, so only a single VNode is allowed
    if (this.disabled) {
      var $nodes = (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.concat)(this.normalizeSlot()).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity);

      if ($nodes.length &gt; 0 &amp;&amp; !$nodes[0].text) {
        return $nodes[0];
      }
    }

    return h();
  }
});
var BVTransporterVue3 = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TRANSPORTER,
  mixins: [_mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_9__.normalizeSlotMixin],
  props: props,
  render: function render(h) {
    if (this.disabled) {
      var $nodes = (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.concat)(this.normalizeSlot()).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity);

      if ($nodes.length &gt; 0) {
        return $nodes[0];
      }
    }

    return h(_vue__WEBPACK_IMPORTED_MODULE_12__["default"].Teleport, {
      to: this.container
    }, this.normalizeSlot());
  }
});
var BVTransporter = _vue__WEBPACK_IMPORTED_MODULE_0__.isVue3 ? BVTransporterVue3 : BVTransporterVue2;

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/classes.js":
/*!*************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/classes.js ***!
  \*************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   CLASS_NAME_FADE: () =&gt; (/* binding */ CLASS_NAME_FADE),
/* harmony export */   CLASS_NAME_SHOW: () =&gt; (/* binding */ CLASS_NAME_SHOW)
/* harmony export */ });
var CLASS_NAME_SHOW = 'show';
var CLASS_NAME_FADE = 'fade';

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/components.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/components.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   NAME_ALERT: () =&gt; (/* binding */ NAME_ALERT),
/* harmony export */   NAME_ASPECT: () =&gt; (/* binding */ NAME_ASPECT),
/* harmony export */   NAME_AVATAR: () =&gt; (/* binding */ NAME_AVATAR),
/* harmony export */   NAME_AVATAR_GROUP: () =&gt; (/* binding */ NAME_AVATAR_GROUP),
/* harmony export */   NAME_BADGE: () =&gt; (/* binding */ NAME_BADGE),
/* harmony export */   NAME_BREADCRUMB: () =&gt; (/* binding */ NAME_BREADCRUMB),
/* harmony export */   NAME_BREADCRUMB_ITEM: () =&gt; (/* binding */ NAME_BREADCRUMB_ITEM),
/* harmony export */   NAME_BREADCRUMB_LINK: () =&gt; (/* binding */ NAME_BREADCRUMB_LINK),
/* harmony export */   NAME_BUTTON: () =&gt; (/* binding */ NAME_BUTTON),
/* harmony export */   NAME_BUTTON_CLOSE: () =&gt; (/* binding */ NAME_BUTTON_CLOSE),
/* harmony export */   NAME_BUTTON_GROUP: () =&gt; (/* binding */ NAME_BUTTON_GROUP),
/* harmony export */   NAME_BUTTON_TOOLBAR: () =&gt; (/* binding */ NAME_BUTTON_TOOLBAR),
/* harmony export */   NAME_CALENDAR: () =&gt; (/* binding */ NAME_CALENDAR),
/* harmony export */   NAME_CARD: () =&gt; (/* binding */ NAME_CARD),
/* harmony export */   NAME_CARD_BODY: () =&gt; (/* binding */ NAME_CARD_BODY),
/* harmony export */   NAME_CARD_FOOTER: () =&gt; (/* binding */ NAME_CARD_FOOTER),
/* harmony export */   NAME_CARD_GROUP: () =&gt; (/* binding */ NAME_CARD_GROUP),
/* harmony export */   NAME_CARD_HEADER: () =&gt; (/* binding */ NAME_CARD_HEADER),
/* harmony export */   NAME_CARD_IMG: () =&gt; (/* binding */ NAME_CARD_IMG),
/* harmony export */   NAME_CARD_IMG_LAZY: () =&gt; (/* binding */ NAME_CARD_IMG_LAZY),
/* harmony export */   NAME_CARD_SUB_TITLE: () =&gt; (/* binding */ NAME_CARD_SUB_TITLE),
/* harmony export */   NAME_CARD_TEXT: () =&gt; (/* binding */ NAME_CARD_TEXT),
/* harmony export */   NAME_CARD_TITLE: () =&gt; (/* binding */ NAME_CARD_TITLE),
/* harmony export */   NAME_CAROUSEL: () =&gt; (/* binding */ NAME_CAROUSEL),
/* harmony export */   NAME_CAROUSEL_SLIDE: () =&gt; (/* binding */ NAME_CAROUSEL_SLIDE),
/* harmony export */   NAME_COL: () =&gt; (/* binding */ NAME_COL),
/* harmony export */   NAME_COLLAPSE: () =&gt; (/* binding */ NAME_COLLAPSE),
/* harmony export */   NAME_COLLAPSE_HELPER: () =&gt; (/* binding */ NAME_COLLAPSE_HELPER),
/* harmony export */   NAME_CONTAINER: () =&gt; (/* binding */ NAME_CONTAINER),
/* harmony export */   NAME_DROPDOWN: () =&gt; (/* binding */ NAME_DROPDOWN),
/* harmony export */   NAME_DROPDOWN_DIVIDER: () =&gt; (/* binding */ NAME_DROPDOWN_DIVIDER),
/* harmony export */   NAME_DROPDOWN_FORM: () =&gt; (/* binding */ NAME_DROPDOWN_FORM),
/* harmony export */   NAME_DROPDOWN_GROUP: () =&gt; (/* binding */ NAME_DROPDOWN_GROUP),
/* harmony export */   NAME_DROPDOWN_HEADER: () =&gt; (/* binding */ NAME_DROPDOWN_HEADER),
/* harmony export */   NAME_DROPDOWN_ITEM: () =&gt; (/* binding */ NAME_DROPDOWN_ITEM),
/* harmony export */   NAME_DROPDOWN_ITEM_BUTTON: () =&gt; (/* binding */ NAME_DROPDOWN_ITEM_BUTTON),
/* harmony export */   NAME_DROPDOWN_TEXT: () =&gt; (/* binding */ NAME_DROPDOWN_TEXT),
/* harmony export */   NAME_EMBED: () =&gt; (/* binding */ NAME_EMBED),
/* harmony export */   NAME_FORM: () =&gt; (/* binding */ NAME_FORM),
/* harmony export */   NAME_FORM_BUTTON_LABEL_CONTROL: () =&gt; (/* binding */ NAME_FORM_BUTTON_LABEL_CONTROL),
/* harmony export */   NAME_FORM_CHECKBOX: () =&gt; (/* binding */ NAME_FORM_CHECKBOX),
/* harmony export */   NAME_FORM_CHECKBOX_GROUP: () =&gt; (/* binding */ NAME_FORM_CHECKBOX_GROUP),
/* harmony export */   NAME_FORM_DATALIST: () =&gt; (/* binding */ NAME_FORM_DATALIST),
/* harmony export */   NAME_FORM_DATEPICKER: () =&gt; (/* binding */ NAME_FORM_DATEPICKER),
/* harmony export */   NAME_FORM_FILE: () =&gt; (/* binding */ NAME_FORM_FILE),
/* harmony export */   NAME_FORM_GROUP: () =&gt; (/* binding */ NAME_FORM_GROUP),
/* harmony export */   NAME_FORM_INPUT: () =&gt; (/* binding */ NAME_FORM_INPUT),
/* harmony export */   NAME_FORM_INVALID_FEEDBACK: () =&gt; (/* binding */ NAME_FORM_INVALID_FEEDBACK),
/* harmony export */   NAME_FORM_RADIO: () =&gt; (/* binding */ NAME_FORM_RADIO),
/* harmony export */   NAME_FORM_RADIO_GROUP: () =&gt; (/* binding */ NAME_FORM_RADIO_GROUP),
/* harmony export */   NAME_FORM_RATING: () =&gt; (/* binding */ NAME_FORM_RATING),
/* harmony export */   NAME_FORM_RATING_STAR: () =&gt; (/* binding */ NAME_FORM_RATING_STAR),
/* harmony export */   NAME_FORM_ROW: () =&gt; (/* binding */ NAME_FORM_ROW),
/* harmony export */   NAME_FORM_SELECT: () =&gt; (/* binding */ NAME_FORM_SELECT),
/* harmony export */   NAME_FORM_SELECT_OPTION: () =&gt; (/* binding */ NAME_FORM_SELECT_OPTION),
/* harmony export */   NAME_FORM_SELECT_OPTION_GROUP: () =&gt; (/* binding */ NAME_FORM_SELECT_OPTION_GROUP),
/* harmony export */   NAME_FORM_SPINBUTTON: () =&gt; (/* binding */ NAME_FORM_SPINBUTTON),
/* harmony export */   NAME_FORM_TAG: () =&gt; (/* binding */ NAME_FORM_TAG),
/* harmony export */   NAME_FORM_TAGS: () =&gt; (/* binding */ NAME_FORM_TAGS),
/* harmony export */   NAME_FORM_TEXT: () =&gt; (/* binding */ NAME_FORM_TEXT),
/* harmony export */   NAME_FORM_TEXTAREA: () =&gt; (/* binding */ NAME_FORM_TEXTAREA),
/* harmony export */   NAME_FORM_TIMEPICKER: () =&gt; (/* binding */ NAME_FORM_TIMEPICKER),
/* harmony export */   NAME_FORM_VALID_FEEDBACK: () =&gt; (/* binding */ NAME_FORM_VALID_FEEDBACK),
/* harmony export */   NAME_ICON: () =&gt; (/* binding */ NAME_ICON),
/* harmony export */   NAME_ICONSTACK: () =&gt; (/* binding */ NAME_ICONSTACK),
/* harmony export */   NAME_ICON_BASE: () =&gt; (/* binding */ NAME_ICON_BASE),
/* harmony export */   NAME_IMG: () =&gt; (/* binding */ NAME_IMG),
/* harmony export */   NAME_IMG_LAZY: () =&gt; (/* binding */ NAME_IMG_LAZY),
/* harmony export */   NAME_INPUT_GROUP: () =&gt; (/* binding */ NAME_INPUT_GROUP),
/* harmony export */   NAME_INPUT_GROUP_ADDON: () =&gt; (/* binding */ NAME_INPUT_GROUP_ADDON),
/* harmony export */   NAME_INPUT_GROUP_APPEND: () =&gt; (/* binding */ NAME_INPUT_GROUP_APPEND),
/* harmony export */   NAME_INPUT_GROUP_PREPEND: () =&gt; (/* binding */ NAME_INPUT_GROUP_PREPEND),
/* harmony export */   NAME_INPUT_GROUP_TEXT: () =&gt; (/* binding */ NAME_INPUT_GROUP_TEXT),
/* harmony export */   NAME_JUMBOTRON: () =&gt; (/* binding */ NAME_JUMBOTRON),
/* harmony export */   NAME_LINK: () =&gt; (/* binding */ NAME_LINK),
/* harmony export */   NAME_LIST_GROUP: () =&gt; (/* binding */ NAME_LIST_GROUP),
/* harmony export */   NAME_LIST_GROUP_ITEM: () =&gt; (/* binding */ NAME_LIST_GROUP_ITEM),
/* harmony export */   NAME_MEDIA: () =&gt; (/* binding */ NAME_MEDIA),
/* harmony export */   NAME_MEDIA_ASIDE: () =&gt; (/* binding */ NAME_MEDIA_ASIDE),
/* harmony export */   NAME_MEDIA_BODY: () =&gt; (/* binding */ NAME_MEDIA_BODY),
/* harmony export */   NAME_MODAL: () =&gt; (/* binding */ NAME_MODAL),
/* harmony export */   NAME_MSG_BOX: () =&gt; (/* binding */ NAME_MSG_BOX),
/* harmony export */   NAME_NAV: () =&gt; (/* binding */ NAME_NAV),
/* harmony export */   NAME_NAVBAR: () =&gt; (/* binding */ NAME_NAVBAR),
/* harmony export */   NAME_NAVBAR_BRAND: () =&gt; (/* binding */ NAME_NAVBAR_BRAND),
/* harmony export */   NAME_NAVBAR_NAV: () =&gt; (/* binding */ NAME_NAVBAR_NAV),
/* harmony export */   NAME_NAVBAR_TOGGLE: () =&gt; (/* binding */ NAME_NAVBAR_TOGGLE),
/* harmony export */   NAME_NAV_FORM: () =&gt; (/* binding */ NAME_NAV_FORM),
/* harmony export */   NAME_NAV_ITEM: () =&gt; (/* binding */ NAME_NAV_ITEM),
/* harmony export */   NAME_NAV_ITEM_DROPDOWN: () =&gt; (/* binding */ NAME_NAV_ITEM_DROPDOWN),
/* harmony export */   NAME_NAV_TEXT: () =&gt; (/* binding */ NAME_NAV_TEXT),
/* harmony export */   NAME_OVERLAY: () =&gt; (/* binding */ NAME_OVERLAY),
/* harmony export */   NAME_PAGINATION: () =&gt; (/* binding */ NAME_PAGINATION),
/* harmony export */   NAME_PAGINATION_NAV: () =&gt; (/* binding */ NAME_PAGINATION_NAV),
/* harmony export */   NAME_POPOVER: () =&gt; (/* binding */ NAME_POPOVER),
/* harmony export */   NAME_POPOVER_HELPER: () =&gt; (/* binding */ NAME_POPOVER_HELPER),
/* harmony export */   NAME_POPOVER_TEMPLATE: () =&gt; (/* binding */ NAME_POPOVER_TEMPLATE),
/* harmony export */   NAME_POPPER: () =&gt; (/* binding */ NAME_POPPER),
/* harmony export */   NAME_PROGRESS: () =&gt; (/* binding */ NAME_PROGRESS),
/* harmony export */   NAME_PROGRESS_BAR: () =&gt; (/* binding */ NAME_PROGRESS_BAR),
/* harmony export */   NAME_ROW: () =&gt; (/* binding */ NAME_ROW),
/* harmony export */   NAME_SIDEBAR: () =&gt; (/* binding */ NAME_SIDEBAR),
/* harmony export */   NAME_SKELETON: () =&gt; (/* binding */ NAME_SKELETON),
/* harmony export */   NAME_SKELETON_ICON: () =&gt; (/* binding */ NAME_SKELETON_ICON),
/* harmony export */   NAME_SKELETON_IMG: () =&gt; (/* binding */ NAME_SKELETON_IMG),
/* harmony export */   NAME_SKELETON_TABLE: () =&gt; (/* binding */ NAME_SKELETON_TABLE),
/* harmony export */   NAME_SKELETON_WRAPPER: () =&gt; (/* binding */ NAME_SKELETON_WRAPPER),
/* harmony export */   NAME_SPINNER: () =&gt; (/* binding */ NAME_SPINNER),
/* harmony export */   NAME_TAB: () =&gt; (/* binding */ NAME_TAB),
/* harmony export */   NAME_TABLE: () =&gt; (/* binding */ NAME_TABLE),
/* harmony export */   NAME_TABLE_CELL: () =&gt; (/* binding */ NAME_TABLE_CELL),
/* harmony export */   NAME_TABLE_LITE: () =&gt; (/* binding */ NAME_TABLE_LITE),
/* harmony export */   NAME_TABLE_SIMPLE: () =&gt; (/* binding */ NAME_TABLE_SIMPLE),
/* harmony export */   NAME_TABS: () =&gt; (/* binding */ NAME_TABS),
/* harmony export */   NAME_TAB_BUTTON_HELPER: () =&gt; (/* binding */ NAME_TAB_BUTTON_HELPER),
/* harmony export */   NAME_TBODY: () =&gt; (/* binding */ NAME_TBODY),
/* harmony export */   NAME_TFOOT: () =&gt; (/* binding */ NAME_TFOOT),
/* harmony export */   NAME_TH: () =&gt; (/* binding */ NAME_TH),
/* harmony export */   NAME_THEAD: () =&gt; (/* binding */ NAME_THEAD),
/* harmony export */   NAME_TIME: () =&gt; (/* binding */ NAME_TIME),
/* harmony export */   NAME_TOAST: () =&gt; (/* binding */ NAME_TOAST),
/* harmony export */   NAME_TOASTER: () =&gt; (/* binding */ NAME_TOASTER),
/* harmony export */   NAME_TOAST_POP: () =&gt; (/* binding */ NAME_TOAST_POP),
/* harmony export */   NAME_TOOLTIP: () =&gt; (/* binding */ NAME_TOOLTIP),
/* harmony export */   NAME_TOOLTIP_HELPER: () =&gt; (/* binding */ NAME_TOOLTIP_HELPER),
/* harmony export */   NAME_TOOLTIP_TEMPLATE: () =&gt; (/* binding */ NAME_TOOLTIP_TEMPLATE),
/* harmony export */   NAME_TR: () =&gt; (/* binding */ NAME_TR),
/* harmony export */   NAME_TRANSITION: () =&gt; (/* binding */ NAME_TRANSITION),
/* harmony export */   NAME_TRANSPORTER: () =&gt; (/* binding */ NAME_TRANSPORTER),
/* harmony export */   NAME_TRANSPORTER_TARGET: () =&gt; (/* binding */ NAME_TRANSPORTER_TARGET)
/* harmony export */ });
// Component names
var NAME_ALERT = 'BAlert';
var NAME_ASPECT = 'BAspect';
var NAME_AVATAR = 'BAvatar';
var NAME_AVATAR_GROUP = 'BAvatarGroup';
var NAME_BADGE = 'BBadge';
var NAME_BREADCRUMB = 'BBreadcrumb';
var NAME_BREADCRUMB_ITEM = 'BBreadcrumbItem';
var NAME_BREADCRUMB_LINK = 'BBreadcrumbLink';
var NAME_BUTTON = 'BButton';
var NAME_BUTTON_CLOSE = 'BButtonClose';
var NAME_BUTTON_GROUP = 'BButtonGroup';
var NAME_BUTTON_TOOLBAR = 'BButtonToolbar';
var NAME_CALENDAR = 'BCalendar';
var NAME_CARD = 'BCard';
var NAME_CARD_BODY = 'BCardBody';
var NAME_CARD_FOOTER = 'BCardFooter';
var NAME_CARD_GROUP = 'BCardGroup';
var NAME_CARD_HEADER = 'BCardHeader';
var NAME_CARD_IMG = 'BCardImg';
var NAME_CARD_IMG_LAZY = 'BCardImgLazy';
var NAME_CARD_SUB_TITLE = 'BCardSubTitle';
var NAME_CARD_TEXT = 'BCardText';
var NAME_CARD_TITLE = 'BCardTitle';
var NAME_CAROUSEL = 'BCarousel';
var NAME_CAROUSEL_SLIDE = 'BCarouselSlide';
var NAME_COL = 'BCol';
var NAME_COLLAPSE = 'BCollapse';
var NAME_CONTAINER = 'BContainer';
var NAME_DROPDOWN = 'BDropdown';
var NAME_DROPDOWN_DIVIDER = 'BDropdownDivider';
var NAME_DROPDOWN_FORM = 'BDropdownForm';
var NAME_DROPDOWN_GROUP = 'BDropdownGroup';
var NAME_DROPDOWN_HEADER = 'BDropdownHeader';
var NAME_DROPDOWN_ITEM = 'BDropdownItem';
var NAME_DROPDOWN_ITEM_BUTTON = 'BDropdownItemButton';
var NAME_DROPDOWN_TEXT = 'BDropdownText';
var NAME_EMBED = 'BEmbed';
var NAME_FORM = 'BForm';
var NAME_FORM_CHECKBOX = 'BFormCheckbox';
var NAME_FORM_CHECKBOX_GROUP = 'BFormCheckboxGroup';
var NAME_FORM_DATALIST = 'BFormDatalist';
var NAME_FORM_DATEPICKER = 'BFormDatepicker';
var NAME_FORM_FILE = 'BFormFile';
var NAME_FORM_GROUP = 'BFormGroup';
var NAME_FORM_INPUT = 'BFormInput';
var NAME_FORM_INVALID_FEEDBACK = 'BFormInvalidFeedback';
var NAME_FORM_RADIO = 'BFormRadio';
var NAME_FORM_RADIO_GROUP = 'BFormRadioGroup';
var NAME_FORM_RATING = 'BFormRating';
var NAME_FORM_ROW = 'BFormRow';
var NAME_FORM_SELECT = 'BFormSelect';
var NAME_FORM_SELECT_OPTION = 'BFormSelectOption';
var NAME_FORM_SELECT_OPTION_GROUP = 'BFormSelectOptionGroup';
var NAME_FORM_SPINBUTTON = 'BFormSpinbutton';
var NAME_FORM_TAG = 'BFormTag';
var NAME_FORM_TAGS = 'BFormTags';
var NAME_FORM_TEXT = 'BFormText';
var NAME_FORM_TEXTAREA = 'BFormTextarea';
var NAME_FORM_TIMEPICKER = 'BFormTimepicker';
var NAME_FORM_VALID_FEEDBACK = 'BFormValidFeedback';
var NAME_ICON = 'BIcon';
var NAME_ICONSTACK = 'BIconstack';
var NAME_ICON_BASE = 'BIconBase';
var NAME_IMG = 'BImg';
var NAME_IMG_LAZY = 'BImgLazy';
var NAME_INPUT_GROUP = 'BInputGroup';
var NAME_INPUT_GROUP_ADDON = 'BInputGroupAddon';
var NAME_INPUT_GROUP_APPEND = 'BInputGroupAppend';
var NAME_INPUT_GROUP_PREPEND = 'BInputGroupPrepend';
var NAME_INPUT_GROUP_TEXT = 'BInputGroupText';
var NAME_JUMBOTRON = 'BJumbotron';
var NAME_LINK = 'BLink';
var NAME_LIST_GROUP = 'BListGroup';
var NAME_LIST_GROUP_ITEM = 'BListGroupItem';
var NAME_MEDIA = 'BMedia';
var NAME_MEDIA_ASIDE = 'BMediaAside';
var NAME_MEDIA_BODY = 'BMediaBody';
var NAME_MODAL = 'BModal';
var NAME_MSG_BOX = 'BMsgBox';
var NAME_NAV = 'BNav';
var NAME_NAVBAR = 'BNavbar';
var NAME_NAVBAR_BRAND = 'BNavbarBrand';
var NAME_NAVBAR_NAV = 'BNavbarNav';
var NAME_NAVBAR_TOGGLE = 'BNavbarToggle';
var NAME_NAV_FORM = 'BNavForm';
var NAME_NAV_ITEM = 'BNavItem';
var NAME_NAV_ITEM_DROPDOWN = 'BNavItemDropdown';
var NAME_NAV_TEXT = 'BNavText';
var NAME_OVERLAY = 'BOverlay';
var NAME_PAGINATION = 'BPagination';
var NAME_PAGINATION_NAV = 'BPaginationNav';
var NAME_POPOVER = 'BPopover';
var NAME_PROGRESS = 'BProgress';
var NAME_PROGRESS_BAR = 'BProgressBar';
var NAME_ROW = 'BRow';
var NAME_SIDEBAR = 'BSidebar';
var NAME_SKELETON = 'BSkeleton';
var NAME_SKELETON_ICON = 'BSkeletonIcon';
var NAME_SKELETON_IMG = 'BSkeletonImg';
var NAME_SKELETON_TABLE = 'BSkeletonTable';
var NAME_SKELETON_WRAPPER = 'BSkeletonWrapper';
var NAME_SPINNER = 'BSpinner';
var NAME_TAB = 'BTab';
var NAME_TABLE = 'BTable';
var NAME_TABLE_CELL = 'BTableCell';
var NAME_TABLE_LITE = 'BTableLite';
var NAME_TABLE_SIMPLE = 'BTableSimple';
var NAME_TABS = 'BTabs';
var NAME_TBODY = 'BTbody';
var NAME_TFOOT = 'BTfoot';
var NAME_TH = 'BTh';
var NAME_THEAD = 'BThead';
var NAME_TIME = 'BTime';
var NAME_TOAST = 'BToast';
var NAME_TOASTER = 'BToaster';
var NAME_TOOLTIP = 'BTooltip';
var NAME_TR = 'BTr'; // Helper component names

var NAME_COLLAPSE_HELPER = 'BVCollapse';
var NAME_FORM_BUTTON_LABEL_CONTROL = 'BVFormBtnLabelControl';
var NAME_FORM_RATING_STAR = 'BVFormRatingStar';
var NAME_POPOVER_HELPER = 'BVPopover';
var NAME_POPOVER_TEMPLATE = 'BVPopoverTemplate';
var NAME_POPPER = 'BVPopper';
var NAME_TAB_BUTTON_HELPER = 'BVTabButton';
var NAME_TOAST_POP = 'BVToastPop';
var NAME_TOOLTIP_HELPER = 'BVTooltip';
var NAME_TOOLTIP_TEMPLATE = 'BVTooltipTemplate';
var NAME_TRANSITION = 'BVTransition';
var NAME_TRANSPORTER = 'BVTransporter';
var NAME_TRANSPORTER_TARGET = 'BVTransporterTarget';

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/config.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/config.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   DEFAULT_BREAKPOINT: () =&gt; (/* binding */ DEFAULT_BREAKPOINT),
/* harmony export */   NAME: () =&gt; (/* binding */ NAME),
/* harmony export */   PROP_NAME: () =&gt; (/* binding */ PROP_NAME)
/* harmony export */ });
var NAME = 'BvConfig';
var PROP_NAME = '$bvConfig';
var DEFAULT_BREAKPOINT = ['xs', 'sm', 'md', 'lg', 'xl'];

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/date.js":
/*!**********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/date.js ***!
  \**********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   CALENDAR_GREGORY: () =&gt; (/* binding */ CALENDAR_GREGORY),
/* harmony export */   CALENDAR_LONG: () =&gt; (/* binding */ CALENDAR_LONG),
/* harmony export */   CALENDAR_NARROW: () =&gt; (/* binding */ CALENDAR_NARROW),
/* harmony export */   CALENDAR_SHORT: () =&gt; (/* binding */ CALENDAR_SHORT),
/* harmony export */   DATE_FORMAT_2_DIGIT: () =&gt; (/* binding */ DATE_FORMAT_2_DIGIT),
/* harmony export */   DATE_FORMAT_NUMERIC: () =&gt; (/* binding */ DATE_FORMAT_NUMERIC)
/* harmony export */ });
var CALENDAR_GREGORY = 'gregory';
var CALENDAR_LONG = 'long';
var CALENDAR_NARROW = 'narrow';
var CALENDAR_SHORT = 'short';
var DATE_FORMAT_2_DIGIT = '2-digit';
var DATE_FORMAT_NUMERIC = 'numeric';

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/env.js":
/*!*********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/env.js ***!
  \*********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   DOCUMENT: () =&gt; (/* binding */ DOCUMENT),
/* harmony export */   HAS_DOCUMENT_SUPPORT: () =&gt; (/* binding */ HAS_DOCUMENT_SUPPORT),
/* harmony export */   HAS_INTERACTION_OBSERVER_SUPPORT: () =&gt; (/* binding */ HAS_INTERACTION_OBSERVER_SUPPORT),
/* harmony export */   HAS_MUTATION_OBSERVER_SUPPORT: () =&gt; (/* binding */ HAS_MUTATION_OBSERVER_SUPPORT),
/* harmony export */   HAS_NAVIGATOR_SUPPORT: () =&gt; (/* binding */ HAS_NAVIGATOR_SUPPORT),
/* harmony export */   HAS_PASSIVE_EVENT_SUPPORT: () =&gt; (/* binding */ HAS_PASSIVE_EVENT_SUPPORT),
/* harmony export */   HAS_POINTER_EVENT_SUPPORT: () =&gt; (/* binding */ HAS_POINTER_EVENT_SUPPORT),
/* harmony export */   HAS_PROMISE_SUPPORT: () =&gt; (/* binding */ HAS_PROMISE_SUPPORT),
/* harmony export */   HAS_TOUCH_SUPPORT: () =&gt; (/* binding */ HAS_TOUCH_SUPPORT),
/* harmony export */   HAS_WINDOW_SUPPORT: () =&gt; (/* binding */ HAS_WINDOW_SUPPORT),
/* harmony export */   IS_BROWSER: () =&gt; (/* binding */ IS_BROWSER),
/* harmony export */   IS_IE: () =&gt; (/* binding */ IS_IE),
/* harmony export */   IS_JSDOM: () =&gt; (/* binding */ IS_JSDOM),
/* harmony export */   NAVIGATOR: () =&gt; (/* binding */ NAVIGATOR),
/* harmony export */   USER_AGENT: () =&gt; (/* binding */ USER_AGENT),
/* harmony export */   WINDOW: () =&gt; (/* binding */ WINDOW)
/* harmony export */ });
var HAS_WINDOW_SUPPORT = typeof window !== 'undefined';
var HAS_DOCUMENT_SUPPORT = typeof document !== 'undefined';
var HAS_NAVIGATOR_SUPPORT = typeof navigator !== 'undefined';
var HAS_PROMISE_SUPPORT = typeof Promise !== 'undefined';
/* istanbul ignore next: JSDOM always returns false */

var HAS_MUTATION_OBSERVER_SUPPORT = typeof MutationObserver !== 'undefined' || typeof WebKitMutationObserver !== 'undefined' || typeof MozMutationObserver !== 'undefined';
var IS_BROWSER = HAS_WINDOW_SUPPORT &amp;&amp; HAS_DOCUMENT_SUPPORT &amp;&amp; HAS_NAVIGATOR_SUPPORT;
var WINDOW = HAS_WINDOW_SUPPORT ? window : {};
var DOCUMENT = HAS_DOCUMENT_SUPPORT ? document : {};
var NAVIGATOR = HAS_NAVIGATOR_SUPPORT ? navigator : {};
var USER_AGENT = (NAVIGATOR.userAgent || '').toLowerCase();
var IS_JSDOM = USER_AGENT.indexOf('jsdom') &gt; 0;
var IS_IE = /msie|trident/.test(USER_AGENT); // Determine if the browser supports the option passive for events

var HAS_PASSIVE_EVENT_SUPPORT = function () {
  var passiveEventSupported = false;

  if (IS_BROWSER) {
    try {
      var options = {
        // This function will be called when the browser
        // attempts to access the passive property
        get passive() {
          /* istanbul ignore next: will never be called in JSDOM */
          passiveEventSupported = true;
        }

      };
      WINDOW.addEventListener('test', options, options);
      WINDOW.removeEventListener('test', options, options);
    } catch (_unused) {
      /* istanbul ignore next: will never be called in JSDOM */
      passiveEventSupported = false;
    }
  }

  return passiveEventSupported;
}();
var HAS_TOUCH_SUPPORT = IS_BROWSER &amp;&amp; ('ontouchstart' in DOCUMENT.documentElement || NAVIGATOR.maxTouchPoints &gt; 0);
var HAS_POINTER_EVENT_SUPPORT = IS_BROWSER &amp;&amp; Boolean(WINDOW.PointerEvent || WINDOW.MSPointerEvent);
/* istanbul ignore next: JSDOM only checks for 'IntersectionObserver' */

var HAS_INTERACTION_OBSERVER_SUPPORT = IS_BROWSER &amp;&amp; 'IntersectionObserver' in WINDOW &amp;&amp; 'IntersectionObserverEntry' in WINDOW &amp;&amp; // Edge 15 and UC Browser lack support for `isIntersecting`
// but we an use `intersectionRatio &gt; 0` instead
// 'isIntersecting' in window.IntersectionObserverEntry.prototype &amp;&amp;
'intersectionRatio' in WINDOW.IntersectionObserverEntry.prototype;

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/events.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/events.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   EVENT_NAME_ACTIVATE_TAB: () =&gt; (/* binding */ EVENT_NAME_ACTIVATE_TAB),
/* harmony export */   EVENT_NAME_BLUR: () =&gt; (/* binding */ EVENT_NAME_BLUR),
/* harmony export */   EVENT_NAME_CANCEL: () =&gt; (/* binding */ EVENT_NAME_CANCEL),
/* harmony export */   EVENT_NAME_CHANGE: () =&gt; (/* binding */ EVENT_NAME_CHANGE),
/* harmony export */   EVENT_NAME_CHANGED: () =&gt; (/* binding */ EVENT_NAME_CHANGED),
/* harmony export */   EVENT_NAME_CLICK: () =&gt; (/* binding */ EVENT_NAME_CLICK),
/* harmony export */   EVENT_NAME_CLOSE: () =&gt; (/* binding */ EVENT_NAME_CLOSE),
/* harmony export */   EVENT_NAME_CONTEXT: () =&gt; (/* binding */ EVENT_NAME_CONTEXT),
/* harmony export */   EVENT_NAME_CONTEXT_CHANGED: () =&gt; (/* binding */ EVENT_NAME_CONTEXT_CHANGED),
/* harmony export */   EVENT_NAME_DESTROYED: () =&gt; (/* binding */ EVENT_NAME_DESTROYED),
/* harmony export */   EVENT_NAME_DISABLE: () =&gt; (/* binding */ EVENT_NAME_DISABLE),
/* harmony export */   EVENT_NAME_DISABLED: () =&gt; (/* binding */ EVENT_NAME_DISABLED),
/* harmony export */   EVENT_NAME_DISMISSED: () =&gt; (/* binding */ EVENT_NAME_DISMISSED),
/* harmony export */   EVENT_NAME_DISMISS_COUNT_DOWN: () =&gt; (/* binding */ EVENT_NAME_DISMISS_COUNT_DOWN),
/* harmony export */   EVENT_NAME_ENABLE: () =&gt; (/* binding */ EVENT_NAME_ENABLE),
/* harmony export */   EVENT_NAME_ENABLED: () =&gt; (/* binding */ EVENT_NAME_ENABLED),
/* harmony export */   EVENT_NAME_FILTERED: () =&gt; (/* binding */ EVENT_NAME_FILTERED),
/* harmony export */   EVENT_NAME_FIRST: () =&gt; (/* binding */ EVENT_NAME_FIRST),
/* harmony export */   EVENT_NAME_FOCUS: () =&gt; (/* binding */ EVENT_NAME_FOCUS),
/* harmony export */   EVENT_NAME_FOCUSIN: () =&gt; (/* binding */ EVENT_NAME_FOCUSIN),
/* harmony export */   EVENT_NAME_FOCUSOUT: () =&gt; (/* binding */ EVENT_NAME_FOCUSOUT),
/* harmony export */   EVENT_NAME_HEAD_CLICKED: () =&gt; (/* binding */ EVENT_NAME_HEAD_CLICKED),
/* harmony export */   EVENT_NAME_HIDDEN: () =&gt; (/* binding */ EVENT_NAME_HIDDEN),
/* harmony export */   EVENT_NAME_HIDE: () =&gt; (/* binding */ EVENT_NAME_HIDE),
/* harmony export */   EVENT_NAME_IMG_ERROR: () =&gt; (/* binding */ EVENT_NAME_IMG_ERROR),
/* harmony export */   EVENT_NAME_INPUT: () =&gt; (/* binding */ EVENT_NAME_INPUT),
/* harmony export */   EVENT_NAME_LAST: () =&gt; (/* binding */ EVENT_NAME_LAST),
/* harmony export */   EVENT_NAME_MOUSEENTER: () =&gt; (/* binding */ EVENT_NAME_MOUSEENTER),
/* harmony export */   EVENT_NAME_MOUSELEAVE: () =&gt; (/* binding */ EVENT_NAME_MOUSELEAVE),
/* harmony export */   EVENT_NAME_NEXT: () =&gt; (/* binding */ EVENT_NAME_NEXT),
/* harmony export */   EVENT_NAME_OK: () =&gt; (/* binding */ EVENT_NAME_OK),
/* harmony export */   EVENT_NAME_OPEN: () =&gt; (/* binding */ EVENT_NAME_OPEN),
/* harmony export */   EVENT_NAME_PAGE_CLICK: () =&gt; (/* binding */ EVENT_NAME_PAGE_CLICK),
/* harmony export */   EVENT_NAME_PAUSED: () =&gt; (/* binding */ EVENT_NAME_PAUSED),
/* harmony export */   EVENT_NAME_PREV: () =&gt; (/* binding */ EVENT_NAME_PREV),
/* harmony export */   EVENT_NAME_REFRESH: () =&gt; (/* binding */ EVENT_NAME_REFRESH),
/* harmony export */   EVENT_NAME_REFRESHED: () =&gt; (/* binding */ EVENT_NAME_REFRESHED),
/* harmony export */   EVENT_NAME_REMOVE: () =&gt; (/* binding */ EVENT_NAME_REMOVE),
/* harmony export */   EVENT_NAME_ROW_CLICKED: () =&gt; (/* binding */ EVENT_NAME_ROW_CLICKED),
/* harmony export */   EVENT_NAME_ROW_CONTEXTMENU: () =&gt; (/* binding */ EVENT_NAME_ROW_CONTEXTMENU),
/* harmony export */   EVENT_NAME_ROW_DBLCLICKED: () =&gt; (/* binding */ EVENT_NAME_ROW_DBLCLICKED),
/* harmony export */   EVENT_NAME_ROW_HOVERED: () =&gt; (/* binding */ EVENT_NAME_ROW_HOVERED),
/* harmony export */   EVENT_NAME_ROW_MIDDLE_CLICKED: () =&gt; (/* binding */ EVENT_NAME_ROW_MIDDLE_CLICKED),
/* harmony export */   EVENT_NAME_ROW_SELECTED: () =&gt; (/* binding */ EVENT_NAME_ROW_SELECTED),
/* harmony export */   EVENT_NAME_ROW_UNHOVERED: () =&gt; (/* binding */ EVENT_NAME_ROW_UNHOVERED),
/* harmony export */   EVENT_NAME_SELECTED: () =&gt; (/* binding */ EVENT_NAME_SELECTED),
/* harmony export */   EVENT_NAME_SHOW: () =&gt; (/* binding */ EVENT_NAME_SHOW),
/* harmony export */   EVENT_NAME_SHOWN: () =&gt; (/* binding */ EVENT_NAME_SHOWN),
/* harmony export */   EVENT_NAME_SLIDING_END: () =&gt; (/* binding */ EVENT_NAME_SLIDING_END),
/* harmony export */   EVENT_NAME_SLIDING_START: () =&gt; (/* binding */ EVENT_NAME_SLIDING_START),
/* harmony export */   EVENT_NAME_SORT_CHANGED: () =&gt; (/* binding */ EVENT_NAME_SORT_CHANGED),
/* harmony export */   EVENT_NAME_TAG_STATE: () =&gt; (/* binding */ EVENT_NAME_TAG_STATE),
/* harmony export */   EVENT_NAME_TOGGLE: () =&gt; (/* binding */ EVENT_NAME_TOGGLE),
/* harmony export */   EVENT_NAME_UNPAUSED: () =&gt; (/* binding */ EVENT_NAME_UNPAUSED),
/* harmony export */   EVENT_NAME_UPDATE: () =&gt; (/* binding */ EVENT_NAME_UPDATE),
/* harmony export */   EVENT_OPTIONS_NO_CAPTURE: () =&gt; (/* binding */ EVENT_OPTIONS_NO_CAPTURE),
/* harmony export */   EVENT_OPTIONS_PASSIVE: () =&gt; (/* binding */ EVENT_OPTIONS_PASSIVE),
/* harmony export */   HOOK_EVENT_NAME_BEFORE_DESTROY: () =&gt; (/* binding */ HOOK_EVENT_NAME_BEFORE_DESTROY),
/* harmony export */   HOOK_EVENT_NAME_DESTROYED: () =&gt; (/* binding */ HOOK_EVENT_NAME_DESTROYED),
/* harmony export */   MODEL_EVENT_NAME_PREFIX: () =&gt; (/* binding */ MODEL_EVENT_NAME_PREFIX),
/* harmony export */   ROOT_EVENT_NAME_PREFIX: () =&gt; (/* binding */ ROOT_EVENT_NAME_PREFIX),
/* harmony export */   ROOT_EVENT_NAME_SEPARATOR: () =&gt; (/* binding */ ROOT_EVENT_NAME_SEPARATOR)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");

var EVENT_NAME_ACTIVATE_TAB = 'activate-tab';
var EVENT_NAME_BLUR = 'blur';
var EVENT_NAME_CANCEL = 'cancel';
var EVENT_NAME_CHANGE = 'change';
var EVENT_NAME_CHANGED = 'changed';
var EVENT_NAME_CLICK = 'click';
var EVENT_NAME_CLOSE = 'close';
var EVENT_NAME_CONTEXT = 'context';
var EVENT_NAME_CONTEXT_CHANGED = 'context-changed';
var EVENT_NAME_DESTROYED = 'destroyed';
var EVENT_NAME_DISABLE = 'disable';
var EVENT_NAME_DISABLED = 'disabled';
var EVENT_NAME_DISMISSED = 'dismissed';
var EVENT_NAME_DISMISS_COUNT_DOWN = 'dismiss-count-down';
var EVENT_NAME_ENABLE = 'enable';
var EVENT_NAME_ENABLED = 'enabled';
var EVENT_NAME_FILTERED = 'filtered';
var EVENT_NAME_FIRST = 'first';
var EVENT_NAME_FOCUS = 'focus';
var EVENT_NAME_FOCUSIN = 'focusin';
var EVENT_NAME_FOCUSOUT = 'focusout';
var EVENT_NAME_HEAD_CLICKED = 'head-clicked';
var EVENT_NAME_HIDDEN = 'hidden';
var EVENT_NAME_HIDE = 'hide';
var EVENT_NAME_IMG_ERROR = 'img-error';
var EVENT_NAME_INPUT = 'input';
var EVENT_NAME_LAST = 'last';
var EVENT_NAME_MOUSEENTER = 'mouseenter';
var EVENT_NAME_MOUSELEAVE = 'mouseleave';
var EVENT_NAME_NEXT = 'next';
var EVENT_NAME_OK = 'ok';
var EVENT_NAME_OPEN = 'open';
var EVENT_NAME_PAGE_CLICK = 'page-click';
var EVENT_NAME_PAUSED = 'paused';
var EVENT_NAME_PREV = 'prev';
var EVENT_NAME_REFRESH = 'refresh';
var EVENT_NAME_REFRESHED = 'refreshed';
var EVENT_NAME_REMOVE = 'remove';
var EVENT_NAME_ROW_CLICKED = 'row-clicked';
var EVENT_NAME_ROW_CONTEXTMENU = 'row-contextmenu';
var EVENT_NAME_ROW_DBLCLICKED = 'row-dblclicked';
var EVENT_NAME_ROW_HOVERED = 'row-hovered';
var EVENT_NAME_ROW_MIDDLE_CLICKED = 'row-middle-clicked';
var EVENT_NAME_ROW_SELECTED = 'row-selected';
var EVENT_NAME_ROW_UNHOVERED = 'row-unhovered';
var EVENT_NAME_SELECTED = 'selected';
var EVENT_NAME_SHOW = 'show';
var EVENT_NAME_SHOWN = 'shown';
var EVENT_NAME_SLIDING_END = 'sliding-end';
var EVENT_NAME_SLIDING_START = 'sliding-start';
var EVENT_NAME_SORT_CHANGED = 'sort-changed';
var EVENT_NAME_TAG_STATE = 'tag-state';
var EVENT_NAME_TOGGLE = 'toggle';
var EVENT_NAME_UNPAUSED = 'unpaused';
var EVENT_NAME_UPDATE = 'update';
var HOOK_EVENT_NAME_BEFORE_DESTROY = _vue__WEBPACK_IMPORTED_MODULE_0__.isVue3 ? 'vnodeBeforeUnmount' : 'hook:beforeDestroy';
var HOOK_EVENT_NAME_DESTROYED = _vue__WEBPACK_IMPORTED_MODULE_0__.isVue3 ? 'vNodeUnmounted' : 'hook:destroyed';
var MODEL_EVENT_NAME_PREFIX = 'update:';
var ROOT_EVENT_NAME_PREFIX = 'bv';
var ROOT_EVENT_NAME_SEPARATOR = '::';
var EVENT_OPTIONS_PASSIVE = {
  passive: true
};
var EVENT_OPTIONS_NO_CAPTURE = {
  passive: true,
  capture: false
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/key-codes.js":
/*!***************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/key-codes.js ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   CODE_BACKSPACE: () =&gt; (/* binding */ CODE_BACKSPACE),
/* harmony export */   CODE_BREAK: () =&gt; (/* binding */ CODE_BREAK),
/* harmony export */   CODE_DELETE: () =&gt; (/* binding */ CODE_DELETE),
/* harmony export */   CODE_DOWN: () =&gt; (/* binding */ CODE_DOWN),
/* harmony export */   CODE_END: () =&gt; (/* binding */ CODE_END),
/* harmony export */   CODE_ENTER: () =&gt; (/* binding */ CODE_ENTER),
/* harmony export */   CODE_ESC: () =&gt; (/* binding */ CODE_ESC),
/* harmony export */   CODE_HOME: () =&gt; (/* binding */ CODE_HOME),
/* harmony export */   CODE_LEFT: () =&gt; (/* binding */ CODE_LEFT),
/* harmony export */   CODE_PAGEDOWN: () =&gt; (/* binding */ CODE_PAGEDOWN),
/* harmony export */   CODE_PAGEUP: () =&gt; (/* binding */ CODE_PAGEUP),
/* harmony export */   CODE_RIGHT: () =&gt; (/* binding */ CODE_RIGHT),
/* harmony export */   CODE_SPACE: () =&gt; (/* binding */ CODE_SPACE),
/* harmony export */   CODE_UP: () =&gt; (/* binding */ CODE_UP)
/* harmony export */ });
var CODE_BACKSPACE = 8;
var CODE_BREAK = 19;
var CODE_DELETE = 46;
var CODE_DOWN = 40;
var CODE_END = 35;
var CODE_ENTER = 13;
var CODE_ESC = 27;
var CODE_HOME = 36;
var CODE_LEFT = 37;
var CODE_PAGEDOWN = 34;
var CODE_PAGEUP = 33;
var CODE_RIGHT = 39;
var CODE_SPACE = 32;
var CODE_UP = 38;

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/popper.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/popper.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   PLACEMENT_BOTTOM_END: () =&gt; (/* binding */ PLACEMENT_BOTTOM_END),
/* harmony export */   PLACEMENT_BOTTOM_START: () =&gt; (/* binding */ PLACEMENT_BOTTOM_START),
/* harmony export */   PLACEMENT_LEFT_END: () =&gt; (/* binding */ PLACEMENT_LEFT_END),
/* harmony export */   PLACEMENT_LEFT_START: () =&gt; (/* binding */ PLACEMENT_LEFT_START),
/* harmony export */   PLACEMENT_RIGHT_END: () =&gt; (/* binding */ PLACEMENT_RIGHT_END),
/* harmony export */   PLACEMENT_RIGHT_START: () =&gt; (/* binding */ PLACEMENT_RIGHT_START),
/* harmony export */   PLACEMENT_TOP_END: () =&gt; (/* binding */ PLACEMENT_TOP_END),
/* harmony export */   PLACEMENT_TOP_START: () =&gt; (/* binding */ PLACEMENT_TOP_START)
/* harmony export */ });
var PLACEMENT_TOP_START = 'top-start';
var PLACEMENT_TOP_END = 'top-end';
var PLACEMENT_BOTTOM_START = 'bottom-start';
var PLACEMENT_BOTTOM_END = 'bottom-end';
var PLACEMENT_RIGHT_START = 'right-start';
var PLACEMENT_RIGHT_END = 'right-end';
var PLACEMENT_LEFT_START = 'left-start';
var PLACEMENT_LEFT_END = 'left-end';

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/props.js":
/*!***********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/props.js ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   PROP_TYPE_ANY: () =&gt; (/* binding */ PROP_TYPE_ANY),
/* harmony export */   PROP_TYPE_ARRAY: () =&gt; (/* binding */ PROP_TYPE_ARRAY),
/* harmony export */   PROP_TYPE_ARRAY_FUNCTION: () =&gt; (/* binding */ PROP_TYPE_ARRAY_FUNCTION),
/* harmony export */   PROP_TYPE_ARRAY_OBJECT: () =&gt; (/* binding */ PROP_TYPE_ARRAY_OBJECT),
/* harmony export */   PROP_TYPE_ARRAY_OBJECT_STRING: () =&gt; (/* binding */ PROP_TYPE_ARRAY_OBJECT_STRING),
/* harmony export */   PROP_TYPE_ARRAY_STRING: () =&gt; (/* binding */ PROP_TYPE_ARRAY_STRING),
/* harmony export */   PROP_TYPE_BOOLEAN: () =&gt; (/* binding */ PROP_TYPE_BOOLEAN),
/* harmony export */   PROP_TYPE_BOOLEAN_NUMBER: () =&gt; (/* binding */ PROP_TYPE_BOOLEAN_NUMBER),
/* harmony export */   PROP_TYPE_BOOLEAN_NUMBER_STRING: () =&gt; (/* binding */ PROP_TYPE_BOOLEAN_NUMBER_STRING),
/* harmony export */   PROP_TYPE_BOOLEAN_STRING: () =&gt; (/* binding */ PROP_TYPE_BOOLEAN_STRING),
/* harmony export */   PROP_TYPE_DATE: () =&gt; (/* binding */ PROP_TYPE_DATE),
/* harmony export */   PROP_TYPE_DATE_STRING: () =&gt; (/* binding */ PROP_TYPE_DATE_STRING),
/* harmony export */   PROP_TYPE_FUNCTION: () =&gt; (/* binding */ PROP_TYPE_FUNCTION),
/* harmony export */   PROP_TYPE_FUNCTION_STRING: () =&gt; (/* binding */ PROP_TYPE_FUNCTION_STRING),
/* harmony export */   PROP_TYPE_NUMBER: () =&gt; (/* binding */ PROP_TYPE_NUMBER),
/* harmony export */   PROP_TYPE_NUMBER_OBJECT_STRING: () =&gt; (/* binding */ PROP_TYPE_NUMBER_OBJECT_STRING),
/* harmony export */   PROP_TYPE_NUMBER_STRING: () =&gt; (/* binding */ PROP_TYPE_NUMBER_STRING),
/* harmony export */   PROP_TYPE_OBJECT: () =&gt; (/* binding */ PROP_TYPE_OBJECT),
/* harmony export */   PROP_TYPE_OBJECT_FUNCTION: () =&gt; (/* binding */ PROP_TYPE_OBJECT_FUNCTION),
/* harmony export */   PROP_TYPE_OBJECT_STRING: () =&gt; (/* binding */ PROP_TYPE_OBJECT_STRING),
/* harmony export */   PROP_TYPE_REG_EXP: () =&gt; (/* binding */ PROP_TYPE_REG_EXP),
/* harmony export */   PROP_TYPE_STRING: () =&gt; (/* binding */ PROP_TYPE_STRING)
/* harmony export */ });
// General types
var PROP_TYPE_ANY = undefined;
var PROP_TYPE_ARRAY = Array;
var PROP_TYPE_BOOLEAN = Boolean;
var PROP_TYPE_DATE = Date;
var PROP_TYPE_FUNCTION = Function;
var PROP_TYPE_NUMBER = Number;
var PROP_TYPE_OBJECT = Object;
var PROP_TYPE_REG_EXP = RegExp;
var PROP_TYPE_STRING = String; // Multiple types

var PROP_TYPE_ARRAY_FUNCTION = [PROP_TYPE_ARRAY, PROP_TYPE_FUNCTION];
var PROP_TYPE_ARRAY_OBJECT = [PROP_TYPE_ARRAY, PROP_TYPE_OBJECT];
var PROP_TYPE_ARRAY_OBJECT_STRING = [PROP_TYPE_ARRAY, PROP_TYPE_OBJECT, PROP_TYPE_STRING];
var PROP_TYPE_ARRAY_STRING = [PROP_TYPE_ARRAY, PROP_TYPE_STRING];
var PROP_TYPE_BOOLEAN_NUMBER = [PROP_TYPE_BOOLEAN, PROP_TYPE_NUMBER];
var PROP_TYPE_BOOLEAN_NUMBER_STRING = [PROP_TYPE_BOOLEAN, PROP_TYPE_NUMBER, PROP_TYPE_STRING];
var PROP_TYPE_BOOLEAN_STRING = [PROP_TYPE_BOOLEAN, PROP_TYPE_STRING];
var PROP_TYPE_DATE_STRING = [PROP_TYPE_DATE, PROP_TYPE_STRING];
var PROP_TYPE_FUNCTION_STRING = [PROP_TYPE_FUNCTION, PROP_TYPE_STRING];
var PROP_TYPE_NUMBER_STRING = [PROP_TYPE_NUMBER, PROP_TYPE_STRING];
var PROP_TYPE_NUMBER_OBJECT_STRING = [PROP_TYPE_NUMBER, PROP_TYPE_OBJECT, PROP_TYPE_STRING];
var PROP_TYPE_OBJECT_FUNCTION = [PROP_TYPE_OBJECT, PROP_TYPE_FUNCTION];
var PROP_TYPE_OBJECT_STRING = [PROP_TYPE_OBJECT, PROP_TYPE_STRING];

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/regex.js":
/*!***********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/regex.js ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   RX_ARRAY_NOTATION: () =&gt; (/* binding */ RX_ARRAY_NOTATION),
/* harmony export */   RX_ASPECT: () =&gt; (/* binding */ RX_ASPECT),
/* harmony export */   RX_ASPECT_SEPARATOR: () =&gt; (/* binding */ RX_ASPECT_SEPARATOR),
/* harmony export */   RX_BV_PREFIX: () =&gt; (/* binding */ RX_BV_PREFIX),
/* harmony export */   RX_COL_CLASS: () =&gt; (/* binding */ RX_COL_CLASS),
/* harmony export */   RX_DATE: () =&gt; (/* binding */ RX_DATE),
/* harmony export */   RX_DATE_SPLIT: () =&gt; (/* binding */ RX_DATE_SPLIT),
/* harmony export */   RX_DIGITS: () =&gt; (/* binding */ RX_DIGITS),
/* harmony export */   RX_ENCODED_COMMA: () =&gt; (/* binding */ RX_ENCODED_COMMA),
/* harmony export */   RX_ENCODE_REVERSE: () =&gt; (/* binding */ RX_ENCODE_REVERSE),
/* harmony export */   RX_EXTENSION: () =&gt; (/* binding */ RX_EXTENSION),
/* harmony export */   RX_HASH: () =&gt; (/* binding */ RX_HASH),
/* harmony export */   RX_HASH_ID: () =&gt; (/* binding */ RX_HASH_ID),
/* harmony export */   RX_HREF: () =&gt; (/* binding */ RX_HREF),
/* harmony export */   RX_HTML_TAGS: () =&gt; (/* binding */ RX_HTML_TAGS),
/* harmony export */   RX_HYPHENATE: () =&gt; (/* binding */ RX_HYPHENATE),
/* harmony export */   RX_ICON_PREFIX: () =&gt; (/* binding */ RX_ICON_PREFIX),
/* harmony export */   RX_LOWER_UPPER: () =&gt; (/* binding */ RX_LOWER_UPPER),
/* harmony export */   RX_NUMBER: () =&gt; (/* binding */ RX_NUMBER),
/* harmony export */   RX_PLUS: () =&gt; (/* binding */ RX_PLUS),
/* harmony export */   RX_QUERY_START: () =&gt; (/* binding */ RX_QUERY_START),
/* harmony export */   RX_REGEXP_REPLACE: () =&gt; (/* binding */ RX_REGEXP_REPLACE),
/* harmony export */   RX_SPACES: () =&gt; (/* binding */ RX_SPACES),
/* harmony export */   RX_SPACE_SPLIT: () =&gt; (/* binding */ RX_SPACE_SPLIT),
/* harmony export */   RX_STAR: () =&gt; (/* binding */ RX_STAR),
/* harmony export */   RX_START_SPACE_WORD: () =&gt; (/* binding */ RX_START_SPACE_WORD),
/* harmony export */   RX_STRIP_LOCALE_MODS: () =&gt; (/* binding */ RX_STRIP_LOCALE_MODS),
/* harmony export */   RX_TIME: () =&gt; (/* binding */ RX_TIME),
/* harmony export */   RX_TRIM_LEFT: () =&gt; (/* binding */ RX_TRIM_LEFT),
/* harmony export */   RX_TRIM_RIGHT: () =&gt; (/* binding */ RX_TRIM_RIGHT),
/* harmony export */   RX_UNDERSCORE: () =&gt; (/* binding */ RX_UNDERSCORE),
/* harmony export */   RX_UN_KEBAB: () =&gt; (/* binding */ RX_UN_KEBAB)
/* harmony export */ });
// --- General ---
var RX_ARRAY_NOTATION = /\[(\d+)]/g;
var RX_BV_PREFIX = /^(BV?)/;
var RX_DIGITS = /^\d+$/;
var RX_EXTENSION = /^\..+/;
var RX_HASH = /^#/;
var RX_HASH_ID = /^#[A-Za-z]+[\w\-:.]*$/;
var RX_HTML_TAGS = /(&lt;([^&gt;]+)&gt;)/gi;
var RX_HYPHENATE = /\B([A-Z])/g;
var RX_LOWER_UPPER = /([a-z])([A-Z])/g;
var RX_NUMBER = /^[0-9]*\.?[0-9]+$/;
var RX_PLUS = /\+/g;
var RX_REGEXP_REPLACE = /[-/\\^$*+?.()|[\]{}]/g;
var RX_SPACES = /[\s\uFEFF\xA0]+/g;
var RX_SPACE_SPLIT = /\s+/;
var RX_STAR = /\/\*$/;
var RX_START_SPACE_WORD = /(\s|^)(\w)/g;
var RX_TRIM_LEFT = /^\s+/;
var RX_TRIM_RIGHT = /\s+$/;
var RX_UNDERSCORE = /_/g;
var RX_UN_KEBAB = /-(\w)/g; // --- Date ---
// Loose YYYY-MM-DD matching, ignores any appended time inforation
// Matches '1999-12-20', '1999-1-1', '1999-01-20T22:51:49.118Z', '1999-01-02 13:00:00'

var RX_DATE = /^\d+-\d\d?-\d\d?(?:\s|T|$)/; // Used to split off the date parts of the YYYY-MM-DD string

var RX_DATE_SPLIT = /-|\s|T/; // Time string RegEx (optional seconds)

var RX_TIME = /^([0-1]?[0-9]|2[0-3]):[0-5]?[0-9](:[0-5]?[0-9])?$/; // --- URL ---
// HREFs must end with a hash followed by at least one non-hash character

var RX_HREF = /^.*(#[^#]+)$/;
var RX_ENCODED_COMMA = /%2C/g;
var RX_ENCODE_REVERSE = /[!'()*]/g;
var RX_QUERY_START = /^(\?|#|&amp;)/; // --- Aspect ---

var RX_ASPECT = /^\d+(\.\d*)?[/:]\d+(\.\d*)?$/;
var RX_ASPECT_SEPARATOR = /[/:]/; // --- Grid ---

var RX_COL_CLASS = /^col-/; // --- Icon ---

var RX_ICON_PREFIX = /^BIcon/; // --- Locale ---

var RX_STRIP_LOCALE_MODS = /-u-.+/;

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/safe-types.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/safe-types.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   Element: () =&gt; (/* binding */ Element),
/* harmony export */   File: () =&gt; (/* binding */ File),
/* harmony export */   HTMLElement: () =&gt; (/* binding */ HTMLElement),
/* harmony export */   SVGElement: () =&gt; (/* binding */ SVGElement)
/* harmony export */ });
/* harmony import */ var _env__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
function _typeof(obj) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj &amp;&amp; "function" == typeof Symbol &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj; }, _typeof(obj); }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function"); } Object.defineProperty(subClass, "prototype", { value: Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }), writable: false }); if (superClass) _setPrototypeOf(subClass, superClass); }

function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }

function _possibleConstructorReturn(self, call) { if (call &amp;&amp; (_typeof(call) === "object" || typeof call === "function")) { return call; } else if (call !== void 0) { throw new TypeError("Derived constructors may only return object or undefined"); } return _assertThisInitialized(self); }

function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return self; }

function _wrapNativeSuper(Class) { var _cache = typeof Map === "function" ? new Map() : undefined; _wrapNativeSuper = function _wrapNativeSuper(Class) { if (Class === null || !_isNativeFunction(Class)) return Class; if (typeof Class !== "function") { throw new TypeError("Super expression must either be null or a function"); } if (typeof _cache !== "undefined") { if (_cache.has(Class)) return _cache.get(Class); _cache.set(Class, Wrapper); } function Wrapper() { return _construct(Class, arguments, _getPrototypeOf(this).constructor); } Wrapper.prototype = Object.create(Class.prototype, { constructor: { value: Wrapper, enumerable: false, writable: true, configurable: true } }); return _setPrototypeOf(Wrapper, Class); }; return _wrapNativeSuper(Class); }

function _construct(Parent, args, Class) { if (_isNativeReflectConstruct()) { _construct = Reflect.construct; } else { _construct = function _construct(Parent, args, Class) { var a = [null]; a.push.apply(a, args); var Constructor = Function.bind.apply(Parent, a); var instance = new Constructor(); if (Class) _setPrototypeOf(instance, Class.prototype); return instance; }; } return _construct.apply(null, arguments); }

function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }

function _isNativeFunction(fn) { return Function.toString.call(fn).indexOf("[native code]") !== -1; }

function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }

function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }


/* istanbul ignore next */

var Element = _env__WEBPACK_IMPORTED_MODULE_0__.HAS_WINDOW_SUPPORT ? _env__WEBPACK_IMPORTED_MODULE_0__.WINDOW.Element : /*#__PURE__*/function (_Object) {
  _inherits(Element, _Object);

  var _super = _createSuper(Element);

  function Element() {
    _classCallCheck(this, Element);

    return _super.apply(this, arguments);
  }

  return Element;
}( /*#__PURE__*/_wrapNativeSuper(Object));
/* istanbul ignore next */

var HTMLElement = _env__WEBPACK_IMPORTED_MODULE_0__.HAS_WINDOW_SUPPORT ? _env__WEBPACK_IMPORTED_MODULE_0__.WINDOW.HTMLElement : /*#__PURE__*/function (_Element) {
  _inherits(HTMLElement, _Element);

  var _super2 = _createSuper(HTMLElement);

  function HTMLElement() {
    _classCallCheck(this, HTMLElement);

    return _super2.apply(this, arguments);
  }

  return HTMLElement;
}(Element);
/* istanbul ignore next */

var SVGElement = _env__WEBPACK_IMPORTED_MODULE_0__.HAS_WINDOW_SUPPORT ? _env__WEBPACK_IMPORTED_MODULE_0__.WINDOW.SVGElement : /*#__PURE__*/function (_Element2) {
  _inherits(SVGElement, _Element2);

  var _super3 = _createSuper(SVGElement);

  function SVGElement() {
    _classCallCheck(this, SVGElement);

    return _super3.apply(this, arguments);
  }

  return SVGElement;
}(Element);
/* istanbul ignore next */

var File = _env__WEBPACK_IMPORTED_MODULE_0__.HAS_WINDOW_SUPPORT ? _env__WEBPACK_IMPORTED_MODULE_0__.WINDOW.File : /*#__PURE__*/function (_Object2) {
  _inherits(File, _Object2);

  var _super4 = _createSuper(File);

  function File() {
    _classCallCheck(this, File);

    return _super4.apply(this, arguments);
  }

  return File;
}( /*#__PURE__*/_wrapNativeSuper(Object));

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/constants/slots.js":
/*!***********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/constants/slots.js ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   SLOT_NAME_ADD_BUTTON_TEXT: () =&gt; (/* binding */ SLOT_NAME_ADD_BUTTON_TEXT),
/* harmony export */   SLOT_NAME_APPEND: () =&gt; (/* binding */ SLOT_NAME_APPEND),
/* harmony export */   SLOT_NAME_ASIDE: () =&gt; (/* binding */ SLOT_NAME_ASIDE),
/* harmony export */   SLOT_NAME_BADGE: () =&gt; (/* binding */ SLOT_NAME_BADGE),
/* harmony export */   SLOT_NAME_BOTTOM_ROW: () =&gt; (/* binding */ SLOT_NAME_BOTTOM_ROW),
/* harmony export */   SLOT_NAME_BUTTON_CONTENT: () =&gt; (/* binding */ SLOT_NAME_BUTTON_CONTENT),
/* harmony export */   SLOT_NAME_CUSTOM_FOOT: () =&gt; (/* binding */ SLOT_NAME_CUSTOM_FOOT),
/* harmony export */   SLOT_NAME_DECREMENT: () =&gt; (/* binding */ SLOT_NAME_DECREMENT),
/* harmony export */   SLOT_NAME_DEFAULT: () =&gt; (/* binding */ SLOT_NAME_DEFAULT),
/* harmony export */   SLOT_NAME_DESCRIPTION: () =&gt; (/* binding */ SLOT_NAME_DESCRIPTION),
/* harmony export */   SLOT_NAME_DISMISS: () =&gt; (/* binding */ SLOT_NAME_DISMISS),
/* harmony export */   SLOT_NAME_DROP_PLACEHOLDER: () =&gt; (/* binding */ SLOT_NAME_DROP_PLACEHOLDER),
/* harmony export */   SLOT_NAME_ELLIPSIS_TEXT: () =&gt; (/* binding */ SLOT_NAME_ELLIPSIS_TEXT),
/* harmony export */   SLOT_NAME_EMPTY: () =&gt; (/* binding */ SLOT_NAME_EMPTY),
/* harmony export */   SLOT_NAME_EMPTYFILTERED: () =&gt; (/* binding */ SLOT_NAME_EMPTYFILTERED),
/* harmony export */   SLOT_NAME_FILE_NAME: () =&gt; (/* binding */ SLOT_NAME_FILE_NAME),
/* harmony export */   SLOT_NAME_FIRST: () =&gt; (/* binding */ SLOT_NAME_FIRST),
/* harmony export */   SLOT_NAME_FIRST_TEXT: () =&gt; (/* binding */ SLOT_NAME_FIRST_TEXT),
/* harmony export */   SLOT_NAME_FOOTER: () =&gt; (/* binding */ SLOT_NAME_FOOTER),
/* harmony export */   SLOT_NAME_HEADER: () =&gt; (/* binding */ SLOT_NAME_HEADER),
/* harmony export */   SLOT_NAME_HEADER_CLOSE: () =&gt; (/* binding */ SLOT_NAME_HEADER_CLOSE),
/* harmony export */   SLOT_NAME_ICON_CLEAR: () =&gt; (/* binding */ SLOT_NAME_ICON_CLEAR),
/* harmony export */   SLOT_NAME_ICON_EMPTY: () =&gt; (/* binding */ SLOT_NAME_ICON_EMPTY),
/* harmony export */   SLOT_NAME_ICON_FULL: () =&gt; (/* binding */ SLOT_NAME_ICON_FULL),
/* harmony export */   SLOT_NAME_ICON_HALF: () =&gt; (/* binding */ SLOT_NAME_ICON_HALF),
/* harmony export */   SLOT_NAME_IMG: () =&gt; (/* binding */ SLOT_NAME_IMG),
/* harmony export */   SLOT_NAME_INCREMENT: () =&gt; (/* binding */ SLOT_NAME_INCREMENT),
/* harmony export */   SLOT_NAME_INVALID_FEEDBACK: () =&gt; (/* binding */ SLOT_NAME_INVALID_FEEDBACK),
/* harmony export */   SLOT_NAME_LABEL: () =&gt; (/* binding */ SLOT_NAME_LABEL),
/* harmony export */   SLOT_NAME_LAST_TEXT: () =&gt; (/* binding */ SLOT_NAME_LAST_TEXT),
/* harmony export */   SLOT_NAME_LEAD: () =&gt; (/* binding */ SLOT_NAME_LEAD),
/* harmony export */   SLOT_NAME_LOADING: () =&gt; (/* binding */ SLOT_NAME_LOADING),
/* harmony export */   SLOT_NAME_MODAL_BACKDROP: () =&gt; (/* binding */ SLOT_NAME_MODAL_BACKDROP),
/* harmony export */   SLOT_NAME_MODAL_CANCEL: () =&gt; (/* binding */ SLOT_NAME_MODAL_CANCEL),
/* harmony export */   SLOT_NAME_MODAL_FOOTER: () =&gt; (/* binding */ SLOT_NAME_MODAL_FOOTER),
/* harmony export */   SLOT_NAME_MODAL_HEADER: () =&gt; (/* binding */ SLOT_NAME_MODAL_HEADER),
/* harmony export */   SLOT_NAME_MODAL_HEADER_CLOSE: () =&gt; (/* binding */ SLOT_NAME_MODAL_HEADER_CLOSE),
/* harmony export */   SLOT_NAME_MODAL_OK: () =&gt; (/* binding */ SLOT_NAME_MODAL_OK),
/* harmony export */   SLOT_NAME_MODAL_TITLE: () =&gt; (/* binding */ SLOT_NAME_MODAL_TITLE),
/* harmony export */   SLOT_NAME_NAV_NEXT_DECADE: () =&gt; (/* binding */ SLOT_NAME_NAV_NEXT_DECADE),
/* harmony export */   SLOT_NAME_NAV_NEXT_MONTH: () =&gt; (/* binding */ SLOT_NAME_NAV_NEXT_MONTH),
/* harmony export */   SLOT_NAME_NAV_NEXT_YEAR: () =&gt; (/* binding */ SLOT_NAME_NAV_NEXT_YEAR),
/* harmony export */   SLOT_NAME_NAV_PEV_DECADE: () =&gt; (/* binding */ SLOT_NAME_NAV_PEV_DECADE),
/* harmony export */   SLOT_NAME_NAV_PEV_MONTH: () =&gt; (/* binding */ SLOT_NAME_NAV_PEV_MONTH),
/* harmony export */   SLOT_NAME_NAV_PEV_YEAR: () =&gt; (/* binding */ SLOT_NAME_NAV_PEV_YEAR),
/* harmony export */   SLOT_NAME_NAV_THIS_MONTH: () =&gt; (/* binding */ SLOT_NAME_NAV_THIS_MONTH),
/* harmony export */   SLOT_NAME_NEXT_TEXT: () =&gt; (/* binding */ SLOT_NAME_NEXT_TEXT),
/* harmony export */   SLOT_NAME_OVERLAY: () =&gt; (/* binding */ SLOT_NAME_OVERLAY),
/* harmony export */   SLOT_NAME_PAGE: () =&gt; (/* binding */ SLOT_NAME_PAGE),
/* harmony export */   SLOT_NAME_PLACEHOLDER: () =&gt; (/* binding */ SLOT_NAME_PLACEHOLDER),
/* harmony export */   SLOT_NAME_PREPEND: () =&gt; (/* binding */ SLOT_NAME_PREPEND),
/* harmony export */   SLOT_NAME_PREV_TEXT: () =&gt; (/* binding */ SLOT_NAME_PREV_TEXT),
/* harmony export */   SLOT_NAME_ROW_DETAILS: () =&gt; (/* binding */ SLOT_NAME_ROW_DETAILS),
/* harmony export */   SLOT_NAME_TABLE_BUSY: () =&gt; (/* binding */ SLOT_NAME_TABLE_BUSY),
/* harmony export */   SLOT_NAME_TABLE_CAPTION: () =&gt; (/* binding */ SLOT_NAME_TABLE_CAPTION),
/* harmony export */   SLOT_NAME_TABLE_COLGROUP: () =&gt; (/* binding */ SLOT_NAME_TABLE_COLGROUP),
/* harmony export */   SLOT_NAME_TABS_END: () =&gt; (/* binding */ SLOT_NAME_TABS_END),
/* harmony export */   SLOT_NAME_TABS_START: () =&gt; (/* binding */ SLOT_NAME_TABS_START),
/* harmony export */   SLOT_NAME_TEXT: () =&gt; (/* binding */ SLOT_NAME_TEXT),
/* harmony export */   SLOT_NAME_THEAD_TOP: () =&gt; (/* binding */ SLOT_NAME_THEAD_TOP),
/* harmony export */   SLOT_NAME_TITLE: () =&gt; (/* binding */ SLOT_NAME_TITLE),
/* harmony export */   SLOT_NAME_TOAST_TITLE: () =&gt; (/* binding */ SLOT_NAME_TOAST_TITLE),
/* harmony export */   SLOT_NAME_TOP_ROW: () =&gt; (/* binding */ SLOT_NAME_TOP_ROW),
/* harmony export */   SLOT_NAME_VALID_FEEDBACK: () =&gt; (/* binding */ SLOT_NAME_VALID_FEEDBACK)
/* harmony export */ });
var SLOT_NAME_ADD_BUTTON_TEXT = 'add-button-text';
var SLOT_NAME_APPEND = 'append';
var SLOT_NAME_ASIDE = 'aside';
var SLOT_NAME_BADGE = 'badge';
var SLOT_NAME_BOTTOM_ROW = 'bottom-row';
var SLOT_NAME_BUTTON_CONTENT = 'button-content';
var SLOT_NAME_CUSTOM_FOOT = 'custom-foot';
var SLOT_NAME_DECREMENT = 'decrement';
var SLOT_NAME_DEFAULT = 'default';
var SLOT_NAME_DESCRIPTION = 'description';
var SLOT_NAME_DISMISS = 'dismiss';
var SLOT_NAME_DROP_PLACEHOLDER = 'drop-placeholder';
var SLOT_NAME_ELLIPSIS_TEXT = 'ellipsis-text';
var SLOT_NAME_EMPTY = 'empty';
var SLOT_NAME_EMPTYFILTERED = 'emptyfiltered';
var SLOT_NAME_FILE_NAME = 'file-name';
var SLOT_NAME_FIRST = 'first';
var SLOT_NAME_FIRST_TEXT = 'first-text';
var SLOT_NAME_FOOTER = 'footer';
var SLOT_NAME_HEADER = 'header';
var SLOT_NAME_HEADER_CLOSE = 'header-close';
var SLOT_NAME_ICON_CLEAR = 'icon-clear';
var SLOT_NAME_ICON_EMPTY = 'icon-empty';
var SLOT_NAME_ICON_FULL = 'icon-full';
var SLOT_NAME_ICON_HALF = 'icon-half';
var SLOT_NAME_IMG = 'img';
var SLOT_NAME_INCREMENT = 'increment';
var SLOT_NAME_INVALID_FEEDBACK = 'invalid-feedback';
var SLOT_NAME_LABEL = 'label';
var SLOT_NAME_LAST_TEXT = 'last-text';
var SLOT_NAME_LEAD = 'lead';
var SLOT_NAME_LOADING = 'loading';
var SLOT_NAME_MODAL_BACKDROP = 'modal-backdrop';
var SLOT_NAME_MODAL_CANCEL = 'modal-cancel';
var SLOT_NAME_MODAL_FOOTER = 'modal-footer';
var SLOT_NAME_MODAL_HEADER = 'modal-header';
var SLOT_NAME_MODAL_HEADER_CLOSE = 'modal-header-close';
var SLOT_NAME_MODAL_OK = 'modal-ok';
var SLOT_NAME_MODAL_TITLE = 'modal-title';
var SLOT_NAME_NAV_NEXT_DECADE = 'nav-next-decade';
var SLOT_NAME_NAV_NEXT_MONTH = 'nav-next-month';
var SLOT_NAME_NAV_NEXT_YEAR = 'nav-next-year';
var SLOT_NAME_NAV_PEV_DECADE = 'nav-prev-decade';
var SLOT_NAME_NAV_PEV_MONTH = 'nav-prev-month';
var SLOT_NAME_NAV_PEV_YEAR = 'nav-prev-year';
var SLOT_NAME_NAV_THIS_MONTH = 'nav-this-month';
var SLOT_NAME_NEXT_TEXT = 'next-text';
var SLOT_NAME_OVERLAY = 'overlay';
var SLOT_NAME_PAGE = 'page';
var SLOT_NAME_PLACEHOLDER = 'placeholder';
var SLOT_NAME_PREPEND = 'prepend';
var SLOT_NAME_PREV_TEXT = 'prev-text';
var SLOT_NAME_ROW_DETAILS = 'row-details';
var SLOT_NAME_TABLE_BUSY = 'table-busy';
var SLOT_NAME_TABLE_CAPTION = 'table-caption';
var SLOT_NAME_TABLE_COLGROUP = 'table-colgroup';
var SLOT_NAME_TABS_END = 'tabs-end';
var SLOT_NAME_TABS_START = 'tabs-start';
var SLOT_NAME_TEXT = 'text';
var SLOT_NAME_THEAD_TOP = 'thead-top';
var SLOT_NAME_TITLE = 'title';
var SLOT_NAME_TOAST_TITLE = 'toast-title';
var SLOT_NAME_TOP_ROW = 'top-row';
var SLOT_NAME_VALID_FEEDBACK = 'valid-feedback';

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/hover/hover.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/hover/hover.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBHover: () =&gt; (/* binding */ VBHover)
/* harmony export */ });
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
// v-b-hover directive



 // --- Constants ---

var PROP = '__BV_hover_handler__';
var MOUSEENTER = 'mouseenter';
var MOUSELEAVE = 'mouseleave'; // --- Helper methods ---

var createListener = function createListener(handler) {
  var listener = function listener(event) {
    handler(event.type === MOUSEENTER, event);
  };

  listener.fn = handler;
  return listener;
};

var updateListeners = function updateListeners(on, el, listener) {
  (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOnOff)(on, el, MOUSEENTER, listener, _constants_events__WEBPACK_IMPORTED_MODULE_1__.EVENT_OPTIONS_NO_CAPTURE);
  (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOnOff)(on, el, MOUSELEAVE, listener, _constants_events__WEBPACK_IMPORTED_MODULE_1__.EVENT_OPTIONS_NO_CAPTURE);
}; // --- Directive bind/unbind/update handler ---


var directive = function directive(el, _ref) {
  var _ref$value = _ref.value,
      handler = _ref$value === void 0 ? null : _ref$value;

  if (_constants_env__WEBPACK_IMPORTED_MODULE_2__.IS_BROWSER) {
    var listener = el[PROP];
    var hasListener = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(listener);
    var handlerChanged = !(hasListener &amp;&amp; listener.fn === handler);

    if (hasListener &amp;&amp; handlerChanged) {
      updateListeners(false, el, listener);
      delete el[PROP];
    }

    if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(handler) &amp;&amp; handlerChanged) {
      el[PROP] = createListener(handler);
      updateListeners(true, el, el[PROP]);
    }
  }
}; // VBHover directive


var VBHover = {
  bind: directive,
  componentUpdated: directive,
  unbind: function unbind(el) {
    directive(el, {
      value: null
    });
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/hover/index.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/hover/index.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBHover: () =&gt; (/* reexport safe */ _hover__WEBPACK_IMPORTED_MODULE_1__.VBHover),
/* harmony export */   VBHoverPlugin: () =&gt; (/* binding */ VBHoverPlugin)
/* harmony export */ });
/* harmony import */ var _hover__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./hover */ "./node_modules/bootstrap-vue/esm/directives/hover/hover.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var VBHoverPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  directives: {
    VBHover: _hover__WEBPACK_IMPORTED_MODULE_1__.VBHover
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/index.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/index.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   directivesPlugin: () =&gt; (/* binding */ directivesPlugin)
/* harmony export */ });
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");
/* harmony import */ var _hover__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./hover */ "./node_modules/bootstrap-vue/esm/directives/hover/index.js");
/* harmony import */ var _modal__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./modal */ "./node_modules/bootstrap-vue/esm/directives/modal/index.js");
/* harmony import */ var _popover__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./popover */ "./node_modules/bootstrap-vue/esm/directives/popover/index.js");
/* harmony import */ var _scrollspy__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./scrollspy */ "./node_modules/bootstrap-vue/esm/directives/scrollspy/index.js");
/* harmony import */ var _toggle__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./toggle */ "./node_modules/bootstrap-vue/esm/directives/toggle/index.js");
/* harmony import */ var _tooltip__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./tooltip */ "./node_modules/bootstrap-vue/esm/directives/tooltip/index.js");
/* harmony import */ var _visible__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./visible */ "./node_modules/bootstrap-vue/esm/directives/visible/index.js");







 // Main plugin for installing all directive plugins

var directivesPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  plugins: {
    VBHoverPlugin: _hover__WEBPACK_IMPORTED_MODULE_1__.VBHoverPlugin,
    VBModalPlugin: _modal__WEBPACK_IMPORTED_MODULE_2__.VBModalPlugin,
    VBPopoverPlugin: _popover__WEBPACK_IMPORTED_MODULE_3__.VBPopoverPlugin,
    VBScrollspyPlugin: _scrollspy__WEBPACK_IMPORTED_MODULE_4__.VBScrollspyPlugin,
    VBTogglePlugin: _toggle__WEBPACK_IMPORTED_MODULE_5__.VBTogglePlugin,
    VBTooltipPlugin: _tooltip__WEBPACK_IMPORTED_MODULE_6__.VBTooltipPlugin,
    VBVisiblePlugin: _visible__WEBPACK_IMPORTED_MODULE_7__.VBVisiblePlugin
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/modal/index.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/modal/index.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBModal: () =&gt; (/* reexport safe */ _modal__WEBPACK_IMPORTED_MODULE_1__.VBModal),
/* harmony export */   VBModalPlugin: () =&gt; (/* binding */ VBModalPlugin)
/* harmony export */ });
/* harmony import */ var _modal__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./modal */ "./node_modules/bootstrap-vue/esm/directives/modal/modal.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var VBModalPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  directives: {
    VBModal: _modal__WEBPACK_IMPORTED_MODULE_1__.VBModal
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/modal/modal.js":
/*!******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/modal/modal.js ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBModal: () =&gt; (/* binding */ VBModal)
/* harmony export */ });
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_get_event_root__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/get-event-root */ "./node_modules/bootstrap-vue/esm/utils/get-event-root.js");
/* harmony import */ var _utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/get-instance-from-directive */ "./node_modules/bootstrap-vue/esm/utils/get-instance-from-directive.js");








 // Emitted show event for modal

var ROOT_ACTION_EVENT_NAME_SHOW = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_MODAL, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOW); // Prop name we use to store info on root element

var PROPERTY = '__bv_modal_directive__';

var getTarget = function getTarget(_ref) {
  var _ref$modifiers = _ref.modifiers,
      modifiers = _ref$modifiers === void 0 ? {} : _ref$modifiers,
      arg = _ref.arg,
      value = _ref.value;
  // Try value, then arg, otherwise pick last modifier
  return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isString)(value) ? value : (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isString)(arg) ? arg : (0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.keys)(modifiers).reverse()[0];
};

var getTriggerElement = function getTriggerElement(el) {
  // If root element is a dropdown-item or nav-item, we
  // need to target the inner link or button instead
  return el &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.matches)(el, '.dropdown-menu &gt; li, li.nav-item') ? (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.select)('a, button', el) || el : el;
};

var setRole = function setRole(trigger) {
  // Ensure accessibility on non button elements
  if (trigger &amp;&amp; trigger.tagName !== 'BUTTON') {
    // Only set a role if the trigger element doesn't have one
    if (!(0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.hasAttr)(trigger, 'role')) {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.setAttr)(trigger, 'role', 'button');
    } // Add a tabindex is not a button or link, and tabindex is not provided


    if (trigger.tagName !== 'A' &amp;&amp; !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.hasAttr)(trigger, 'tabindex')) {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.setAttr)(trigger, 'tabindex', '0');
    }
  }
};

var bind = function bind(el, binding, vnode) {
  var target = getTarget(binding);
  var trigger = getTriggerElement(el);

  if (target &amp;&amp; trigger) {
    var handler = function handler(event) {
      // `currentTarget` is the element with the listener on it
      var currentTarget = event.currentTarget;

      if (!(0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.isDisabled)(currentTarget)) {
        var type = event.type;
        var key = event.keyCode; // Open modal only if trigger is not disabled

        if (type === 'click' || type === 'keydown' &amp;&amp; (key === _constants_key_codes__WEBPACK_IMPORTED_MODULE_6__.CODE_ENTER || key === _constants_key_codes__WEBPACK_IMPORTED_MODULE_6__.CODE_SPACE)) {
          (0,_utils_get_event_root__WEBPACK_IMPORTED_MODULE_7__.getEventRoot)((0,_utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_8__.getInstanceFromDirective)(vnode, binding)).$emit(ROOT_ACTION_EVENT_NAME_SHOW, target, currentTarget);
        }
      }
    };

    el[PROPERTY] = {
      handler: handler,
      target: target,
      trigger: trigger
    }; // If element is not a button, we add `role="button"` for accessibility

    setRole(trigger); // Listen for click events

    (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(trigger, 'click', handler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_PASSIVE);

    if (trigger.tagName !== 'BUTTON' &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_5__.getAttr)(trigger, 'role') === 'button') {
      // If trigger isn't a button but has role button,
      // we also listen for `keydown.space` &amp;&amp; `keydown.enter`
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(trigger, 'keydown', handler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_PASSIVE);
    }
  }
};

var unbind = function unbind(el) {
  var oldProp = el[PROPERTY] || {};
  var trigger = oldProp.trigger;
  var handler = oldProp.handler;

  if (trigger &amp;&amp; handler) {
    (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(trigger, 'click', handler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_PASSIVE);
    (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(trigger, 'keydown', handler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_PASSIVE);
    (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(el, 'click', handler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_PASSIVE);
    (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(el, 'keydown', handler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_PASSIVE);
  }

  delete el[PROPERTY];
};

var componentUpdated = function componentUpdated(el, binding, vnode) {
  var oldProp = el[PROPERTY] || {};
  var target = getTarget(binding);
  var trigger = getTriggerElement(el);

  if (target !== oldProp.target || trigger !== oldProp.trigger) {
    // We bind and rebind if the target or trigger changes
    unbind(el, binding, vnode);
    bind(el, binding, vnode);
  } // If trigger element is not a button, ensure `role="button"`
  // is still set for accessibility


  setRole(trigger);
};

var updated = function updated() {};
/*
 * Export our directive
 */


var VBModal = {
  inserted: componentUpdated,
  updated: updated,
  componentUpdated: componentUpdated,
  unbind: unbind
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/popover/index.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/popover/index.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBPopover: () =&gt; (/* reexport safe */ _popover__WEBPACK_IMPORTED_MODULE_1__.VBPopover),
/* harmony export */   VBPopoverPlugin: () =&gt; (/* binding */ VBPopoverPlugin)
/* harmony export */ });
/* harmony import */ var _popover__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./popover */ "./node_modules/bootstrap-vue/esm/directives/popover/popover.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var VBPopoverPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  directives: {
    VBPopover: _popover__WEBPACK_IMPORTED_MODULE_1__.VBPopover
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/popover/popover.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/popover/popover.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBPopover: () =&gt; (/* binding */ VBPopover)
/* harmony export */ });
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_config__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/config */ "./node_modules/bootstrap-vue/esm/utils/config.js");
/* harmony import */ var _utils_get_scope_id__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/get-scope-id */ "./node_modules/bootstrap-vue/esm/utils/get-scope-id.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../utils/get-instance-from-directive */ "./node_modules/bootstrap-vue/esm/utils/get-instance-from-directive.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/create-new-child-component */ "./node_modules/bootstrap-vue/esm/utils/create-new-child-component.js");
/* harmony import */ var _components_popover_helpers_bv_popover__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../components/popover/helpers/bv-popover */ "./node_modules/bootstrap-vue/esm/components/popover/helpers/bv-popover.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }















 // Key which we use to store tooltip object on element

var BV_POPOVER = '__BV_Popover__'; // Default trigger

var DefaultTrigger = 'click'; // Valid event triggers

var validTriggers = {
  focus: true,
  hover: true,
  click: true,
  blur: true,
  manual: true
}; // Directive modifier test regular expressions. Pre-compile for performance

var htmlRE = /^html$/i;
var noFadeRE = /^nofade$/i;
var placementRE = /^(auto|top(left|right)?|bottom(left|right)?|left(top|bottom)?|right(top|bottom)?)$/i;
var boundaryRE = /^(window|viewport|scrollParent)$/i;
var delayRE = /^d\d+$/i;
var delayShowRE = /^ds\d+$/i;
var delayHideRE = /^dh\d+$/i;
var offsetRE = /^o-?\d+$/i;
var variantRE = /^v-.+$/i;
var spacesRE = /\s+/; // Build a Popover config based on bindings (if any)
// Arguments and modifiers take precedence over passed value config object

var parseBindings = function parseBindings(bindings, vnode)
/* istanbul ignore next: not easy to test */
{
  // We start out with a basic config
  var config = {
    title: undefined,
    content: undefined,
    trigger: '',
    // Default set below if needed
    placement: 'right',
    fallbackPlacement: 'flip',
    container: false,
    // Default of body
    animation: true,
    offset: 0,
    disabled: false,
    id: null,
    html: false,
    delay: (0,_utils_config__WEBPACK_IMPORTED_MODULE_0__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_POPOVER, 'delay', 50),
    boundary: String((0,_utils_config__WEBPACK_IMPORTED_MODULE_0__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_POPOVER, 'boundary', 'scrollParent')),
    boundaryPadding: (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)((0,_utils_config__WEBPACK_IMPORTED_MODULE_0__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_POPOVER, 'boundaryPadding', 5), 0),
    variant: (0,_utils_config__WEBPACK_IMPORTED_MODULE_0__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_POPOVER, 'variant'),
    customClass: (0,_utils_config__WEBPACK_IMPORTED_MODULE_0__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_POPOVER, 'customClass')
  }; // Process `bindings.value`

  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isString)(bindings.value) || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isNumber)(bindings.value)) {
    // Value is popover content (html optionally supported)
    config.content = bindings.value;
  } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(bindings.value)) {
    // Content generator function
    config.content = bindings.value;
  } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isPlainObject)(bindings.value)) {
    // Value is config object, so merge
    config = _objectSpread(_objectSpread({}, config), bindings.value);
  } // If argument, assume element ID of container element


  if (bindings.arg) {
    // Element ID specified as arg
    // We must prepend '#' to become a CSS selector
    config.container = "#".concat(bindings.arg);
  } // If title is not provided, try title attribute


  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isUndefined)(config.title)) {
    // Try attribute
    var data = vnode.data || {};
    config.title = data.attrs &amp;&amp; !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isUndefinedOrNull)(data.attrs.title) ? data.attrs.title : undefined;
  } // Normalize delay


  if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isPlainObject)(config.delay)) {
    config.delay = {
      show: (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(config.delay, 0),
      hide: (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(config.delay, 0)
    };
  } // Process modifiers


  (0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.keys)(bindings.modifiers).forEach(function (mod) {
    if (htmlRE.test(mod)) {
      // Title/content allows HTML
      config.html = true;
    } else if (noFadeRE.test(mod)) {
      // No animation
      config.animation = false;
    } else if (placementRE.test(mod)) {
      // Placement of popover
      config.placement = mod;
    } else if (boundaryRE.test(mod)) {
      // Boundary of popover
      mod = mod === 'scrollparent' ? 'scrollParent' : mod;
      config.boundary = mod;
    } else if (delayRE.test(mod)) {
      // Delay value
      var delay = (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(mod.slice(1), 0);
      config.delay.show = delay;
      config.delay.hide = delay;
    } else if (delayShowRE.test(mod)) {
      // Delay show value
      config.delay.show = (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(mod.slice(2), 0);
    } else if (delayHideRE.test(mod)) {
      // Delay hide value
      config.delay.hide = (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(mod.slice(2), 0);
    } else if (offsetRE.test(mod)) {
      // Offset value, negative allowed
      config.offset = (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(mod.slice(1), 0);
    } else if (variantRE.test(mod)) {
      // Variant
      config.variant = mod.slice(2) || null;
    }
  }); // Special handling of event trigger modifiers trigger is
  // a space separated list

  var selectedTriggers = {}; // Parse current config object trigger

  (0,_utils_array__WEBPACK_IMPORTED_MODULE_5__.concat)(config.trigger || '').filter(_utils_identity__WEBPACK_IMPORTED_MODULE_6__.identity).join(' ').trim().toLowerCase().split(spacesRE).forEach(function (trigger) {
    if (validTriggers[trigger]) {
      selectedTriggers[trigger] = true;
    }
  }); // Parse modifiers for triggers

  (0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.keys)(bindings.modifiers).forEach(function (mod) {
    mod = mod.toLowerCase();

    if (validTriggers[mod]) {
      // If modifier is a valid trigger
      selectedTriggers[mod] = true;
    }
  }); // Sanitize triggers

  config.trigger = (0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.keys)(selectedTriggers).join(' ');

  if (config.trigger === 'blur') {
    // Blur by itself is useless, so convert it to 'focus'
    config.trigger = 'focus';
  }

  if (!config.trigger) {
    // Use default trigger
    config.trigger = DefaultTrigger;
  }

  return config;
}; // Add or update Popover on our element


var applyPopover = function applyPopover(el, bindings, vnode) {
  if (!_constants_env__WEBPACK_IMPORTED_MODULE_7__.IS_BROWSER) {
    /* istanbul ignore next */
    return;
  }

  var config = parseBindings(bindings, vnode);

  if (!el[BV_POPOVER]) {
    var parent = (0,_utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_8__.getInstanceFromDirective)(vnode, bindings);
    el[BV_POPOVER] = (0,_utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_9__.createNewChildComponent)(parent, _components_popover_helpers_bv_popover__WEBPACK_IMPORTED_MODULE_10__.BVPopover, {
      // Add the parent's scoped style attribute data
      _scopeId: (0,_utils_get_scope_id__WEBPACK_IMPORTED_MODULE_11__.getScopeId)(parent, undefined)
    });
    el[BV_POPOVER].__bv_prev_data__ = {};
    el[BV_POPOVER].$on(_constants_events__WEBPACK_IMPORTED_MODULE_12__.EVENT_NAME_SHOW, function ()
    /* istanbul ignore next: for now */
    {
      // Before showing the popover, we update the title
      // and content if they are functions
      var data = {};

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(config.title)) {
        data.title = config.title(el);
      }

      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(config.content)) {
        data.content = config.content(el);
      }

      if ((0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.keys)(data).length &gt; 0) {
        el[BV_POPOVER].updateData(data);
      }
    });
  }

  var data = {
    title: config.title,
    content: config.content,
    triggers: config.trigger,
    placement: config.placement,
    fallbackPlacement: config.fallbackPlacement,
    variant: config.variant,
    customClass: config.customClass,
    container: config.container,
    boundary: config.boundary,
    delay: config.delay,
    offset: config.offset,
    noFade: !config.animation,
    id: config.id,
    disabled: config.disabled,
    html: config.html
  };
  var oldData = el[BV_POPOVER].__bv_prev_data__;
  el[BV_POPOVER].__bv_prev_data__ = data;

  if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_13__.looseEqual)(data, oldData)) {
    // We only update the instance if data has changed
    var newData = {
      target: el
    };
    (0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.keys)(data).forEach(function (prop) {
      // We only pass data properties that have changed
      if (data[prop] !== oldData[prop]) {
        // If title/content is a function, we execute it here
        newData[prop] = (prop === 'title' || prop === 'content') &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(data[prop]) ?
        /* istanbul ignore next */
        data[prop](el) : data[prop];
      }
    });
    el[BV_POPOVER].updateData(newData);
  }
}; // Remove Popover from our element


var removePopover = function removePopover(el) {
  if (el[BV_POPOVER]) {
    el[BV_POPOVER].$destroy();
    el[BV_POPOVER] = null;
  }

  delete el[BV_POPOVER];
}; // Export our directive


var VBPopover = {
  bind: function bind(el, bindings, vnode) {
    applyPopover(el, bindings, vnode);
  },
  // We use `componentUpdated` here instead of `update`, as the former
  // waits until the containing component and children have finished updating
  componentUpdated: function componentUpdated(el, bindings, vnode) {
    // Performed in a `$nextTick()` to prevent endless render/update loops
    (0,_vue__WEBPACK_IMPORTED_MODULE_14__.nextTick)(function () {
      applyPopover(el, bindings, vnode);
    });
  },
  unbind: function unbind(el) {
    removePopover(el);
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/scrollspy/helpers/bv-scrollspy.class.js":
/*!*******************************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/scrollspy/helpers/bv-scrollspy.class.js ***!
  \*******************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVScrollspy: () =&gt; (/* binding */ BVScrollspy)
/* harmony export */ });
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_observe_dom__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../../utils/observe-dom */ "./node_modules/bootstrap-vue/esm/utils/observe-dom.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _defineProperties(target, props) { for (var i = 0; i &lt; 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); } }

function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, "prototype", { writable: false }); return Constructor; }

/*
 * Scrollspy class definition
 */











/*
 * Constants / Defaults
 */

var NAME = 'v-b-scrollspy';
var CLASS_NAME_DROPDOWN_ITEM = 'dropdown-item';
var CLASS_NAME_ACTIVE = 'active';
var SELECTOR_NAV_LIST_GROUP = '.nav, .list-group';
var SELECTOR_NAV_LINKS = '.nav-link';
var SELECTOR_NAV_ITEMS = '.nav-item';
var SELECTOR_LIST_ITEMS = '.list-group-item';
var SELECTOR_DROPDOWN = '.dropdown, .dropup';
var SELECTOR_DROPDOWN_ITEMS = '.dropdown-item';
var SELECTOR_DROPDOWN_TOGGLE = '.dropdown-toggle';
var ROOT_EVENT_NAME_ACTIVATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)('BVScrollspy', 'activate');
var METHOD_OFFSET = 'offset';
var METHOD_POSITION = 'position';
var Default = {
  element: 'body',
  offset: 10,
  method: 'auto',
  throttle: 75
};
var DefaultType = {
  element: '(string|element|component)',
  offset: 'number',
  method: 'string',
  throttle: 'number'
}; // Transition Events

var TransitionEndEvents = ['webkitTransitionEnd', 'transitionend', 'otransitionend', 'oTransitionEnd'];
/*
 * Utility Methods
 */
// Better var type detection

var toType = function toType(obj)
/* istanbul ignore next: not easy to test */
{
  return (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.toString)(obj).match(/\s([a-zA-Z]+)/)[1].toLowerCase();
}; // Check config properties for expected types

/* istanbul ignore next */


var typeCheckConfig = function typeCheckConfig(componentName, config, configTypes)
/* istanbul ignore next: not easy to test */
{
  for (var property in configTypes) {
    if ((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.hasOwnProperty)(configTypes, property)) {
      var expectedTypes = configTypes[property];
      var value = config[property];
      var valueType = value &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.isElement)(value) ? 'element' : toType(value); // handle Vue instances

      valueType = value &amp;&amp; value._isVue ? 'component' : valueType;

      if (!new RegExp(expectedTypes).test(valueType)) {
        /* istanbul ignore next */
        (0,_utils_warn__WEBPACK_IMPORTED_MODULE_3__.warn)("".concat(componentName, ": Option \"").concat(property, "\" provided type \"").concat(valueType, "\" but expected type \"").concat(expectedTypes, "\""));
      }
    }
  }
};
/*
 * ------------------------------------------------------------------------
 * Class Definition
 * ------------------------------------------------------------------------
 */

/* istanbul ignore next: not easy to test */


var BVScrollspy
/* istanbul ignore next: not easy to test */
= /*#__PURE__*/function () {
  function BVScrollspy(element, config, $root) {
    _classCallCheck(this, BVScrollspy);

    // The element we activate links in
    this.$el = element;
    this.$scroller = null;
    this.$selector = [SELECTOR_NAV_LINKS, SELECTOR_LIST_ITEMS, SELECTOR_DROPDOWN_ITEMS].join(',');
    this.$offsets = [];
    this.$targets = [];
    this.$activeTarget = null;
    this.$scrollHeight = 0;
    this.$resizeTimeout = null;
    this.$scrollerObserver = null;
    this.$targetsObserver = null;
    this.$root = $root || null;
    this.$config = null;
    this.updateConfig(config);
  }

  _createClass(BVScrollspy, [{
    key: "updateConfig",
    value: function updateConfig(config, $root) {
      if (this.$scroller) {
        // Just in case out scroll element has changed
        this.unlisten();
        this.$scroller = null;
      }

      var cfg = _objectSpread(_objectSpread({}, this.constructor.Default), config);

      if ($root) {
        this.$root = $root;
      }

      typeCheckConfig(this.constructor.Name, cfg, this.constructor.DefaultType);
      this.$config = cfg;

      if (this.$root) {
        var self = this;
        this.$root.$nextTick(function () {
          self.listen();
        });
      } else {
        this.listen();
      }
    }
  }, {
    key: "dispose",
    value: function dispose() {
      this.unlisten();
      clearTimeout(this.$resizeTimeout);
      this.$resizeTimeout = null;
      this.$el = null;
      this.$config = null;
      this.$scroller = null;
      this.$selector = null;
      this.$offsets = null;
      this.$targets = null;
      this.$activeTarget = null;
      this.$scrollHeight = null;
    }
  }, {
    key: "listen",
    value: function listen() {
      var _this = this;

      var scroller = this.getScroller();

      if (scroller &amp;&amp; scroller.tagName !== 'BODY') {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(scroller, 'scroll', this, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_OPTIONS_NO_CAPTURE);
      }

      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(window, 'scroll', this, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_OPTIONS_NO_CAPTURE);
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(window, 'resize', this, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_OPTIONS_NO_CAPTURE);
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(window, 'orientationchange', this, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_OPTIONS_NO_CAPTURE);
      TransitionEndEvents.forEach(function (eventName) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(window, eventName, _this, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_OPTIONS_NO_CAPTURE);
      });
      this.setObservers(true); // Schedule a refresh

      this.handleEvent('refresh');
    }
  }, {
    key: "unlisten",
    value: function unlisten() {
      var _this2 = this;

      var scroller = this.getScroller();
      this.setObservers(false);

      if (scroller &amp;&amp; scroller.tagName !== 'BODY') {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(scroller, 'scroll', this, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_OPTIONS_NO_CAPTURE);
      }

      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(window, 'scroll', this, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_OPTIONS_NO_CAPTURE);
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(window, 'resize', this, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_OPTIONS_NO_CAPTURE);
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(window, 'orientationchange', this, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_OPTIONS_NO_CAPTURE);
      TransitionEndEvents.forEach(function (eventName) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(window, eventName, _this2, _constants_events__WEBPACK_IMPORTED_MODULE_4__.EVENT_OPTIONS_NO_CAPTURE);
      });
    }
  }, {
    key: "setObservers",
    value: function setObservers(on) {
      var _this3 = this;

      // We observe both the scroller for content changes, and the target links
      this.$scrollerObserver &amp;&amp; this.$scrollerObserver.disconnect();
      this.$targetsObserver &amp;&amp; this.$targetsObserver.disconnect();
      this.$scrollerObserver = null;
      this.$targetsObserver = null;

      if (on) {
        this.$targetsObserver = (0,_utils_observe_dom__WEBPACK_IMPORTED_MODULE_5__.observeDom)(this.$el, function () {
          _this3.handleEvent('mutation');
        }, {
          subtree: true,
          childList: true,
          attributes: true,
          attributeFilter: ['href']
        });
        this.$scrollerObserver = (0,_utils_observe_dom__WEBPACK_IMPORTED_MODULE_5__.observeDom)(this.getScroller(), function () {
          _this3.handleEvent('mutation');
        }, {
          subtree: true,
          childList: true,
          characterData: true,
          attributes: true,
          attributeFilter: ['id', 'style', 'class']
        });
      }
    } // General event handler

  }, {
    key: "handleEvent",
    value: function handleEvent(event) {
      var type = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isString)(event) ? event : event.type;
      var self = this;

      var resizeThrottle = function resizeThrottle() {
        if (!self.$resizeTimeout) {
          self.$resizeTimeout = setTimeout(function () {
            self.refresh();
            self.process();
            self.$resizeTimeout = null;
          }, self.$config.throttle);
        }
      };

      if (type === 'scroll') {
        if (!this.$scrollerObserver) {
          // Just in case we are added to the DOM before the scroll target is
          // We re-instantiate our listeners, just in case
          this.listen();
        }

        this.process();
      } else if (/(resize|orientationchange|mutation|refresh)/.test(type)) {
        // Postpone these events by throttle time
        resizeThrottle();
      }
    } // Refresh the list of target links on the element we are applied to

  }, {
    key: "refresh",
    value: function refresh() {
      var _this4 = this;

      var scroller = this.getScroller();

      if (!scroller) {
        return;
      }

      var autoMethod = scroller !== scroller.window ? METHOD_POSITION : METHOD_OFFSET;
      var method = this.$config.method === 'auto' ? autoMethod : this.$config.method;
      var methodFn = method === METHOD_POSITION ? _utils_dom__WEBPACK_IMPORTED_MODULE_2__.position : _utils_dom__WEBPACK_IMPORTED_MODULE_2__.offset;
      var offsetBase = method === METHOD_POSITION ? this.getScrollTop() : 0;
      this.$offsets = [];
      this.$targets = [];
      this.$scrollHeight = this.getScrollHeight(); // Find all the unique link HREFs that we will control

      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.selectAll)(this.$selector, this.$el) // Get HREF value
      .map(function (link) {
        return (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getAttr)(link, 'href');
      }) // Filter out HREFs that do not match our RegExp
      .filter(function (href) {
        return href &amp;&amp; _constants_regex__WEBPACK_IMPORTED_MODULE_7__.RX_HREF.test(href || '');
      }) // Find all elements with ID that match HREF hash
      .map(function (href) {
        // Convert HREF into an ID (including # at beginning)
        var id = href.replace(_constants_regex__WEBPACK_IMPORTED_MODULE_7__.RX_HREF, '$1').trim();

        if (!id) {
          return null;
        } // Find the element with the ID specified by id


        var el = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.select)(id, scroller);

        if (el &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.isVisible)(el)) {
          return {
            offset: (0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toInteger)(methodFn(el).top, 0) + offsetBase,
            target: id
          };
        }

        return null;
      }).filter(_utils_identity__WEBPACK_IMPORTED_MODULE_9__.identity) // Sort them by their offsets (smallest first)
      .sort(function (a, b) {
        return a.offset - b.offset;
      }) // record only unique targets/offsets
      .reduce(function (memo, item) {
        if (!memo[item.target]) {
          _this4.$offsets.push(item.offset);

          _this4.$targets.push(item.target);

          memo[item.target] = true;
        }

        return memo;
      }, {}); // Return this for easy chaining

      return this;
    } // Handle activating/clearing

  }, {
    key: "process",
    value: function process() {
      var scrollTop = this.getScrollTop() + this.$config.offset;
      var scrollHeight = this.getScrollHeight();
      var maxScroll = this.$config.offset + scrollHeight - this.getOffsetHeight();

      if (this.$scrollHeight !== scrollHeight) {
        this.refresh();
      }

      if (scrollTop &gt;= maxScroll) {
        var target = this.$targets[this.$targets.length - 1];

        if (this.$activeTarget !== target) {
          this.activate(target);
        }

        return;
      }

      if (this.$activeTarget &amp;&amp; scrollTop &lt; this.$offsets[0] &amp;&amp; this.$offsets[0] &gt; 0) {
        this.$activeTarget = null;
        this.clear();
        return;
      }

      for (var i = this.$offsets.length; i--;) {
        var isActiveTarget = this.$activeTarget !== this.$targets[i] &amp;&amp; scrollTop &gt;= this.$offsets[i] &amp;&amp; ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isUndefined)(this.$offsets[i + 1]) || scrollTop &lt; this.$offsets[i + 1]);

        if (isActiveTarget) {
          this.activate(this.$targets[i]);
        }
      }
    }
  }, {
    key: "getScroller",
    value: function getScroller() {
      if (this.$scroller) {
        return this.$scroller;
      }

      var scroller = this.$config.element;

      if (!scroller) {
        return null;
      } else if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.isElement)(scroller.$el)) {
        scroller = scroller.$el;
      } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isString)(scroller)) {
        scroller = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.select)(scroller);
      }

      if (!scroller) {
        return null;
      }

      this.$scroller = scroller.tagName === 'BODY' ? window : scroller;
      return this.$scroller;
    }
  }, {
    key: "getScrollTop",
    value: function getScrollTop() {
      var scroller = this.getScroller();
      return scroller === window ? scroller.pageYOffset : scroller.scrollTop;
    }
  }, {
    key: "getScrollHeight",
    value: function getScrollHeight() {
      return this.getScroller().scrollHeight || (0,_utils_math__WEBPACK_IMPORTED_MODULE_10__.mathMax)(document.body.scrollHeight, document.documentElement.scrollHeight);
    }
  }, {
    key: "getOffsetHeight",
    value: function getOffsetHeight() {
      var scroller = this.getScroller();
      return scroller === window ? window.innerHeight : (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.getBCR)(scroller).height;
    }
  }, {
    key: "activate",
    value: function activate(target) {
      var _this5 = this;

      this.$activeTarget = target;
      this.clear(); // Grab the list of target links (&lt;a href="{$target}"&gt;)

      var links = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.selectAll)(this.$selector // Split out the base selectors
      .split(',') // Map to a selector that matches links with HREF ending in the ID (including '#')
      .map(function (selector) {
        return "".concat(selector, "[href$=\"").concat(target, "\"]");
      }) // Join back into a single selector string
      .join(','), this.$el);
      links.forEach(function (link) {
        if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.hasClass)(link, CLASS_NAME_DROPDOWN_ITEM)) {
          // This is a dropdown item, so find the .dropdown-toggle and set its state
          var dropdown = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.closest)(SELECTOR_DROPDOWN, link);

          if (dropdown) {
            _this5.setActiveState((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.select)(SELECTOR_DROPDOWN_TOGGLE, dropdown), true);
          } // Also set this link's state


          _this5.setActiveState(link, true);
        } else {
          // Set triggered link as active
          _this5.setActiveState(link, true);

          if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.matches)(link.parentElement, SELECTOR_NAV_ITEMS)) {
            // Handle nav-link inside nav-item, and set nav-item active
            _this5.setActiveState(link.parentElement, true);
          } // Set triggered links parents as active
          // With both &lt;ul&gt; and &lt;nav&gt; markup a parent is the previous sibling of any nav ancestor


          var el = link;

          while (el) {
            el = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.closest)(SELECTOR_NAV_LIST_GROUP, el);
            var sibling = el ? el.previousElementSibling : null;

            if (sibling &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.matches)(sibling, "".concat(SELECTOR_NAV_LINKS, ", ").concat(SELECTOR_LIST_ITEMS))) {
              _this5.setActiveState(sibling, true);
            } // Handle special case where nav-link is inside a nav-item


            if (sibling &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.matches)(sibling, SELECTOR_NAV_ITEMS)) {
              _this5.setActiveState((0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.select)(SELECTOR_NAV_LINKS, sibling), true); // Add active state to nav-item as well


              _this5.setActiveState(sibling, true);
            }
          }
        }
      }); // Signal event to via $root, passing ID of activated target and reference to array of links

      if (links &amp;&amp; links.length &gt; 0 &amp;&amp; this.$root) {
        this.$root.$emit(ROOT_EVENT_NAME_ACTIVATE, target, links);
      }
    }
  }, {
    key: "clear",
    value: function clear() {
      var _this6 = this;

      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.selectAll)("".concat(this.$selector, ", ").concat(SELECTOR_NAV_ITEMS), this.$el).filter(function (el) {
        return (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.hasClass)(el, CLASS_NAME_ACTIVE);
      }).forEach(function (el) {
        return _this6.setActiveState(el, false);
      });
    }
  }, {
    key: "setActiveState",
    value: function setActiveState(el, active) {
      if (!el) {
        return;
      }

      if (active) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.addClass)(el, CLASS_NAME_ACTIVE);
      } else {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.removeClass)(el, CLASS_NAME_ACTIVE);
      }
    }
  }], [{
    key: "Name",
    get: function get() {
      return NAME;
    }
  }, {
    key: "Default",
    get: function get() {
      return Default;
    }
  }, {
    key: "DefaultType",
    get: function get() {
      return DefaultType;
    }
  }]);

  return BVScrollspy;
}();

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/scrollspy/index.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/scrollspy/index.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBScrollspy: () =&gt; (/* reexport safe */ _scrollspy__WEBPACK_IMPORTED_MODULE_1__.VBScrollspy),
/* harmony export */   VBScrollspyPlugin: () =&gt; (/* binding */ VBScrollspyPlugin)
/* harmony export */ });
/* harmony import */ var _scrollspy__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./scrollspy */ "./node_modules/bootstrap-vue/esm/directives/scrollspy/scrollspy.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var VBScrollspyPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  directives: {
    VBScrollspy: _scrollspy__WEBPACK_IMPORTED_MODULE_1__.VBScrollspy
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/scrollspy/scrollspy.js":
/*!**************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/scrollspy/scrollspy.js ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBScrollspy: () =&gt; (/* binding */ VBScrollspy)
/* harmony export */ });
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_get_event_root__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/get-event-root */ "./node_modules/bootstrap-vue/esm/utils/get-event-root.js");
/* harmony import */ var _utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/get-instance-from-directive */ "./node_modules/bootstrap-vue/esm/utils/get-instance-from-directive.js");
/* harmony import */ var _helpers_bv_scrollspy_class__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./helpers/bv-scrollspy.class */ "./node_modules/bootstrap-vue/esm/directives/scrollspy/helpers/bv-scrollspy.class.js");







 // Key we use to store our instance

var BV_SCROLLSPY = '__BV_Scrollspy__'; // Pre-compiled regular expressions

var onlyDigitsRE = /^\d+$/;
var offsetRE = /^(auto|position|offset)$/; // Build a Scrollspy config based on bindings (if any)
// Arguments and modifiers take precedence over passed value config object

/* istanbul ignore next: not easy to test */

var parseBindings = function parseBindings(bindings)
/* istanbul ignore next: not easy to test */
{
  var config = {}; // If argument, assume element ID

  if (bindings.arg) {
    // Element ID specified as arg
    // We must prepend '#' to become a CSS selector
    config.element = "#".concat(bindings.arg);
  } // Process modifiers


  (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.keys)(bindings.modifiers).forEach(function (mod) {
    if (onlyDigitsRE.test(mod)) {
      // Offset value
      config.offset = (0,_utils_number__WEBPACK_IMPORTED_MODULE_1__.toInteger)(mod, 0);
    } else if (offsetRE.test(mod)) {
      // Offset method
      config.method = mod;
    }
  }); // Process value

  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isString)(bindings.value)) {
    // Value is a CSS ID or selector
    config.element = bindings.value;
  } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isNumber)(bindings.value)) {
    // Value is offset
    config.offset = (0,_utils_math__WEBPACK_IMPORTED_MODULE_3__.mathRound)(bindings.value);
  } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isObject)(bindings.value)) {
    // Value is config object
    // Filter the object based on our supported config options
    (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.keys)(bindings.value).filter(function (k) {
      return !!_helpers_bv_scrollspy_class__WEBPACK_IMPORTED_MODULE_4__.BVScrollspy.DefaultType[k];
    }).forEach(function (k) {
      config[k] = bindings.value[k];
    });
  }

  return config;
}; // Add or update Scrollspy on our element


var applyScrollspy = function applyScrollspy(el, bindings, vnode)
/* istanbul ignore next: not easy to test */
{
  if (!_constants_env__WEBPACK_IMPORTED_MODULE_5__.IS_BROWSER) {
    /* istanbul ignore next */
    return;
  }

  var config = parseBindings(bindings);

  if (el[BV_SCROLLSPY]) {
    el[BV_SCROLLSPY].updateConfig(config, (0,_utils_get_event_root__WEBPACK_IMPORTED_MODULE_6__.getEventRoot)((0,_utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_7__.getInstanceFromDirective)(vnode, bindings)));
  } else {
    el[BV_SCROLLSPY] = new _helpers_bv_scrollspy_class__WEBPACK_IMPORTED_MODULE_4__.BVScrollspy(el, config, (0,_utils_get_event_root__WEBPACK_IMPORTED_MODULE_6__.getEventRoot)((0,_utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_7__.getInstanceFromDirective)(vnode, bindings)));
  }
}; // Remove Scrollspy on our element

/* istanbul ignore next: not easy to test */


var removeScrollspy = function removeScrollspy(el)
/* istanbul ignore next: not easy to test */
{
  if (el[BV_SCROLLSPY]) {
    el[BV_SCROLLSPY].dispose();
    el[BV_SCROLLSPY] = null;
    delete el[BV_SCROLLSPY];
  }
};
/*
 * Export our directive
 */


var VBScrollspy = {
  /* istanbul ignore next: not easy to test */
  bind: function bind(el, bindings, vnode) {
    applyScrollspy(el, bindings, vnode);
  },

  /* istanbul ignore next: not easy to test */
  inserted: function inserted(el, bindings, vnode) {
    applyScrollspy(el, bindings, vnode);
  },

  /* istanbul ignore next: not easy to test */
  update: function update(el, bindings, vnode) {
    if (bindings.value !== bindings.oldValue) {
      applyScrollspy(el, bindings, vnode);
    }
  },

  /* istanbul ignore next: not easy to test */
  componentUpdated: function componentUpdated(el, bindings, vnode) {
    if (bindings.value !== bindings.oldValue) {
      applyScrollspy(el, bindings, vnode);
    }
  },

  /* istanbul ignore next: not easy to test */
  unbind: function unbind(el) {
    removeScrollspy(el);
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/toggle/index.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/toggle/index.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBToggle: () =&gt; (/* reexport safe */ _toggle__WEBPACK_IMPORTED_MODULE_1__.VBToggle),
/* harmony export */   VBTogglePlugin: () =&gt; (/* binding */ VBTogglePlugin)
/* harmony export */ });
/* harmony import */ var _toggle__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./toggle */ "./node_modules/bootstrap-vue/esm/directives/toggle/toggle.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var VBTogglePlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  directives: {
    VBToggle: _toggle__WEBPACK_IMPORTED_MODULE_1__.VBToggle
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/toggle/toggle.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/toggle/toggle.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBToggle: () =&gt; (/* binding */ VBToggle)
/* harmony export */ });
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../utils/get-instance-from-directive */ "./node_modules/bootstrap-vue/esm/utils/get-instance-from-directive.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_get_event_root__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/get-event-root */ "./node_modules/bootstrap-vue/esm/utils/get-event-root.js");












 // --- Constants ---
// Classes to apply to trigger element

var CLASS_BV_TOGGLE_COLLAPSED = 'collapsed';
var CLASS_BV_TOGGLE_NOT_COLLAPSED = 'not-collapsed'; // Property key for handler storage

var BV_BASE = '__BV_toggle'; // Root event listener property (Function)

var BV_TOGGLE_ROOT_HANDLER = "".concat(BV_BASE, "_HANDLER__"); // Trigger element click handler property (Function)

var BV_TOGGLE_CLICK_HANDLER = "".concat(BV_BASE, "_CLICK__"); // Target visibility state property (Boolean)

var BV_TOGGLE_STATE = "".concat(BV_BASE, "_STATE__"); // Target ID list property (Array)

var BV_TOGGLE_TARGETS = "".concat(BV_BASE, "_TARGETS__"); // Commonly used strings

var STRING_FALSE = 'false';
var STRING_TRUE = 'true'; // Commonly used attribute names

var ATTR_ARIA_CONTROLS = 'aria-controls';
var ATTR_ARIA_EXPANDED = 'aria-expanded';
var ATTR_ROLE = 'role';
var ATTR_TABINDEX = 'tabindex'; // Commonly used style properties

var STYLE_OVERFLOW_ANCHOR = 'overflow-anchor'; // Emitted control event for collapse (emitted to collapse)

var ROOT_ACTION_EVENT_NAME_TOGGLE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'toggle'); // Listen to event for toggle state update (emitted by collapse)

var ROOT_EVENT_NAME_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'state'); // Private event emitted on `$root` to ensure the toggle state is always synced
// Gets emitted even if the state of b-collapse has not changed
// This event is NOT to be documented as people should not be using it

var ROOT_EVENT_NAME_SYNC_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'sync-state'); // Private event we send to collapse to request state update sync event

var ROOT_ACTION_EVENT_NAME_REQUEST_STATE = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootActionEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_COLLAPSE, 'request-state');
var KEYDOWN_KEY_CODES = [_constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_ENTER, _constants_key_codes__WEBPACK_IMPORTED_MODULE_2__.CODE_SPACE]; // --- Helper methods ---

var isNonStandardTag = function isNonStandardTag(el) {
  return !(0,_utils_array__WEBPACK_IMPORTED_MODULE_3__.arrayIncludes)(['button', 'a'], el.tagName.toLowerCase());
};

var getTargets = function getTargets(_ref, el) {
  var modifiers = _ref.modifiers,
      arg = _ref.arg,
      value = _ref.value;
  // Any modifiers are considered target IDs
  var targets = (0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.keys)(modifiers || {}); // If value is a string, split out individual targets (if space delimited)

  value = (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isString)(value) ? value.split(_constants_regex__WEBPACK_IMPORTED_MODULE_6__.RX_SPACE_SPLIT) : value; // Support target ID as link href (`href="#id"`)

  if ((0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.isTag)(el.tagName, 'a')) {
    var href = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.getAttr)(el, 'href') || '';

    if (_constants_regex__WEBPACK_IMPORTED_MODULE_6__.RX_HASH_ID.test(href)) {
      targets.push(href.replace(_constants_regex__WEBPACK_IMPORTED_MODULE_6__.RX_HASH, ''));
    }
  } // Add ID from `arg` (if provided), and support value
  // as a single string ID or an array of string IDs
  // If `value` is not an array or string, then it gets filtered out


  (0,_utils_array__WEBPACK_IMPORTED_MODULE_3__.concat)(arg, value).forEach(function (t) {
    return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_5__.isString)(t) &amp;&amp; targets.push(t);
  }); // Return only unique and truthy target IDs

  return targets.filter(function (t, index, arr) {
    return t &amp;&amp; arr.indexOf(t) === index;
  });
};

var removeClickListener = function removeClickListener(el) {
  var handler = el[BV_TOGGLE_CLICK_HANDLER];

  if (handler) {
    (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(el, 'click', handler, _constants_events__WEBPACK_IMPORTED_MODULE_8__.EVENT_OPTIONS_PASSIVE);
    (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOff)(el, 'keydown', handler, _constants_events__WEBPACK_IMPORTED_MODULE_8__.EVENT_OPTIONS_PASSIVE);
  }

  el[BV_TOGGLE_CLICK_HANDLER] = null;
};

var addClickListener = function addClickListener(el, instance) {
  removeClickListener(el);

  if (instance) {
    var handler = function handler(event) {
      if (!(event.type === 'keydown' &amp;&amp; !(0,_utils_array__WEBPACK_IMPORTED_MODULE_3__.arrayIncludes)(KEYDOWN_KEY_CODES, event.keyCode)) &amp;&amp; !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.isDisabled)(el)) {
        var targets = el[BV_TOGGLE_TARGETS] || [];
        targets.forEach(function (target) {
          (0,_utils_get_event_root__WEBPACK_IMPORTED_MODULE_9__.getEventRoot)(instance).$emit(ROOT_ACTION_EVENT_NAME_TOGGLE, target);
        });
      }
    };

    el[BV_TOGGLE_CLICK_HANDLER] = handler;
    (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(el, 'click', handler, _constants_events__WEBPACK_IMPORTED_MODULE_8__.EVENT_OPTIONS_PASSIVE);

    if (isNonStandardTag(el)) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.eventOn)(el, 'keydown', handler, _constants_events__WEBPACK_IMPORTED_MODULE_8__.EVENT_OPTIONS_PASSIVE);
    }
  }
};

var removeRootListeners = function removeRootListeners(el, instance) {
  if (el[BV_TOGGLE_ROOT_HANDLER] &amp;&amp; instance) {
    (0,_utils_get_event_root__WEBPACK_IMPORTED_MODULE_9__.getEventRoot)(instance).$off([ROOT_EVENT_NAME_STATE, ROOT_EVENT_NAME_SYNC_STATE], el[BV_TOGGLE_ROOT_HANDLER]);
  }

  el[BV_TOGGLE_ROOT_HANDLER] = null;
};

var addRootListeners = function addRootListeners(el, instance) {
  removeRootListeners(el, instance);

  if (instance) {
    var handler = function handler(id, state) {
      // `state` will be `true` if target is expanded
      if ((0,_utils_array__WEBPACK_IMPORTED_MODULE_3__.arrayIncludes)(el[BV_TOGGLE_TARGETS] || [], id)) {
        // Set/Clear 'collapsed' visibility class state
        el[BV_TOGGLE_STATE] = state; // Set `aria-expanded` and class state on trigger element

        setToggleState(el, state);
      }
    };

    el[BV_TOGGLE_ROOT_HANDLER] = handler; // Listen for toggle state changes (public) and sync (private)

    (0,_utils_get_event_root__WEBPACK_IMPORTED_MODULE_9__.getEventRoot)(instance).$on([ROOT_EVENT_NAME_STATE, ROOT_EVENT_NAME_SYNC_STATE], handler);
  }
};

var setToggleState = function setToggleState(el, state) {
  // State refers to the visibility of the collapse/sidebar
  if (state) {
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.removeClass)(el, CLASS_BV_TOGGLE_COLLAPSED);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.addClass)(el, CLASS_BV_TOGGLE_NOT_COLLAPSED);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.setAttr)(el, ATTR_ARIA_EXPANDED, STRING_TRUE);
  } else {
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.removeClass)(el, CLASS_BV_TOGGLE_NOT_COLLAPSED);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.addClass)(el, CLASS_BV_TOGGLE_COLLAPSED);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.setAttr)(el, ATTR_ARIA_EXPANDED, STRING_FALSE);
  }
}; // Reset and remove a property from the provided element


var resetProp = function resetProp(el, prop) {
  el[prop] = null;
  delete el[prop];
}; // Handle directive updates


var handleUpdate = function handleUpdate(el, binding, vnode) {
  /* istanbul ignore next: should never happen */
  if (!_constants_env__WEBPACK_IMPORTED_MODULE_10__.IS_BROWSER || !(0,_utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_11__.getInstanceFromDirective)(vnode, binding)) {
    return;
  } // If element is not a button or link, we add `role="button"`
  // and `tabindex="0"` for accessibility reasons


  if (isNonStandardTag(el)) {
    if (!(0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.hasAttr)(el, ATTR_ROLE)) {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.setAttr)(el, ATTR_ROLE, 'button');
    }

    if (!(0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.hasAttr)(el, ATTR_TABINDEX)) {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.setAttr)(el, ATTR_TABINDEX, '0');
    }
  } // Ensure the collapse class and `aria-*` attributes persist
  // after element is updated (either by parent re-rendering
  // or changes to this element or its contents)


  setToggleState(el, el[BV_TOGGLE_STATE]); // Parse list of target IDs

  var targets = getTargets(binding, el); // Ensure the `aria-controls` hasn't been overwritten
  // or removed when vnode updates
  // Also ensure to set `overflow-anchor` to `none` to prevent
  // the browser's scroll anchoring behavior

  /* istanbul ignore else */

  if (targets.length &gt; 0) {
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.setAttr)(el, ATTR_ARIA_CONTROLS, targets.join(' '));
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.setStyle)(el, STYLE_OVERFLOW_ANCHOR, 'none');
  } else {
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.removeAttr)(el, ATTR_ARIA_CONTROLS);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.removeStyle)(el, STYLE_OVERFLOW_ANCHOR);
  } // Add/Update our click listener(s)
  // Wrap in a `requestAF()` to allow any previous
  // click handling to occur first


  (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.requestAF)(function () {
    addClickListener(el, (0,_utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_11__.getInstanceFromDirective)(vnode, binding));
  }); // If targets array has changed, update

  if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_12__.looseEqual)(targets, el[BV_TOGGLE_TARGETS])) {
    // Update targets array to element storage
    el[BV_TOGGLE_TARGETS] = targets; // Ensure `aria-controls` is up to date
    // Request a state update from targets so that we can
    // ensure expanded state is correct (in most cases)

    targets.forEach(function (target) {
      (0,_utils_get_event_root__WEBPACK_IMPORTED_MODULE_9__.getEventRoot)((0,_utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_11__.getInstanceFromDirective)(vnode, binding)).$emit(ROOT_ACTION_EVENT_NAME_REQUEST_STATE, target);
    });
  }
};
/*
 * Export our directive
 */


var VBToggle = {
  bind: function bind(el, binding, vnode) {
    // State is initially collapsed until we receive a state event
    el[BV_TOGGLE_STATE] = false; // Assume no targets initially

    el[BV_TOGGLE_TARGETS] = []; // Add our root listeners

    addRootListeners(el, (0,_utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_11__.getInstanceFromDirective)(vnode, binding)); // Initial update of trigger

    handleUpdate(el, binding, vnode);
  },
  componentUpdated: handleUpdate,
  updated: handleUpdate,
  unbind: function unbind(el, binding, vnode) {
    removeClickListener(el); // Remove our $root listener

    removeRootListeners(el, (0,_utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_11__.getInstanceFromDirective)(vnode, binding)); // Reset custom props

    resetProp(el, BV_TOGGLE_ROOT_HANDLER);
    resetProp(el, BV_TOGGLE_CLICK_HANDLER);
    resetProp(el, BV_TOGGLE_STATE);
    resetProp(el, BV_TOGGLE_TARGETS); // Reset classes/attrs/styles

    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.removeClass)(el, CLASS_BV_TOGGLE_COLLAPSED);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.removeClass)(el, CLASS_BV_TOGGLE_NOT_COLLAPSED);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.removeAttr)(el, ATTR_ARIA_EXPANDED);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.removeAttr)(el, ATTR_ARIA_CONTROLS);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.removeAttr)(el, ATTR_ROLE);
    (0,_utils_dom__WEBPACK_IMPORTED_MODULE_7__.removeStyle)(el, STYLE_OVERFLOW_ANCHOR);
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/tooltip/index.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/tooltip/index.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBTooltip: () =&gt; (/* reexport safe */ _tooltip__WEBPACK_IMPORTED_MODULE_1__.VBTooltip),
/* harmony export */   VBTooltipPlugin: () =&gt; (/* binding */ VBTooltipPlugin)
/* harmony export */ });
/* harmony import */ var _tooltip__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./tooltip */ "./node_modules/bootstrap-vue/esm/directives/tooltip/tooltip.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var VBTooltipPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  directives: {
    VBTooltip: _tooltip__WEBPACK_IMPORTED_MODULE_1__.VBTooltip
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/tooltip/tooltip.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/tooltip/tooltip.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBTooltip: () =&gt; (/* binding */ VBTooltip)
/* harmony export */ });
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _utils_config__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/config */ "./node_modules/bootstrap-vue/esm/utils/config.js");
/* harmony import */ var _utils_get_scope_id__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../../utils/get-scope-id */ "./node_modules/bootstrap-vue/esm/utils/get-scope-id.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../../utils/get-instance-from-directive */ "./node_modules/bootstrap-vue/esm/utils/get-instance-from-directive.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../../utils/create-new-child-component */ "./node_modules/bootstrap-vue/esm/utils/create-new-child-component.js");
/* harmony import */ var _components_tooltip_helpers_bv_tooltip__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../../components/tooltip/helpers/bv-tooltip */ "./node_modules/bootstrap-vue/esm/components/tooltip/helpers/bv-tooltip.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }















 // Key which we use to store tooltip object on element

var BV_TOOLTIP = '__BV_Tooltip__'; // Default trigger

var DefaultTrigger = 'hover focus'; // Valid event triggers

var validTriggers = {
  focus: true,
  hover: true,
  click: true,
  blur: true,
  manual: true
}; // Directive modifier test regular expressions. Pre-compile for performance

var htmlRE = /^html$/i;
var noninteractiveRE = /^noninteractive$/i;
var noFadeRE = /^nofade$/i;
var placementRE = /^(auto|top(left|right)?|bottom(left|right)?|left(top|bottom)?|right(top|bottom)?)$/i;
var boundaryRE = /^(window|viewport|scrollParent)$/i;
var delayRE = /^d\d+$/i;
var delayShowRE = /^ds\d+$/i;
var delayHideRE = /^dh\d+$/i;
var offsetRE = /^o-?\d+$/i;
var variantRE = /^v-.+$/i;
var spacesRE = /\s+/; // Build a Tooltip config based on bindings (if any)
// Arguments and modifiers take precedence over passed value config object

var parseBindings = function parseBindings(bindings, vnode)
/* istanbul ignore next: not easy to test */
{
  // We start out with a basic config
  var config = {
    title: undefined,
    trigger: '',
    // Default set below if needed
    placement: 'top',
    fallbackPlacement: 'flip',
    container: false,
    // Default of body
    animation: true,
    offset: 0,
    id: null,
    html: false,
    interactive: true,
    disabled: false,
    delay: (0,_utils_config__WEBPACK_IMPORTED_MODULE_0__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TOOLTIP, 'delay', 50),
    boundary: String((0,_utils_config__WEBPACK_IMPORTED_MODULE_0__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TOOLTIP, 'boundary', 'scrollParent')),
    boundaryPadding: (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)((0,_utils_config__WEBPACK_IMPORTED_MODULE_0__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TOOLTIP, 'boundaryPadding', 5), 0),
    variant: (0,_utils_config__WEBPACK_IMPORTED_MODULE_0__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TOOLTIP, 'variant'),
    customClass: (0,_utils_config__WEBPACK_IMPORTED_MODULE_0__.getComponentConfig)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_TOOLTIP, 'customClass')
  }; // Process `bindings.value`

  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isString)(bindings.value) || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isNumber)(bindings.value)) {
    // Value is tooltip content (HTML optionally supported)
    config.title = bindings.value;
  } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(bindings.value)) {
    // Title generator function
    config.title = bindings.value;
  } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isPlainObject)(bindings.value)) {
    // Value is config object, so merge
    config = _objectSpread(_objectSpread({}, config), bindings.value);
  } // If title is not provided, try title attribute


  if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isUndefined)(config.title)) {
    // Try attribute
    var attrs = _vue__WEBPACK_IMPORTED_MODULE_4__.isVue3 ? vnode.props : (vnode.data || {}).attrs;
    config.title = attrs &amp;&amp; !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isUndefinedOrNull)(attrs.title) ? attrs.title : undefined;
  } // Normalize delay


  if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isPlainObject)(config.delay)) {
    config.delay = {
      show: (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(config.delay, 0),
      hide: (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(config.delay, 0)
    };
  } // If argument, assume element ID of container element


  if (bindings.arg) {
    // Element ID specified as arg
    // We must prepend '#' to become a CSS selector
    config.container = "#".concat(bindings.arg);
  } // Process modifiers


  (0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.keys)(bindings.modifiers).forEach(function (mod) {
    if (htmlRE.test(mod)) {
      // Title allows HTML
      config.html = true;
    } else if (noninteractiveRE.test(mod)) {
      // Noninteractive
      config.interactive = false;
    } else if (noFadeRE.test(mod)) {
      // No animation
      config.animation = false;
    } else if (placementRE.test(mod)) {
      // Placement of tooltip
      config.placement = mod;
    } else if (boundaryRE.test(mod)) {
      // Boundary of tooltip
      mod = mod === 'scrollparent' ? 'scrollParent' : mod;
      config.boundary = mod;
    } else if (delayRE.test(mod)) {
      // Delay value
      var delay = (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(mod.slice(1), 0);
      config.delay.show = delay;
      config.delay.hide = delay;
    } else if (delayShowRE.test(mod)) {
      // Delay show value
      config.delay.show = (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(mod.slice(2), 0);
    } else if (delayHideRE.test(mod)) {
      // Delay hide value
      config.delay.hide = (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(mod.slice(2), 0);
    } else if (offsetRE.test(mod)) {
      // Offset value, negative allowed
      config.offset = (0,_utils_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(mod.slice(1), 0);
    } else if (variantRE.test(mod)) {
      // Variant
      config.variant = mod.slice(2) || null;
    }
  }); // Special handling of event trigger modifiers trigger is
  // a space separated list

  var selectedTriggers = {}; // Parse current config object trigger

  (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.concat)(config.trigger || '').filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity).join(' ').trim().toLowerCase().split(spacesRE).forEach(function (trigger) {
    if (validTriggers[trigger]) {
      selectedTriggers[trigger] = true;
    }
  }); // Parse modifiers for triggers

  (0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.keys)(bindings.modifiers).forEach(function (mod) {
    mod = mod.toLowerCase();

    if (validTriggers[mod]) {
      // If modifier is a valid trigger
      selectedTriggers[mod] = true;
    }
  }); // Sanitize triggers

  config.trigger = (0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.keys)(selectedTriggers).join(' ');

  if (config.trigger === 'blur') {
    // Blur by itself is useless, so convert it to 'focus'
    config.trigger = 'focus';
  }

  if (!config.trigger) {
    // Use default trigger
    config.trigger = DefaultTrigger;
  } // Return the config


  return config;
}; // Add/update Tooltip on our element


var applyTooltip = function applyTooltip(el, bindings, vnode) {
  if (!_constants_env__WEBPACK_IMPORTED_MODULE_8__.IS_BROWSER) {
    /* istanbul ignore next */
    return;
  }

  var config = parseBindings(bindings, vnode);

  if (!el[BV_TOOLTIP]) {
    var parent = (0,_utils_get_instance_from_directive__WEBPACK_IMPORTED_MODULE_9__.getInstanceFromDirective)(vnode, bindings);
    el[BV_TOOLTIP] = (0,_utils_create_new_child_component__WEBPACK_IMPORTED_MODULE_10__.createNewChildComponent)(parent, _components_tooltip_helpers_bv_tooltip__WEBPACK_IMPORTED_MODULE_11__.BVTooltip, {
      // Add the parent's scoped style attribute data
      _scopeId: (0,_utils_get_scope_id__WEBPACK_IMPORTED_MODULE_12__.getScopeId)(parent, undefined)
    });
    el[BV_TOOLTIP].__bv_prev_data__ = {};
    el[BV_TOOLTIP].$on(_constants_events__WEBPACK_IMPORTED_MODULE_13__.EVENT_NAME_SHOW, function ()
    /* istanbul ignore next: for now */
    {
      // Before showing the tooltip, we update the title if it is a function
      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(config.title)) {
        el[BV_TOOLTIP].updateData({
          title: config.title(el)
        });
      }
    });
  }

  var data = {
    title: config.title,
    triggers: config.trigger,
    placement: config.placement,
    fallbackPlacement: config.fallbackPlacement,
    variant: config.variant,
    customClass: config.customClass,
    container: config.container,
    boundary: config.boundary,
    delay: config.delay,
    offset: config.offset,
    noFade: !config.animation,
    id: config.id,
    interactive: config.interactive,
    disabled: config.disabled,
    html: config.html
  };
  var oldData = el[BV_TOOLTIP].__bv_prev_data__;
  el[BV_TOOLTIP].__bv_prev_data__ = data;

  if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_14__.looseEqual)(data, oldData)) {
    // We only update the instance if data has changed
    var newData = {
      target: el
    };
    (0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.keys)(data).forEach(function (prop) {
      // We only pass data properties that have changed
      if (data[prop] !== oldData[prop]) {
        // if title is a function, we execute it here
        newData[prop] = prop === 'title' &amp;&amp; (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isFunction)(data[prop]) ? data[prop](el) : data[prop];
      }
    });
    el[BV_TOOLTIP].updateData(newData);
  }
}; // Remove Tooltip on our element


var removeTooltip = function removeTooltip(el) {
  if (el[BV_TOOLTIP]) {
    el[BV_TOOLTIP].$destroy();
    el[BV_TOOLTIP] = null;
  }

  delete el[BV_TOOLTIP];
}; // Export our directive


var VBTooltip = {
  bind: function bind(el, bindings, vnode) {
    applyTooltip(el, bindings, vnode);
  },
  // We use `componentUpdated` here instead of `update`, as the former
  // waits until the containing component and children have finished updating
  componentUpdated: function componentUpdated(el, bindings, vnode) {
    // Performed in a `$nextTick()` to prevent render update loops
    (0,_vue__WEBPACK_IMPORTED_MODULE_4__.nextTick)(function () {
      applyTooltip(el, bindings, vnode);
    });
  },
  unbind: function unbind(el) {
    removeTooltip(el);
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/visible/index.js":
/*!********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/visible/index.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBVisible: () =&gt; (/* reexport safe */ _visible__WEBPACK_IMPORTED_MODULE_1__.VBVisible),
/* harmony export */   VBVisiblePlugin: () =&gt; (/* binding */ VBVisiblePlugin)
/* harmony export */ });
/* harmony import */ var _visible__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./visible */ "./node_modules/bootstrap-vue/esm/directives/visible/visible.js");
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");


var VBVisiblePlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactory)({
  directives: {
    VBVisible: _visible__WEBPACK_IMPORTED_MODULE_1__.VBVisible
  }
});


/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/directives/visible/visible.js":
/*!**********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/directives/visible/visible.js ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   VBVisible: () =&gt; (/* binding */ VBVisible)
/* harmony export */ });
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _defineProperties(target, props) { for (var i = 0; i &lt; 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); } }

function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, "prototype", { writable: false }); return Constructor; }

// v-b-visible
// Private visibility check directive
// Based on IntersectionObserver
//
// Usage:
//  v-b-visibility.&lt;margin&gt;.&lt;once&gt;="&lt;callback&gt;"
//
//  Value:
//  &lt;callback&gt;: method to be called when visibility state changes, receives one arg:
//     true:  element is visible
//     false: element is not visible
//     null:  IntersectionObserver not supported
//
//  Modifiers:
//    &lt;margin&gt;: a positive decimal value of pixels away from viewport edge
//              before being considered "visible". default is 0
//    &lt;once&gt;:   keyword 'once', meaning when the element becomes visible and
//              callback is called observation/notification will stop.
//
// When used in a render function:
// export default {
//   directives: { 'b-visible': VBVisible },
//   render(h) {
//     h(
//       'div',
//       {
//         directives: [
//           { name: 'b-visible', value=this.callback, modifiers: { '123':true, 'once':true } }
//         ]
//       }
//     )
//   }






var OBSERVER_PROP_NAME = '__bv__visibility_observer';

var VisibilityObserver = /*#__PURE__*/function () {
  function VisibilityObserver(el, options) {
    _classCallCheck(this, VisibilityObserver);

    this.el = el;
    this.callback = options.callback;
    this.margin = options.margin || 0;
    this.once = options.once || false;
    this.observer = null;
    this.visible = undefined;
    this.doneOnce = false; // Create the observer instance (if possible)

    this.createObserver();
  }

  _createClass(VisibilityObserver, [{
    key: "createObserver",
    value: function createObserver() {
      var _this = this;

      // Remove any previous observer
      if (this.observer) {
        /* istanbul ignore next */
        this.stop();
      } // Should only be called once and `callback` prop should be a function


      if (this.doneOnce || !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_0__.isFunction)(this.callback)) {
        /* istanbul ignore next */
        return;
      } // Create the observer instance


      try {
        // Future: Possibly add in other modifiers for left/right/top/bottom
        // offsets, root element reference, and thresholds
        this.observer = new IntersectionObserver(this.handler.bind(this), {
          // `null` = 'viewport'
          root: null,
          // Pixels away from view port to consider "visible"
          rootMargin: this.margin,
          // Intersection ratio of el and root (as a value from 0 to 1)
          threshold: 0
        });
      } catch (_unused) {
        // No IntersectionObserver support, so just stop trying to observe
        this.doneOnce = true;
        this.observer = undefined;
        this.callback(null);
        return;
      } // Start observing in a `$nextTick()` (to allow DOM to complete rendering)

      /* istanbul ignore next: IntersectionObserver not supported in JSDOM */


      (0,_vue__WEBPACK_IMPORTED_MODULE_1__.nextTick)(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_2__.requestAF)(function () {
          // Placed in an `if` just in case we were destroyed before
          // this `requestAnimationFrame` runs
          if (_this.observer) {
            _this.observer.observe(_this.el);
          }
        });
      });
    }
    /* istanbul ignore next */

  }, {
    key: "handler",
    value: function handler(entries) {
      var entry = entries ? entries[0] : {};
      var isIntersecting = Boolean(entry.isIntersecting || entry.intersectionRatio &gt; 0.0);

      if (isIntersecting !== this.visible) {
        this.visible = isIntersecting;
        this.callback(isIntersecting);

        if (this.once &amp;&amp; this.visible) {
          this.doneOnce = true;
          this.stop();
        }
      }
    }
  }, {
    key: "stop",
    value: function stop() {
      /* istanbul ignore next */
      this.observer &amp;&amp; this.observer.disconnect();
      this.observer = null;
    }
  }]);

  return VisibilityObserver;
}();

var destroy = function destroy(el) {
  var observer = el[OBSERVER_PROP_NAME];

  if (observer &amp;&amp; observer.stop) {
    observer.stop();
  }

  delete el[OBSERVER_PROP_NAME];
};

var bind = function bind(el, _ref) {
  var value = _ref.value,
      modifiers = _ref.modifiers;
  // `value` is the callback function
  var options = {
    margin: '0px',
    once: false,
    callback: value
  }; // Parse modifiers

  (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.keys)(modifiers).forEach(function (mod) {
    /* istanbul ignore else: Until &lt;b-img-lazy&gt; is switched to use this directive */
    if (_constants_regex__WEBPACK_IMPORTED_MODULE_4__.RX_DIGITS.test(mod)) {
      options.margin = "".concat(mod, "px");
    } else if (mod.toLowerCase() === 'once') {
      options.once = true;
    }
  }); // Destroy any previous observer

  destroy(el); // Create new observer

  el[OBSERVER_PROP_NAME] = new VisibilityObserver(el, options); // Store the current modifiers on the object (cloned)

  el[OBSERVER_PROP_NAME]._prevModifiers = (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.clone)(modifiers);
}; // When the directive options may have been updated (or element)


var componentUpdated = function componentUpdated(el, _ref2, vnode) {
  var value = _ref2.value,
      oldValue = _ref2.oldValue,
      modifiers = _ref2.modifiers;
  // Compare value/oldValue and modifiers to see if anything has changed
  // and if so, destroy old observer and create new observer

  /* istanbul ignore next */
  modifiers = (0,_utils_object__WEBPACK_IMPORTED_MODULE_3__.clone)(modifiers);
  /* istanbul ignore next */

  if (el &amp;&amp; (value !== oldValue || !el[OBSERVER_PROP_NAME] || !(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_5__.looseEqual)(modifiers, el[OBSERVER_PROP_NAME]._prevModifiers))) {
    // Re-bind on element
    bind(el, {
      value: value,
      modifiers: modifiers
    }, vnode);
  }
}; // When directive un-binds from element


var unbind = function unbind(el) {
  // Remove the observer
  destroy(el);
}; // Export the directive


var VBVisible = {
  bind: bind,
  componentUpdated: componentUpdated,
  unbind: unbind
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/icons/helpers/icon-base.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/icons/helpers/icon-base.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BVIconBase: () =&gt; (/* binding */ BVIconBase),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_identity__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../../utils/identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }








 // --- Constants ---
// Base attributes needed on all icons

var BASE_ATTRS = {
  viewBox: '0 0 16 16',
  width: '1em',
  height: '1em',
  focusable: 'false',
  role: 'img',
  'aria-label': 'icon'
}; // Attributes that are nulled out when stacked

var STACKED_ATTRS = {
  width: null,
  height: null,
  focusable: null,
  role: null,
  'aria-label': null
}; // --- Props ---

var props = {
  animation: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  content: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  flipH: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  flipV: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  fontScale: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 1),
  rotate: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0),
  scale: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 1),
  shiftH: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0),
  shiftV: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0),
  stacked: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  title: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  variant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}; // --- Main component ---
// Shared private base component to reduce bundle/runtime size
// @vue/component

var BVIconBase = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_ICON_BASE,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var _class;

    var data = _ref.data,
        props = _ref.props,
        children = _ref.children;
    var animation = props.animation,
        content = props.content,
        flipH = props.flipH,
        flipV = props.flipV,
        stacked = props.stacked,
        title = props.title,
        variant = props.variant;
    var fontScale = (0,_utils_math__WEBPACK_IMPORTED_MODULE_4__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(props.fontScale, 1), 0) || 1;
    var scale = (0,_utils_math__WEBPACK_IMPORTED_MODULE_4__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(props.scale, 1), 0) || 1;
    var rotate = (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(props.rotate, 0);
    var shiftH = (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(props.shiftH, 0);
    var shiftV = (0,_utils_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(props.shiftV, 0); // Compute the transforms
    // Note that order is important as SVG transforms are applied in order from
    // left to right and we want flipping/scale to occur before rotation
    // Note shifting is applied separately
    // Assumes that the viewbox is `0 0 16 16` (`8 8` is the center)

    var hasScale = flipH || flipV || scale !== 1;
    var hasTransforms = hasScale || rotate;
    var hasShift = shiftH || shiftV;
    var hasContent = !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_6__.isUndefinedOrNull)(content);
    var transforms = [hasTransforms ? 'translate(8 8)' : null, hasScale ? "scale(".concat((flipH ? -1 : 1) * scale, " ").concat((flipV ? -1 : 1) * scale, ")") : null, rotate ? "rotate(".concat(rotate, ")") : null, hasTransforms ? 'translate(-8 -8)' : null].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity); // We wrap the content in a `&lt;g&gt;` for handling the transforms (except shift)

    var $inner = h('g', {
      attrs: {
        transform: transforms.join(' ') || null
      },
      domProps: hasContent ? {
        innerHTML: content || ''
      } : {}
    }, children); // If needed, we wrap in an additional `&lt;g&gt;` in order to handle the shifting

    if (hasShift) {
      $inner = h('g', {
        attrs: {
          transform: "translate(".concat(16 * shiftH / 16, " ").concat(-16 * shiftV / 16, ")")
        }
      }, [$inner]);
    } // Wrap in an additional `&lt;g&gt;` for proper animation handling if stacked


    if (stacked) {
      $inner = h('g', [$inner]);
    }

    var $title = title ? h('title', title) : null;
    var $content = [$title, $inner].filter(_utils_identity__WEBPACK_IMPORTED_MODULE_7__.identity);
    return h('svg', (0,_vue__WEBPACK_IMPORTED_MODULE_8__.mergeData)({
      staticClass: 'b-icon bi',
      class: (_class = {}, _defineProperty(_class, "text-".concat(variant), variant), _defineProperty(_class, "b-icon-animation-".concat(animation), animation), _class),
      attrs: BASE_ATTRS,
      style: stacked ? {} : {
        fontSize: fontScale === 1 ? null : "".concat(fontScale * 100, "%")
      }
    }, // Merge in user supplied data
    data, // If icon is stacked, null-out some attrs
    stacked ? {
      attrs: STACKED_ATTRS
    } : {}, // These cannot be overridden by users
    {
      attrs: {
        xmlns: stacked ? null : 'http://www.w3.org/2000/svg',
        fill: 'currentColor'
      }
    }), $content);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/icons/helpers/make-icon.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/icons/helpers/make-icon.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   makeIcon: () =&gt; (/* binding */ makeIcon)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _icon_base__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./icon-base */ "./node_modules/bootstrap-vue/esm/icons/helpers/icon-base.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





var iconProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_0__.omit)(_icon_base__WEBPACK_IMPORTED_MODULE_1__.props, ['content']);
/**
 * Icon component generator function
 *
 * @param {string} icon name (minus the leading `BIcon`)
 * @param {string} raw `innerHTML` for SVG
 * @return {VueComponent}
 */

var makeIcon = function makeIcon(name, content) {
  // For performance reason we pre-compute some values, so that
  // they are not computed on each render of the icon component
  var kebabName = (0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.kebabCase)(name);
  var iconName = "BIcon".concat((0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.pascalCase)(name));
  var iconNameClass = "bi-".concat(kebabName);
  var iconTitle = kebabName.replace(/-/g, ' ');
  var svgContent = (0,_utils_string__WEBPACK_IMPORTED_MODULE_2__.trim)(content || '');
  return /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
    name: iconName,
    functional: true,
    props: iconProps,
    render: function render(h, _ref) {
      var data = _ref.data,
          props = _ref.props;
      return h(_icon_base__WEBPACK_IMPORTED_MODULE_1__.BVIconBase, (0,_vue__WEBPACK_IMPORTED_MODULE_4__.mergeData)( // Defaults
      {
        props: {
          title: iconTitle
        },
        attrs: {
          'aria-label': iconTitle
        }
      }, // User data
      data, // Required data
      {
        staticClass: iconNameClass,
        props: _objectSpread(_objectSpread({}, props), {}, {
          content: svgContent
        })
      }));
    }
  });
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/icons/icon.js":
/*!******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/icons/icon.js ***!
  \******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BIcon: () =&gt; (/* binding */ BIcon),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/vue/dist/vue.esm.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _icons__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
/* harmony import */ var _helpers_icon_base__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./helpers/icon-base */ "./node_modules/bootstrap-vue/esm/icons/helpers/icon-base.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }









 // --- Helper methods ---

var findIconComponent = function findIconComponent(ctx, iconName) {
  if (!ctx) {
    return _vue__WEBPACK_IMPORTED_MODULE_0__["default"].component(iconName);
  }

  var components = (ctx.$options || {}).components;
  var iconComponent = components &amp;&amp; components[iconName];
  return iconComponent || findIconComponent(ctx.$parent, iconName);
}; // --- Props ---


var iconProps = (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.omit)(_helpers_icon_base__WEBPACK_IMPORTED_MODULE_2__.props, ['content']);
var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.sortKeys)(_objectSpread(_objectSpread({}, iconProps), {}, {
  icon: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_4__.PROP_TYPE_STRING)
})), _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_ICON); // --- Main component ---
// Helper BIcon component
// Requires the requested icon component to be installed
// @vue/component

var BIcon = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_6__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_ICON,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var data = _ref.data,
        props = _ref.props,
        parent = _ref.parent;
    var icon = (0,_utils_string__WEBPACK_IMPORTED_MODULE_7__.pascalCase)((0,_utils_string__WEBPACK_IMPORTED_MODULE_7__.trim)(props.icon || '')).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_8__.RX_ICON_PREFIX, ''); // If parent context exists, we check to see if the icon has been registered
    // either locally in the parent component, or globally at the `$root` level
    // If not registered, we render a blank icon

    return h(icon ? findIconComponent(parent, "BIcon".concat(icon)) || _icons__WEBPACK_IMPORTED_MODULE_9__.BIconBlank : _icons__WEBPACK_IMPORTED_MODULE_9__.BIconBlank, (0,_vue__WEBPACK_IMPORTED_MODULE_10__.mergeData)(data, {
      props: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.pluckProps)(iconProps, props)
    }));
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/icons/icons.js":
/*!*******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/icons/icons.js ***!
  \*******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BIconAlarm: () =&gt; (/* binding */ BIconAlarm),
/* harmony export */   BIconAlarmFill: () =&gt; (/* binding */ BIconAlarmFill),
/* harmony export */   BIconAlignBottom: () =&gt; (/* binding */ BIconAlignBottom),
/* harmony export */   BIconAlignCenter: () =&gt; (/* binding */ BIconAlignCenter),
/* harmony export */   BIconAlignEnd: () =&gt; (/* binding */ BIconAlignEnd),
/* harmony export */   BIconAlignMiddle: () =&gt; (/* binding */ BIconAlignMiddle),
/* harmony export */   BIconAlignStart: () =&gt; (/* binding */ BIconAlignStart),
/* harmony export */   BIconAlignTop: () =&gt; (/* binding */ BIconAlignTop),
/* harmony export */   BIconAlt: () =&gt; (/* binding */ BIconAlt),
/* harmony export */   BIconApp: () =&gt; (/* binding */ BIconApp),
/* harmony export */   BIconAppIndicator: () =&gt; (/* binding */ BIconAppIndicator),
/* harmony export */   BIconArchive: () =&gt; (/* binding */ BIconArchive),
/* harmony export */   BIconArchiveFill: () =&gt; (/* binding */ BIconArchiveFill),
/* harmony export */   BIconArrow90degDown: () =&gt; (/* binding */ BIconArrow90degDown),
/* harmony export */   BIconArrow90degLeft: () =&gt; (/* binding */ BIconArrow90degLeft),
/* harmony export */   BIconArrow90degRight: () =&gt; (/* binding */ BIconArrow90degRight),
/* harmony export */   BIconArrow90degUp: () =&gt; (/* binding */ BIconArrow90degUp),
/* harmony export */   BIconArrowBarDown: () =&gt; (/* binding */ BIconArrowBarDown),
/* harmony export */   BIconArrowBarLeft: () =&gt; (/* binding */ BIconArrowBarLeft),
/* harmony export */   BIconArrowBarRight: () =&gt; (/* binding */ BIconArrowBarRight),
/* harmony export */   BIconArrowBarUp: () =&gt; (/* binding */ BIconArrowBarUp),
/* harmony export */   BIconArrowClockwise: () =&gt; (/* binding */ BIconArrowClockwise),
/* harmony export */   BIconArrowCounterclockwise: () =&gt; (/* binding */ BIconArrowCounterclockwise),
/* harmony export */   BIconArrowDown: () =&gt; (/* binding */ BIconArrowDown),
/* harmony export */   BIconArrowDownCircle: () =&gt; (/* binding */ BIconArrowDownCircle),
/* harmony export */   BIconArrowDownCircleFill: () =&gt; (/* binding */ BIconArrowDownCircleFill),
/* harmony export */   BIconArrowDownLeft: () =&gt; (/* binding */ BIconArrowDownLeft),
/* harmony export */   BIconArrowDownLeftCircle: () =&gt; (/* binding */ BIconArrowDownLeftCircle),
/* harmony export */   BIconArrowDownLeftCircleFill: () =&gt; (/* binding */ BIconArrowDownLeftCircleFill),
/* harmony export */   BIconArrowDownLeftSquare: () =&gt; (/* binding */ BIconArrowDownLeftSquare),
/* harmony export */   BIconArrowDownLeftSquareFill: () =&gt; (/* binding */ BIconArrowDownLeftSquareFill),
/* harmony export */   BIconArrowDownRight: () =&gt; (/* binding */ BIconArrowDownRight),
/* harmony export */   BIconArrowDownRightCircle: () =&gt; (/* binding */ BIconArrowDownRightCircle),
/* harmony export */   BIconArrowDownRightCircleFill: () =&gt; (/* binding */ BIconArrowDownRightCircleFill),
/* harmony export */   BIconArrowDownRightSquare: () =&gt; (/* binding */ BIconArrowDownRightSquare),
/* harmony export */   BIconArrowDownRightSquareFill: () =&gt; (/* binding */ BIconArrowDownRightSquareFill),
/* harmony export */   BIconArrowDownShort: () =&gt; (/* binding */ BIconArrowDownShort),
/* harmony export */   BIconArrowDownSquare: () =&gt; (/* binding */ BIconArrowDownSquare),
/* harmony export */   BIconArrowDownSquareFill: () =&gt; (/* binding */ BIconArrowDownSquareFill),
/* harmony export */   BIconArrowDownUp: () =&gt; (/* binding */ BIconArrowDownUp),
/* harmony export */   BIconArrowLeft: () =&gt; (/* binding */ BIconArrowLeft),
/* harmony export */   BIconArrowLeftCircle: () =&gt; (/* binding */ BIconArrowLeftCircle),
/* harmony export */   BIconArrowLeftCircleFill: () =&gt; (/* binding */ BIconArrowLeftCircleFill),
/* harmony export */   BIconArrowLeftRight: () =&gt; (/* binding */ BIconArrowLeftRight),
/* harmony export */   BIconArrowLeftShort: () =&gt; (/* binding */ BIconArrowLeftShort),
/* harmony export */   BIconArrowLeftSquare: () =&gt; (/* binding */ BIconArrowLeftSquare),
/* harmony export */   BIconArrowLeftSquareFill: () =&gt; (/* binding */ BIconArrowLeftSquareFill),
/* harmony export */   BIconArrowRepeat: () =&gt; (/* binding */ BIconArrowRepeat),
/* harmony export */   BIconArrowReturnLeft: () =&gt; (/* binding */ BIconArrowReturnLeft),
/* harmony export */   BIconArrowReturnRight: () =&gt; (/* binding */ BIconArrowReturnRight),
/* harmony export */   BIconArrowRight: () =&gt; (/* binding */ BIconArrowRight),
/* harmony export */   BIconArrowRightCircle: () =&gt; (/* binding */ BIconArrowRightCircle),
/* harmony export */   BIconArrowRightCircleFill: () =&gt; (/* binding */ BIconArrowRightCircleFill),
/* harmony export */   BIconArrowRightShort: () =&gt; (/* binding */ BIconArrowRightShort),
/* harmony export */   BIconArrowRightSquare: () =&gt; (/* binding */ BIconArrowRightSquare),
/* harmony export */   BIconArrowRightSquareFill: () =&gt; (/* binding */ BIconArrowRightSquareFill),
/* harmony export */   BIconArrowUp: () =&gt; (/* binding */ BIconArrowUp),
/* harmony export */   BIconArrowUpCircle: () =&gt; (/* binding */ BIconArrowUpCircle),
/* harmony export */   BIconArrowUpCircleFill: () =&gt; (/* binding */ BIconArrowUpCircleFill),
/* harmony export */   BIconArrowUpLeft: () =&gt; (/* binding */ BIconArrowUpLeft),
/* harmony export */   BIconArrowUpLeftCircle: () =&gt; (/* binding */ BIconArrowUpLeftCircle),
/* harmony export */   BIconArrowUpLeftCircleFill: () =&gt; (/* binding */ BIconArrowUpLeftCircleFill),
/* harmony export */   BIconArrowUpLeftSquare: () =&gt; (/* binding */ BIconArrowUpLeftSquare),
/* harmony export */   BIconArrowUpLeftSquareFill: () =&gt; (/* binding */ BIconArrowUpLeftSquareFill),
/* harmony export */   BIconArrowUpRight: () =&gt; (/* binding */ BIconArrowUpRight),
/* harmony export */   BIconArrowUpRightCircle: () =&gt; (/* binding */ BIconArrowUpRightCircle),
/* harmony export */   BIconArrowUpRightCircleFill: () =&gt; (/* binding */ BIconArrowUpRightCircleFill),
/* harmony export */   BIconArrowUpRightSquare: () =&gt; (/* binding */ BIconArrowUpRightSquare),
/* harmony export */   BIconArrowUpRightSquareFill: () =&gt; (/* binding */ BIconArrowUpRightSquareFill),
/* harmony export */   BIconArrowUpShort: () =&gt; (/* binding */ BIconArrowUpShort),
/* harmony export */   BIconArrowUpSquare: () =&gt; (/* binding */ BIconArrowUpSquare),
/* harmony export */   BIconArrowUpSquareFill: () =&gt; (/* binding */ BIconArrowUpSquareFill),
/* harmony export */   BIconArrowsAngleContract: () =&gt; (/* binding */ BIconArrowsAngleContract),
/* harmony export */   BIconArrowsAngleExpand: () =&gt; (/* binding */ BIconArrowsAngleExpand),
/* harmony export */   BIconArrowsCollapse: () =&gt; (/* binding */ BIconArrowsCollapse),
/* harmony export */   BIconArrowsExpand: () =&gt; (/* binding */ BIconArrowsExpand),
/* harmony export */   BIconArrowsFullscreen: () =&gt; (/* binding */ BIconArrowsFullscreen),
/* harmony export */   BIconArrowsMove: () =&gt; (/* binding */ BIconArrowsMove),
/* harmony export */   BIconAspectRatio: () =&gt; (/* binding */ BIconAspectRatio),
/* harmony export */   BIconAspectRatioFill: () =&gt; (/* binding */ BIconAspectRatioFill),
/* harmony export */   BIconAsterisk: () =&gt; (/* binding */ BIconAsterisk),
/* harmony export */   BIconAt: () =&gt; (/* binding */ BIconAt),
/* harmony export */   BIconAward: () =&gt; (/* binding */ BIconAward),
/* harmony export */   BIconAwardFill: () =&gt; (/* binding */ BIconAwardFill),
/* harmony export */   BIconBack: () =&gt; (/* binding */ BIconBack),
/* harmony export */   BIconBackspace: () =&gt; (/* binding */ BIconBackspace),
/* harmony export */   BIconBackspaceFill: () =&gt; (/* binding */ BIconBackspaceFill),
/* harmony export */   BIconBackspaceReverse: () =&gt; (/* binding */ BIconBackspaceReverse),
/* harmony export */   BIconBackspaceReverseFill: () =&gt; (/* binding */ BIconBackspaceReverseFill),
/* harmony export */   BIconBadge3d: () =&gt; (/* binding */ BIconBadge3d),
/* harmony export */   BIconBadge3dFill: () =&gt; (/* binding */ BIconBadge3dFill),
/* harmony export */   BIconBadge4k: () =&gt; (/* binding */ BIconBadge4k),
/* harmony export */   BIconBadge4kFill: () =&gt; (/* binding */ BIconBadge4kFill),
/* harmony export */   BIconBadge8k: () =&gt; (/* binding */ BIconBadge8k),
/* harmony export */   BIconBadge8kFill: () =&gt; (/* binding */ BIconBadge8kFill),
/* harmony export */   BIconBadgeAd: () =&gt; (/* binding */ BIconBadgeAd),
/* harmony export */   BIconBadgeAdFill: () =&gt; (/* binding */ BIconBadgeAdFill),
/* harmony export */   BIconBadgeAr: () =&gt; (/* binding */ BIconBadgeAr),
/* harmony export */   BIconBadgeArFill: () =&gt; (/* binding */ BIconBadgeArFill),
/* harmony export */   BIconBadgeCc: () =&gt; (/* binding */ BIconBadgeCc),
/* harmony export */   BIconBadgeCcFill: () =&gt; (/* binding */ BIconBadgeCcFill),
/* harmony export */   BIconBadgeHd: () =&gt; (/* binding */ BIconBadgeHd),
/* harmony export */   BIconBadgeHdFill: () =&gt; (/* binding */ BIconBadgeHdFill),
/* harmony export */   BIconBadgeTm: () =&gt; (/* binding */ BIconBadgeTm),
/* harmony export */   BIconBadgeTmFill: () =&gt; (/* binding */ BIconBadgeTmFill),
/* harmony export */   BIconBadgeVo: () =&gt; (/* binding */ BIconBadgeVo),
/* harmony export */   BIconBadgeVoFill: () =&gt; (/* binding */ BIconBadgeVoFill),
/* harmony export */   BIconBadgeVr: () =&gt; (/* binding */ BIconBadgeVr),
/* harmony export */   BIconBadgeVrFill: () =&gt; (/* binding */ BIconBadgeVrFill),
/* harmony export */   BIconBadgeWc: () =&gt; (/* binding */ BIconBadgeWc),
/* harmony export */   BIconBadgeWcFill: () =&gt; (/* binding */ BIconBadgeWcFill),
/* harmony export */   BIconBag: () =&gt; (/* binding */ BIconBag),
/* harmony export */   BIconBagCheck: () =&gt; (/* binding */ BIconBagCheck),
/* harmony export */   BIconBagCheckFill: () =&gt; (/* binding */ BIconBagCheckFill),
/* harmony export */   BIconBagDash: () =&gt; (/* binding */ BIconBagDash),
/* harmony export */   BIconBagDashFill: () =&gt; (/* binding */ BIconBagDashFill),
/* harmony export */   BIconBagFill: () =&gt; (/* binding */ BIconBagFill),
/* harmony export */   BIconBagPlus: () =&gt; (/* binding */ BIconBagPlus),
/* harmony export */   BIconBagPlusFill: () =&gt; (/* binding */ BIconBagPlusFill),
/* harmony export */   BIconBagX: () =&gt; (/* binding */ BIconBagX),
/* harmony export */   BIconBagXFill: () =&gt; (/* binding */ BIconBagXFill),
/* harmony export */   BIconBank: () =&gt; (/* binding */ BIconBank),
/* harmony export */   BIconBank2: () =&gt; (/* binding */ BIconBank2),
/* harmony export */   BIconBarChart: () =&gt; (/* binding */ BIconBarChart),
/* harmony export */   BIconBarChartFill: () =&gt; (/* binding */ BIconBarChartFill),
/* harmony export */   BIconBarChartLine: () =&gt; (/* binding */ BIconBarChartLine),
/* harmony export */   BIconBarChartLineFill: () =&gt; (/* binding */ BIconBarChartLineFill),
/* harmony export */   BIconBarChartSteps: () =&gt; (/* binding */ BIconBarChartSteps),
/* harmony export */   BIconBasket: () =&gt; (/* binding */ BIconBasket),
/* harmony export */   BIconBasket2: () =&gt; (/* binding */ BIconBasket2),
/* harmony export */   BIconBasket2Fill: () =&gt; (/* binding */ BIconBasket2Fill),
/* harmony export */   BIconBasket3: () =&gt; (/* binding */ BIconBasket3),
/* harmony export */   BIconBasket3Fill: () =&gt; (/* binding */ BIconBasket3Fill),
/* harmony export */   BIconBasketFill: () =&gt; (/* binding */ BIconBasketFill),
/* harmony export */   BIconBattery: () =&gt; (/* binding */ BIconBattery),
/* harmony export */   BIconBatteryCharging: () =&gt; (/* binding */ BIconBatteryCharging),
/* harmony export */   BIconBatteryFull: () =&gt; (/* binding */ BIconBatteryFull),
/* harmony export */   BIconBatteryHalf: () =&gt; (/* binding */ BIconBatteryHalf),
/* harmony export */   BIconBell: () =&gt; (/* binding */ BIconBell),
/* harmony export */   BIconBellFill: () =&gt; (/* binding */ BIconBellFill),
/* harmony export */   BIconBellSlash: () =&gt; (/* binding */ BIconBellSlash),
/* harmony export */   BIconBellSlashFill: () =&gt; (/* binding */ BIconBellSlashFill),
/* harmony export */   BIconBezier: () =&gt; (/* binding */ BIconBezier),
/* harmony export */   BIconBezier2: () =&gt; (/* binding */ BIconBezier2),
/* harmony export */   BIconBicycle: () =&gt; (/* binding */ BIconBicycle),
/* harmony export */   BIconBinoculars: () =&gt; (/* binding */ BIconBinoculars),
/* harmony export */   BIconBinocularsFill: () =&gt; (/* binding */ BIconBinocularsFill),
/* harmony export */   BIconBlank: () =&gt; (/* binding */ BIconBlank),
/* harmony export */   BIconBlockquoteLeft: () =&gt; (/* binding */ BIconBlockquoteLeft),
/* harmony export */   BIconBlockquoteRight: () =&gt; (/* binding */ BIconBlockquoteRight),
/* harmony export */   BIconBook: () =&gt; (/* binding */ BIconBook),
/* harmony export */   BIconBookFill: () =&gt; (/* binding */ BIconBookFill),
/* harmony export */   BIconBookHalf: () =&gt; (/* binding */ BIconBookHalf),
/* harmony export */   BIconBookmark: () =&gt; (/* binding */ BIconBookmark),
/* harmony export */   BIconBookmarkCheck: () =&gt; (/* binding */ BIconBookmarkCheck),
/* harmony export */   BIconBookmarkCheckFill: () =&gt; (/* binding */ BIconBookmarkCheckFill),
/* harmony export */   BIconBookmarkDash: () =&gt; (/* binding */ BIconBookmarkDash),
/* harmony export */   BIconBookmarkDashFill: () =&gt; (/* binding */ BIconBookmarkDashFill),
/* harmony export */   BIconBookmarkFill: () =&gt; (/* binding */ BIconBookmarkFill),
/* harmony export */   BIconBookmarkHeart: () =&gt; (/* binding */ BIconBookmarkHeart),
/* harmony export */   BIconBookmarkHeartFill: () =&gt; (/* binding */ BIconBookmarkHeartFill),
/* harmony export */   BIconBookmarkPlus: () =&gt; (/* binding */ BIconBookmarkPlus),
/* harmony export */   BIconBookmarkPlusFill: () =&gt; (/* binding */ BIconBookmarkPlusFill),
/* harmony export */   BIconBookmarkStar: () =&gt; (/* binding */ BIconBookmarkStar),
/* harmony export */   BIconBookmarkStarFill: () =&gt; (/* binding */ BIconBookmarkStarFill),
/* harmony export */   BIconBookmarkX: () =&gt; (/* binding */ BIconBookmarkX),
/* harmony export */   BIconBookmarkXFill: () =&gt; (/* binding */ BIconBookmarkXFill),
/* harmony export */   BIconBookmarks: () =&gt; (/* binding */ BIconBookmarks),
/* harmony export */   BIconBookmarksFill: () =&gt; (/* binding */ BIconBookmarksFill),
/* harmony export */   BIconBookshelf: () =&gt; (/* binding */ BIconBookshelf),
/* harmony export */   BIconBootstrap: () =&gt; (/* binding */ BIconBootstrap),
/* harmony export */   BIconBootstrapFill: () =&gt; (/* binding */ BIconBootstrapFill),
/* harmony export */   BIconBootstrapReboot: () =&gt; (/* binding */ BIconBootstrapReboot),
/* harmony export */   BIconBorder: () =&gt; (/* binding */ BIconBorder),
/* harmony export */   BIconBorderAll: () =&gt; (/* binding */ BIconBorderAll),
/* harmony export */   BIconBorderBottom: () =&gt; (/* binding */ BIconBorderBottom),
/* harmony export */   BIconBorderCenter: () =&gt; (/* binding */ BIconBorderCenter),
/* harmony export */   BIconBorderInner: () =&gt; (/* binding */ BIconBorderInner),
/* harmony export */   BIconBorderLeft: () =&gt; (/* binding */ BIconBorderLeft),
/* harmony export */   BIconBorderMiddle: () =&gt; (/* binding */ BIconBorderMiddle),
/* harmony export */   BIconBorderOuter: () =&gt; (/* binding */ BIconBorderOuter),
/* harmony export */   BIconBorderRight: () =&gt; (/* binding */ BIconBorderRight),
/* harmony export */   BIconBorderStyle: () =&gt; (/* binding */ BIconBorderStyle),
/* harmony export */   BIconBorderTop: () =&gt; (/* binding */ BIconBorderTop),
/* harmony export */   BIconBorderWidth: () =&gt; (/* binding */ BIconBorderWidth),
/* harmony export */   BIconBoundingBox: () =&gt; (/* binding */ BIconBoundingBox),
/* harmony export */   BIconBoundingBoxCircles: () =&gt; (/* binding */ BIconBoundingBoxCircles),
/* harmony export */   BIconBox: () =&gt; (/* binding */ BIconBox),
/* harmony export */   BIconBoxArrowDown: () =&gt; (/* binding */ BIconBoxArrowDown),
/* harmony export */   BIconBoxArrowDownLeft: () =&gt; (/* binding */ BIconBoxArrowDownLeft),
/* harmony export */   BIconBoxArrowDownRight: () =&gt; (/* binding */ BIconBoxArrowDownRight),
/* harmony export */   BIconBoxArrowInDown: () =&gt; (/* binding */ BIconBoxArrowInDown),
/* harmony export */   BIconBoxArrowInDownLeft: () =&gt; (/* binding */ BIconBoxArrowInDownLeft),
/* harmony export */   BIconBoxArrowInDownRight: () =&gt; (/* binding */ BIconBoxArrowInDownRight),
/* harmony export */   BIconBoxArrowInLeft: () =&gt; (/* binding */ BIconBoxArrowInLeft),
/* harmony export */   BIconBoxArrowInRight: () =&gt; (/* binding */ BIconBoxArrowInRight),
/* harmony export */   BIconBoxArrowInUp: () =&gt; (/* binding */ BIconBoxArrowInUp),
/* harmony export */   BIconBoxArrowInUpLeft: () =&gt; (/* binding */ BIconBoxArrowInUpLeft),
/* harmony export */   BIconBoxArrowInUpRight: () =&gt; (/* binding */ BIconBoxArrowInUpRight),
/* harmony export */   BIconBoxArrowLeft: () =&gt; (/* binding */ BIconBoxArrowLeft),
/* harmony export */   BIconBoxArrowRight: () =&gt; (/* binding */ BIconBoxArrowRight),
/* harmony export */   BIconBoxArrowUp: () =&gt; (/* binding */ BIconBoxArrowUp),
/* harmony export */   BIconBoxArrowUpLeft: () =&gt; (/* binding */ BIconBoxArrowUpLeft),
/* harmony export */   BIconBoxArrowUpRight: () =&gt; (/* binding */ BIconBoxArrowUpRight),
/* harmony export */   BIconBoxSeam: () =&gt; (/* binding */ BIconBoxSeam),
/* harmony export */   BIconBraces: () =&gt; (/* binding */ BIconBraces),
/* harmony export */   BIconBricks: () =&gt; (/* binding */ BIconBricks),
/* harmony export */   BIconBriefcase: () =&gt; (/* binding */ BIconBriefcase),
/* harmony export */   BIconBriefcaseFill: () =&gt; (/* binding */ BIconBriefcaseFill),
/* harmony export */   BIconBrightnessAltHigh: () =&gt; (/* binding */ BIconBrightnessAltHigh),
/* harmony export */   BIconBrightnessAltHighFill: () =&gt; (/* binding */ BIconBrightnessAltHighFill),
/* harmony export */   BIconBrightnessAltLow: () =&gt; (/* binding */ BIconBrightnessAltLow),
/* harmony export */   BIconBrightnessAltLowFill: () =&gt; (/* binding */ BIconBrightnessAltLowFill),
/* harmony export */   BIconBrightnessHigh: () =&gt; (/* binding */ BIconBrightnessHigh),
/* harmony export */   BIconBrightnessHighFill: () =&gt; (/* binding */ BIconBrightnessHighFill),
/* harmony export */   BIconBrightnessLow: () =&gt; (/* binding */ BIconBrightnessLow),
/* harmony export */   BIconBrightnessLowFill: () =&gt; (/* binding */ BIconBrightnessLowFill),
/* harmony export */   BIconBroadcast: () =&gt; (/* binding */ BIconBroadcast),
/* harmony export */   BIconBroadcastPin: () =&gt; (/* binding */ BIconBroadcastPin),
/* harmony export */   BIconBrush: () =&gt; (/* binding */ BIconBrush),
/* harmony export */   BIconBrushFill: () =&gt; (/* binding */ BIconBrushFill),
/* harmony export */   BIconBucket: () =&gt; (/* binding */ BIconBucket),
/* harmony export */   BIconBucketFill: () =&gt; (/* binding */ BIconBucketFill),
/* harmony export */   BIconBug: () =&gt; (/* binding */ BIconBug),
/* harmony export */   BIconBugFill: () =&gt; (/* binding */ BIconBugFill),
/* harmony export */   BIconBuilding: () =&gt; (/* binding */ BIconBuilding),
/* harmony export */   BIconBullseye: () =&gt; (/* binding */ BIconBullseye),
/* harmony export */   BIconCalculator: () =&gt; (/* binding */ BIconCalculator),
/* harmony export */   BIconCalculatorFill: () =&gt; (/* binding */ BIconCalculatorFill),
/* harmony export */   BIconCalendar: () =&gt; (/* binding */ BIconCalendar),
/* harmony export */   BIconCalendar2: () =&gt; (/* binding */ BIconCalendar2),
/* harmony export */   BIconCalendar2Check: () =&gt; (/* binding */ BIconCalendar2Check),
/* harmony export */   BIconCalendar2CheckFill: () =&gt; (/* binding */ BIconCalendar2CheckFill),
/* harmony export */   BIconCalendar2Date: () =&gt; (/* binding */ BIconCalendar2Date),
/* harmony export */   BIconCalendar2DateFill: () =&gt; (/* binding */ BIconCalendar2DateFill),
/* harmony export */   BIconCalendar2Day: () =&gt; (/* binding */ BIconCalendar2Day),
/* harmony export */   BIconCalendar2DayFill: () =&gt; (/* binding */ BIconCalendar2DayFill),
/* harmony export */   BIconCalendar2Event: () =&gt; (/* binding */ BIconCalendar2Event),
/* harmony export */   BIconCalendar2EventFill: () =&gt; (/* binding */ BIconCalendar2EventFill),
/* harmony export */   BIconCalendar2Fill: () =&gt; (/* binding */ BIconCalendar2Fill),
/* harmony export */   BIconCalendar2Minus: () =&gt; (/* binding */ BIconCalendar2Minus),
/* harmony export */   BIconCalendar2MinusFill: () =&gt; (/* binding */ BIconCalendar2MinusFill),
/* harmony export */   BIconCalendar2Month: () =&gt; (/* binding */ BIconCalendar2Month),
/* harmony export */   BIconCalendar2MonthFill: () =&gt; (/* binding */ BIconCalendar2MonthFill),
/* harmony export */   BIconCalendar2Plus: () =&gt; (/* binding */ BIconCalendar2Plus),
/* harmony export */   BIconCalendar2PlusFill: () =&gt; (/* binding */ BIconCalendar2PlusFill),
/* harmony export */   BIconCalendar2Range: () =&gt; (/* binding */ BIconCalendar2Range),
/* harmony export */   BIconCalendar2RangeFill: () =&gt; (/* binding */ BIconCalendar2RangeFill),
/* harmony export */   BIconCalendar2Week: () =&gt; (/* binding */ BIconCalendar2Week),
/* harmony export */   BIconCalendar2WeekFill: () =&gt; (/* binding */ BIconCalendar2WeekFill),
/* harmony export */   BIconCalendar2X: () =&gt; (/* binding */ BIconCalendar2X),
/* harmony export */   BIconCalendar2XFill: () =&gt; (/* binding */ BIconCalendar2XFill),
/* harmony export */   BIconCalendar3: () =&gt; (/* binding */ BIconCalendar3),
/* harmony export */   BIconCalendar3Event: () =&gt; (/* binding */ BIconCalendar3Event),
/* harmony export */   BIconCalendar3EventFill: () =&gt; (/* binding */ BIconCalendar3EventFill),
/* harmony export */   BIconCalendar3Fill: () =&gt; (/* binding */ BIconCalendar3Fill),
/* harmony export */   BIconCalendar3Range: () =&gt; (/* binding */ BIconCalendar3Range),
/* harmony export */   BIconCalendar3RangeFill: () =&gt; (/* binding */ BIconCalendar3RangeFill),
/* harmony export */   BIconCalendar3Week: () =&gt; (/* binding */ BIconCalendar3Week),
/* harmony export */   BIconCalendar3WeekFill: () =&gt; (/* binding */ BIconCalendar3WeekFill),
/* harmony export */   BIconCalendar4: () =&gt; (/* binding */ BIconCalendar4),
/* harmony export */   BIconCalendar4Event: () =&gt; (/* binding */ BIconCalendar4Event),
/* harmony export */   BIconCalendar4Range: () =&gt; (/* binding */ BIconCalendar4Range),
/* harmony export */   BIconCalendar4Week: () =&gt; (/* binding */ BIconCalendar4Week),
/* harmony export */   BIconCalendarCheck: () =&gt; (/* binding */ BIconCalendarCheck),
/* harmony export */   BIconCalendarCheckFill: () =&gt; (/* binding */ BIconCalendarCheckFill),
/* harmony export */   BIconCalendarDate: () =&gt; (/* binding */ BIconCalendarDate),
/* harmony export */   BIconCalendarDateFill: () =&gt; (/* binding */ BIconCalendarDateFill),
/* harmony export */   BIconCalendarDay: () =&gt; (/* binding */ BIconCalendarDay),
/* harmony export */   BIconCalendarDayFill: () =&gt; (/* binding */ BIconCalendarDayFill),
/* harmony export */   BIconCalendarEvent: () =&gt; (/* binding */ BIconCalendarEvent),
/* harmony export */   BIconCalendarEventFill: () =&gt; (/* binding */ BIconCalendarEventFill),
/* harmony export */   BIconCalendarFill: () =&gt; (/* binding */ BIconCalendarFill),
/* harmony export */   BIconCalendarMinus: () =&gt; (/* binding */ BIconCalendarMinus),
/* harmony export */   BIconCalendarMinusFill: () =&gt; (/* binding */ BIconCalendarMinusFill),
/* harmony export */   BIconCalendarMonth: () =&gt; (/* binding */ BIconCalendarMonth),
/* harmony export */   BIconCalendarMonthFill: () =&gt; (/* binding */ BIconCalendarMonthFill),
/* harmony export */   BIconCalendarPlus: () =&gt; (/* binding */ BIconCalendarPlus),
/* harmony export */   BIconCalendarPlusFill: () =&gt; (/* binding */ BIconCalendarPlusFill),
/* harmony export */   BIconCalendarRange: () =&gt; (/* binding */ BIconCalendarRange),
/* harmony export */   BIconCalendarRangeFill: () =&gt; (/* binding */ BIconCalendarRangeFill),
/* harmony export */   BIconCalendarWeek: () =&gt; (/* binding */ BIconCalendarWeek),
/* harmony export */   BIconCalendarWeekFill: () =&gt; (/* binding */ BIconCalendarWeekFill),
/* harmony export */   BIconCalendarX: () =&gt; (/* binding */ BIconCalendarX),
/* harmony export */   BIconCalendarXFill: () =&gt; (/* binding */ BIconCalendarXFill),
/* harmony export */   BIconCamera: () =&gt; (/* binding */ BIconCamera),
/* harmony export */   BIconCamera2: () =&gt; (/* binding */ BIconCamera2),
/* harmony export */   BIconCameraFill: () =&gt; (/* binding */ BIconCameraFill),
/* harmony export */   BIconCameraReels: () =&gt; (/* binding */ BIconCameraReels),
/* harmony export */   BIconCameraReelsFill: () =&gt; (/* binding */ BIconCameraReelsFill),
/* harmony export */   BIconCameraVideo: () =&gt; (/* binding */ BIconCameraVideo),
/* harmony export */   BIconCameraVideoFill: () =&gt; (/* binding */ BIconCameraVideoFill),
/* harmony export */   BIconCameraVideoOff: () =&gt; (/* binding */ BIconCameraVideoOff),
/* harmony export */   BIconCameraVideoOffFill: () =&gt; (/* binding */ BIconCameraVideoOffFill),
/* harmony export */   BIconCapslock: () =&gt; (/* binding */ BIconCapslock),
/* harmony export */   BIconCapslockFill: () =&gt; (/* binding */ BIconCapslockFill),
/* harmony export */   BIconCardChecklist: () =&gt; (/* binding */ BIconCardChecklist),
/* harmony export */   BIconCardHeading: () =&gt; (/* binding */ BIconCardHeading),
/* harmony export */   BIconCardImage: () =&gt; (/* binding */ BIconCardImage),
/* harmony export */   BIconCardList: () =&gt; (/* binding */ BIconCardList),
/* harmony export */   BIconCardText: () =&gt; (/* binding */ BIconCardText),
/* harmony export */   BIconCaretDown: () =&gt; (/* binding */ BIconCaretDown),
/* harmony export */   BIconCaretDownFill: () =&gt; (/* binding */ BIconCaretDownFill),
/* harmony export */   BIconCaretDownSquare: () =&gt; (/* binding */ BIconCaretDownSquare),
/* harmony export */   BIconCaretDownSquareFill: () =&gt; (/* binding */ BIconCaretDownSquareFill),
/* harmony export */   BIconCaretLeft: () =&gt; (/* binding */ BIconCaretLeft),
/* harmony export */   BIconCaretLeftFill: () =&gt; (/* binding */ BIconCaretLeftFill),
/* harmony export */   BIconCaretLeftSquare: () =&gt; (/* binding */ BIconCaretLeftSquare),
/* harmony export */   BIconCaretLeftSquareFill: () =&gt; (/* binding */ BIconCaretLeftSquareFill),
/* harmony export */   BIconCaretRight: () =&gt; (/* binding */ BIconCaretRight),
/* harmony export */   BIconCaretRightFill: () =&gt; (/* binding */ BIconCaretRightFill),
/* harmony export */   BIconCaretRightSquare: () =&gt; (/* binding */ BIconCaretRightSquare),
/* harmony export */   BIconCaretRightSquareFill: () =&gt; (/* binding */ BIconCaretRightSquareFill),
/* harmony export */   BIconCaretUp: () =&gt; (/* binding */ BIconCaretUp),
/* harmony export */   BIconCaretUpFill: () =&gt; (/* binding */ BIconCaretUpFill),
/* harmony export */   BIconCaretUpSquare: () =&gt; (/* binding */ BIconCaretUpSquare),
/* harmony export */   BIconCaretUpSquareFill: () =&gt; (/* binding */ BIconCaretUpSquareFill),
/* harmony export */   BIconCart: () =&gt; (/* binding */ BIconCart),
/* harmony export */   BIconCart2: () =&gt; (/* binding */ BIconCart2),
/* harmony export */   BIconCart3: () =&gt; (/* binding */ BIconCart3),
/* harmony export */   BIconCart4: () =&gt; (/* binding */ BIconCart4),
/* harmony export */   BIconCartCheck: () =&gt; (/* binding */ BIconCartCheck),
/* harmony export */   BIconCartCheckFill: () =&gt; (/* binding */ BIconCartCheckFill),
/* harmony export */   BIconCartDash: () =&gt; (/* binding */ BIconCartDash),
/* harmony export */   BIconCartDashFill: () =&gt; (/* binding */ BIconCartDashFill),
/* harmony export */   BIconCartFill: () =&gt; (/* binding */ BIconCartFill),
/* harmony export */   BIconCartPlus: () =&gt; (/* binding */ BIconCartPlus),
/* harmony export */   BIconCartPlusFill: () =&gt; (/* binding */ BIconCartPlusFill),
/* harmony export */   BIconCartX: () =&gt; (/* binding */ BIconCartX),
/* harmony export */   BIconCartXFill: () =&gt; (/* binding */ BIconCartXFill),
/* harmony export */   BIconCash: () =&gt; (/* binding */ BIconCash),
/* harmony export */   BIconCashCoin: () =&gt; (/* binding */ BIconCashCoin),
/* harmony export */   BIconCashStack: () =&gt; (/* binding */ BIconCashStack),
/* harmony export */   BIconCast: () =&gt; (/* binding */ BIconCast),
/* harmony export */   BIconChat: () =&gt; (/* binding */ BIconChat),
/* harmony export */   BIconChatDots: () =&gt; (/* binding */ BIconChatDots),
/* harmony export */   BIconChatDotsFill: () =&gt; (/* binding */ BIconChatDotsFill),
/* harmony export */   BIconChatFill: () =&gt; (/* binding */ BIconChatFill),
/* harmony export */   BIconChatLeft: () =&gt; (/* binding */ BIconChatLeft),
/* harmony export */   BIconChatLeftDots: () =&gt; (/* binding */ BIconChatLeftDots),
/* harmony export */   BIconChatLeftDotsFill: () =&gt; (/* binding */ BIconChatLeftDotsFill),
/* harmony export */   BIconChatLeftFill: () =&gt; (/* binding */ BIconChatLeftFill),
/* harmony export */   BIconChatLeftQuote: () =&gt; (/* binding */ BIconChatLeftQuote),
/* harmony export */   BIconChatLeftQuoteFill: () =&gt; (/* binding */ BIconChatLeftQuoteFill),
/* harmony export */   BIconChatLeftText: () =&gt; (/* binding */ BIconChatLeftText),
/* harmony export */   BIconChatLeftTextFill: () =&gt; (/* binding */ BIconChatLeftTextFill),
/* harmony export */   BIconChatQuote: () =&gt; (/* binding */ BIconChatQuote),
/* harmony export */   BIconChatQuoteFill: () =&gt; (/* binding */ BIconChatQuoteFill),
/* harmony export */   BIconChatRight: () =&gt; (/* binding */ BIconChatRight),
/* harmony export */   BIconChatRightDots: () =&gt; (/* binding */ BIconChatRightDots),
/* harmony export */   BIconChatRightDotsFill: () =&gt; (/* binding */ BIconChatRightDotsFill),
/* harmony export */   BIconChatRightFill: () =&gt; (/* binding */ BIconChatRightFill),
/* harmony export */   BIconChatRightQuote: () =&gt; (/* binding */ BIconChatRightQuote),
/* harmony export */   BIconChatRightQuoteFill: () =&gt; (/* binding */ BIconChatRightQuoteFill),
/* harmony export */   BIconChatRightText: () =&gt; (/* binding */ BIconChatRightText),
/* harmony export */   BIconChatRightTextFill: () =&gt; (/* binding */ BIconChatRightTextFill),
/* harmony export */   BIconChatSquare: () =&gt; (/* binding */ BIconChatSquare),
/* harmony export */   BIconChatSquareDots: () =&gt; (/* binding */ BIconChatSquareDots),
/* harmony export */   BIconChatSquareDotsFill: () =&gt; (/* binding */ BIconChatSquareDotsFill),
/* harmony export */   BIconChatSquareFill: () =&gt; (/* binding */ BIconChatSquareFill),
/* harmony export */   BIconChatSquareQuote: () =&gt; (/* binding */ BIconChatSquareQuote),
/* harmony export */   BIconChatSquareQuoteFill: () =&gt; (/* binding */ BIconChatSquareQuoteFill),
/* harmony export */   BIconChatSquareText: () =&gt; (/* binding */ BIconChatSquareText),
/* harmony export */   BIconChatSquareTextFill: () =&gt; (/* binding */ BIconChatSquareTextFill),
/* harmony export */   BIconChatText: () =&gt; (/* binding */ BIconChatText),
/* harmony export */   BIconChatTextFill: () =&gt; (/* binding */ BIconChatTextFill),
/* harmony export */   BIconCheck: () =&gt; (/* binding */ BIconCheck),
/* harmony export */   BIconCheck2: () =&gt; (/* binding */ BIconCheck2),
/* harmony export */   BIconCheck2All: () =&gt; (/* binding */ BIconCheck2All),
/* harmony export */   BIconCheck2Circle: () =&gt; (/* binding */ BIconCheck2Circle),
/* harmony export */   BIconCheck2Square: () =&gt; (/* binding */ BIconCheck2Square),
/* harmony export */   BIconCheckAll: () =&gt; (/* binding */ BIconCheckAll),
/* harmony export */   BIconCheckCircle: () =&gt; (/* binding */ BIconCheckCircle),
/* harmony export */   BIconCheckCircleFill: () =&gt; (/* binding */ BIconCheckCircleFill),
/* harmony export */   BIconCheckLg: () =&gt; (/* binding */ BIconCheckLg),
/* harmony export */   BIconCheckSquare: () =&gt; (/* binding */ BIconCheckSquare),
/* harmony export */   BIconCheckSquareFill: () =&gt; (/* binding */ BIconCheckSquareFill),
/* harmony export */   BIconChevronBarContract: () =&gt; (/* binding */ BIconChevronBarContract),
/* harmony export */   BIconChevronBarDown: () =&gt; (/* binding */ BIconChevronBarDown),
/* harmony export */   BIconChevronBarExpand: () =&gt; (/* binding */ BIconChevronBarExpand),
/* harmony export */   BIconChevronBarLeft: () =&gt; (/* binding */ BIconChevronBarLeft),
/* harmony export */   BIconChevronBarRight: () =&gt; (/* binding */ BIconChevronBarRight),
/* harmony export */   BIconChevronBarUp: () =&gt; (/* binding */ BIconChevronBarUp),
/* harmony export */   BIconChevronCompactDown: () =&gt; (/* binding */ BIconChevronCompactDown),
/* harmony export */   BIconChevronCompactLeft: () =&gt; (/* binding */ BIconChevronCompactLeft),
/* harmony export */   BIconChevronCompactRight: () =&gt; (/* binding */ BIconChevronCompactRight),
/* harmony export */   BIconChevronCompactUp: () =&gt; (/* binding */ BIconChevronCompactUp),
/* harmony export */   BIconChevronContract: () =&gt; (/* binding */ BIconChevronContract),
/* harmony export */   BIconChevronDoubleDown: () =&gt; (/* binding */ BIconChevronDoubleDown),
/* harmony export */   BIconChevronDoubleLeft: () =&gt; (/* binding */ BIconChevronDoubleLeft),
/* harmony export */   BIconChevronDoubleRight: () =&gt; (/* binding */ BIconChevronDoubleRight),
/* harmony export */   BIconChevronDoubleUp: () =&gt; (/* binding */ BIconChevronDoubleUp),
/* harmony export */   BIconChevronDown: () =&gt; (/* binding */ BIconChevronDown),
/* harmony export */   BIconChevronExpand: () =&gt; (/* binding */ BIconChevronExpand),
/* harmony export */   BIconChevronLeft: () =&gt; (/* binding */ BIconChevronLeft),
/* harmony export */   BIconChevronRight: () =&gt; (/* binding */ BIconChevronRight),
/* harmony export */   BIconChevronUp: () =&gt; (/* binding */ BIconChevronUp),
/* harmony export */   BIconCircle: () =&gt; (/* binding */ BIconCircle),
/* harmony export */   BIconCircleFill: () =&gt; (/* binding */ BIconCircleFill),
/* harmony export */   BIconCircleHalf: () =&gt; (/* binding */ BIconCircleHalf),
/* harmony export */   BIconCircleSquare: () =&gt; (/* binding */ BIconCircleSquare),
/* harmony export */   BIconClipboard: () =&gt; (/* binding */ BIconClipboard),
/* harmony export */   BIconClipboardCheck: () =&gt; (/* binding */ BIconClipboardCheck),
/* harmony export */   BIconClipboardData: () =&gt; (/* binding */ BIconClipboardData),
/* harmony export */   BIconClipboardMinus: () =&gt; (/* binding */ BIconClipboardMinus),
/* harmony export */   BIconClipboardPlus: () =&gt; (/* binding */ BIconClipboardPlus),
/* harmony export */   BIconClipboardX: () =&gt; (/* binding */ BIconClipboardX),
/* harmony export */   BIconClock: () =&gt; (/* binding */ BIconClock),
/* harmony export */   BIconClockFill: () =&gt; (/* binding */ BIconClockFill),
/* harmony export */   BIconClockHistory: () =&gt; (/* binding */ BIconClockHistory),
/* harmony export */   BIconCloud: () =&gt; (/* binding */ BIconCloud),
/* harmony export */   BIconCloudArrowDown: () =&gt; (/* binding */ BIconCloudArrowDown),
/* harmony export */   BIconCloudArrowDownFill: () =&gt; (/* binding */ BIconCloudArrowDownFill),
/* harmony export */   BIconCloudArrowUp: () =&gt; (/* binding */ BIconCloudArrowUp),
/* harmony export */   BIconCloudArrowUpFill: () =&gt; (/* binding */ BIconCloudArrowUpFill),
/* harmony export */   BIconCloudCheck: () =&gt; (/* binding */ BIconCloudCheck),
/* harmony export */   BIconCloudCheckFill: () =&gt; (/* binding */ BIconCloudCheckFill),
/* harmony export */   BIconCloudDownload: () =&gt; (/* binding */ BIconCloudDownload),
/* harmony export */   BIconCloudDownloadFill: () =&gt; (/* binding */ BIconCloudDownloadFill),
/* harmony export */   BIconCloudDrizzle: () =&gt; (/* binding */ BIconCloudDrizzle),
/* harmony export */   BIconCloudDrizzleFill: () =&gt; (/* binding */ BIconCloudDrizzleFill),
/* harmony export */   BIconCloudFill: () =&gt; (/* binding */ BIconCloudFill),
/* harmony export */   BIconCloudFog: () =&gt; (/* binding */ BIconCloudFog),
/* harmony export */   BIconCloudFog2: () =&gt; (/* binding */ BIconCloudFog2),
/* harmony export */   BIconCloudFog2Fill: () =&gt; (/* binding */ BIconCloudFog2Fill),
/* harmony export */   BIconCloudFogFill: () =&gt; (/* binding */ BIconCloudFogFill),
/* harmony export */   BIconCloudHail: () =&gt; (/* binding */ BIconCloudHail),
/* harmony export */   BIconCloudHailFill: () =&gt; (/* binding */ BIconCloudHailFill),
/* harmony export */   BIconCloudHaze: () =&gt; (/* binding */ BIconCloudHaze),
/* harmony export */   BIconCloudHaze1: () =&gt; (/* binding */ BIconCloudHaze1),
/* harmony export */   BIconCloudHaze2Fill: () =&gt; (/* binding */ BIconCloudHaze2Fill),
/* harmony export */   BIconCloudHazeFill: () =&gt; (/* binding */ BIconCloudHazeFill),
/* harmony export */   BIconCloudLightning: () =&gt; (/* binding */ BIconCloudLightning),
/* harmony export */   BIconCloudLightningFill: () =&gt; (/* binding */ BIconCloudLightningFill),
/* harmony export */   BIconCloudLightningRain: () =&gt; (/* binding */ BIconCloudLightningRain),
/* harmony export */   BIconCloudLightningRainFill: () =&gt; (/* binding */ BIconCloudLightningRainFill),
/* harmony export */   BIconCloudMinus: () =&gt; (/* binding */ BIconCloudMinus),
/* harmony export */   BIconCloudMinusFill: () =&gt; (/* binding */ BIconCloudMinusFill),
/* harmony export */   BIconCloudMoon: () =&gt; (/* binding */ BIconCloudMoon),
/* harmony export */   BIconCloudMoonFill: () =&gt; (/* binding */ BIconCloudMoonFill),
/* harmony export */   BIconCloudPlus: () =&gt; (/* binding */ BIconCloudPlus),
/* harmony export */   BIconCloudPlusFill: () =&gt; (/* binding */ BIconCloudPlusFill),
/* harmony export */   BIconCloudRain: () =&gt; (/* binding */ BIconCloudRain),
/* harmony export */   BIconCloudRainFill: () =&gt; (/* binding */ BIconCloudRainFill),
/* harmony export */   BIconCloudRainHeavy: () =&gt; (/* binding */ BIconCloudRainHeavy),
/* harmony export */   BIconCloudRainHeavyFill: () =&gt; (/* binding */ BIconCloudRainHeavyFill),
/* harmony export */   BIconCloudSlash: () =&gt; (/* binding */ BIconCloudSlash),
/* harmony export */   BIconCloudSlashFill: () =&gt; (/* binding */ BIconCloudSlashFill),
/* harmony export */   BIconCloudSleet: () =&gt; (/* binding */ BIconCloudSleet),
/* harmony export */   BIconCloudSleetFill: () =&gt; (/* binding */ BIconCloudSleetFill),
/* harmony export */   BIconCloudSnow: () =&gt; (/* binding */ BIconCloudSnow),
/* harmony export */   BIconCloudSnowFill: () =&gt; (/* binding */ BIconCloudSnowFill),
/* harmony export */   BIconCloudSun: () =&gt; (/* binding */ BIconCloudSun),
/* harmony export */   BIconCloudSunFill: () =&gt; (/* binding */ BIconCloudSunFill),
/* harmony export */   BIconCloudUpload: () =&gt; (/* binding */ BIconCloudUpload),
/* harmony export */   BIconCloudUploadFill: () =&gt; (/* binding */ BIconCloudUploadFill),
/* harmony export */   BIconClouds: () =&gt; (/* binding */ BIconClouds),
/* harmony export */   BIconCloudsFill: () =&gt; (/* binding */ BIconCloudsFill),
/* harmony export */   BIconCloudy: () =&gt; (/* binding */ BIconCloudy),
/* harmony export */   BIconCloudyFill: () =&gt; (/* binding */ BIconCloudyFill),
/* harmony export */   BIconCode: () =&gt; (/* binding */ BIconCode),
/* harmony export */   BIconCodeSlash: () =&gt; (/* binding */ BIconCodeSlash),
/* harmony export */   BIconCodeSquare: () =&gt; (/* binding */ BIconCodeSquare),
/* harmony export */   BIconCoin: () =&gt; (/* binding */ BIconCoin),
/* harmony export */   BIconCollection: () =&gt; (/* binding */ BIconCollection),
/* harmony export */   BIconCollectionFill: () =&gt; (/* binding */ BIconCollectionFill),
/* harmony export */   BIconCollectionPlay: () =&gt; (/* binding */ BIconCollectionPlay),
/* harmony export */   BIconCollectionPlayFill: () =&gt; (/* binding */ BIconCollectionPlayFill),
/* harmony export */   BIconColumns: () =&gt; (/* binding */ BIconColumns),
/* harmony export */   BIconColumnsGap: () =&gt; (/* binding */ BIconColumnsGap),
/* harmony export */   BIconCommand: () =&gt; (/* binding */ BIconCommand),
/* harmony export */   BIconCompass: () =&gt; (/* binding */ BIconCompass),
/* harmony export */   BIconCompassFill: () =&gt; (/* binding */ BIconCompassFill),
/* harmony export */   BIconCone: () =&gt; (/* binding */ BIconCone),
/* harmony export */   BIconConeStriped: () =&gt; (/* binding */ BIconConeStriped),
/* harmony export */   BIconController: () =&gt; (/* binding */ BIconController),
/* harmony export */   BIconCpu: () =&gt; (/* binding */ BIconCpu),
/* harmony export */   BIconCpuFill: () =&gt; (/* binding */ BIconCpuFill),
/* harmony export */   BIconCreditCard: () =&gt; (/* binding */ BIconCreditCard),
/* harmony export */   BIconCreditCard2Back: () =&gt; (/* binding */ BIconCreditCard2Back),
/* harmony export */   BIconCreditCard2BackFill: () =&gt; (/* binding */ BIconCreditCard2BackFill),
/* harmony export */   BIconCreditCard2Front: () =&gt; (/* binding */ BIconCreditCard2Front),
/* harmony export */   BIconCreditCard2FrontFill: () =&gt; (/* binding */ BIconCreditCard2FrontFill),
/* harmony export */   BIconCreditCardFill: () =&gt; (/* binding */ BIconCreditCardFill),
/* harmony export */   BIconCrop: () =&gt; (/* binding */ BIconCrop),
/* harmony export */   BIconCup: () =&gt; (/* binding */ BIconCup),
/* harmony export */   BIconCupFill: () =&gt; (/* binding */ BIconCupFill),
/* harmony export */   BIconCupStraw: () =&gt; (/* binding */ BIconCupStraw),
/* harmony export */   BIconCurrencyBitcoin: () =&gt; (/* binding */ BIconCurrencyBitcoin),
/* harmony export */   BIconCurrencyDollar: () =&gt; (/* binding */ BIconCurrencyDollar),
/* harmony export */   BIconCurrencyEuro: () =&gt; (/* binding */ BIconCurrencyEuro),
/* harmony export */   BIconCurrencyExchange: () =&gt; (/* binding */ BIconCurrencyExchange),
/* harmony export */   BIconCurrencyPound: () =&gt; (/* binding */ BIconCurrencyPound),
/* harmony export */   BIconCurrencyYen: () =&gt; (/* binding */ BIconCurrencyYen),
/* harmony export */   BIconCursor: () =&gt; (/* binding */ BIconCursor),
/* harmony export */   BIconCursorFill: () =&gt; (/* binding */ BIconCursorFill),
/* harmony export */   BIconCursorText: () =&gt; (/* binding */ BIconCursorText),
/* harmony export */   BIconDash: () =&gt; (/* binding */ BIconDash),
/* harmony export */   BIconDashCircle: () =&gt; (/* binding */ BIconDashCircle),
/* harmony export */   BIconDashCircleDotted: () =&gt; (/* binding */ BIconDashCircleDotted),
/* harmony export */   BIconDashCircleFill: () =&gt; (/* binding */ BIconDashCircleFill),
/* harmony export */   BIconDashLg: () =&gt; (/* binding */ BIconDashLg),
/* harmony export */   BIconDashSquare: () =&gt; (/* binding */ BIconDashSquare),
/* harmony export */   BIconDashSquareDotted: () =&gt; (/* binding */ BIconDashSquareDotted),
/* harmony export */   BIconDashSquareFill: () =&gt; (/* binding */ BIconDashSquareFill),
/* harmony export */   BIconDiagram2: () =&gt; (/* binding */ BIconDiagram2),
/* harmony export */   BIconDiagram2Fill: () =&gt; (/* binding */ BIconDiagram2Fill),
/* harmony export */   BIconDiagram3: () =&gt; (/* binding */ BIconDiagram3),
/* harmony export */   BIconDiagram3Fill: () =&gt; (/* binding */ BIconDiagram3Fill),
/* harmony export */   BIconDiamond: () =&gt; (/* binding */ BIconDiamond),
/* harmony export */   BIconDiamondFill: () =&gt; (/* binding */ BIconDiamondFill),
/* harmony export */   BIconDiamondHalf: () =&gt; (/* binding */ BIconDiamondHalf),
/* harmony export */   BIconDice1: () =&gt; (/* binding */ BIconDice1),
/* harmony export */   BIconDice1Fill: () =&gt; (/* binding */ BIconDice1Fill),
/* harmony export */   BIconDice2: () =&gt; (/* binding */ BIconDice2),
/* harmony export */   BIconDice2Fill: () =&gt; (/* binding */ BIconDice2Fill),
/* harmony export */   BIconDice3: () =&gt; (/* binding */ BIconDice3),
/* harmony export */   BIconDice3Fill: () =&gt; (/* binding */ BIconDice3Fill),
/* harmony export */   BIconDice4: () =&gt; (/* binding */ BIconDice4),
/* harmony export */   BIconDice4Fill: () =&gt; (/* binding */ BIconDice4Fill),
/* harmony export */   BIconDice5: () =&gt; (/* binding */ BIconDice5),
/* harmony export */   BIconDice5Fill: () =&gt; (/* binding */ BIconDice5Fill),
/* harmony export */   BIconDice6: () =&gt; (/* binding */ BIconDice6),
/* harmony export */   BIconDice6Fill: () =&gt; (/* binding */ BIconDice6Fill),
/* harmony export */   BIconDisc: () =&gt; (/* binding */ BIconDisc),
/* harmony export */   BIconDiscFill: () =&gt; (/* binding */ BIconDiscFill),
/* harmony export */   BIconDiscord: () =&gt; (/* binding */ BIconDiscord),
/* harmony export */   BIconDisplay: () =&gt; (/* binding */ BIconDisplay),
/* harmony export */   BIconDisplayFill: () =&gt; (/* binding */ BIconDisplayFill),
/* harmony export */   BIconDistributeHorizontal: () =&gt; (/* binding */ BIconDistributeHorizontal),
/* harmony export */   BIconDistributeVertical: () =&gt; (/* binding */ BIconDistributeVertical),
/* harmony export */   BIconDoorClosed: () =&gt; (/* binding */ BIconDoorClosed),
/* harmony export */   BIconDoorClosedFill: () =&gt; (/* binding */ BIconDoorClosedFill),
/* harmony export */   BIconDoorOpen: () =&gt; (/* binding */ BIconDoorOpen),
/* harmony export */   BIconDoorOpenFill: () =&gt; (/* binding */ BIconDoorOpenFill),
/* harmony export */   BIconDot: () =&gt; (/* binding */ BIconDot),
/* harmony export */   BIconDownload: () =&gt; (/* binding */ BIconDownload),
/* harmony export */   BIconDroplet: () =&gt; (/* binding */ BIconDroplet),
/* harmony export */   BIconDropletFill: () =&gt; (/* binding */ BIconDropletFill),
/* harmony export */   BIconDropletHalf: () =&gt; (/* binding */ BIconDropletHalf),
/* harmony export */   BIconEarbuds: () =&gt; (/* binding */ BIconEarbuds),
/* harmony export */   BIconEasel: () =&gt; (/* binding */ BIconEasel),
/* harmony export */   BIconEaselFill: () =&gt; (/* binding */ BIconEaselFill),
/* harmony export */   BIconEgg: () =&gt; (/* binding */ BIconEgg),
/* harmony export */   BIconEggFill: () =&gt; (/* binding */ BIconEggFill),
/* harmony export */   BIconEggFried: () =&gt; (/* binding */ BIconEggFried),
/* harmony export */   BIconEject: () =&gt; (/* binding */ BIconEject),
/* harmony export */   BIconEjectFill: () =&gt; (/* binding */ BIconEjectFill),
/* harmony export */   BIconEmojiAngry: () =&gt; (/* binding */ BIconEmojiAngry),
/* harmony export */   BIconEmojiAngryFill: () =&gt; (/* binding */ BIconEmojiAngryFill),
/* harmony export */   BIconEmojiDizzy: () =&gt; (/* binding */ BIconEmojiDizzy),
/* harmony export */   BIconEmojiDizzyFill: () =&gt; (/* binding */ BIconEmojiDizzyFill),
/* harmony export */   BIconEmojiExpressionless: () =&gt; (/* binding */ BIconEmojiExpressionless),
/* harmony export */   BIconEmojiExpressionlessFill: () =&gt; (/* binding */ BIconEmojiExpressionlessFill),
/* harmony export */   BIconEmojiFrown: () =&gt; (/* binding */ BIconEmojiFrown),
/* harmony export */   BIconEmojiFrownFill: () =&gt; (/* binding */ BIconEmojiFrownFill),
/* harmony export */   BIconEmojiHeartEyes: () =&gt; (/* binding */ BIconEmojiHeartEyes),
/* harmony export */   BIconEmojiHeartEyesFill: () =&gt; (/* binding */ BIconEmojiHeartEyesFill),
/* harmony export */   BIconEmojiLaughing: () =&gt; (/* binding */ BIconEmojiLaughing),
/* harmony export */   BIconEmojiLaughingFill: () =&gt; (/* binding */ BIconEmojiLaughingFill),
/* harmony export */   BIconEmojiNeutral: () =&gt; (/* binding */ BIconEmojiNeutral),
/* harmony export */   BIconEmojiNeutralFill: () =&gt; (/* binding */ BIconEmojiNeutralFill),
/* harmony export */   BIconEmojiSmile: () =&gt; (/* binding */ BIconEmojiSmile),
/* harmony export */   BIconEmojiSmileFill: () =&gt; (/* binding */ BIconEmojiSmileFill),
/* harmony export */   BIconEmojiSmileUpsideDown: () =&gt; (/* binding */ BIconEmojiSmileUpsideDown),
/* harmony export */   BIconEmojiSmileUpsideDownFill: () =&gt; (/* binding */ BIconEmojiSmileUpsideDownFill),
/* harmony export */   BIconEmojiSunglasses: () =&gt; (/* binding */ BIconEmojiSunglasses),
/* harmony export */   BIconEmojiSunglassesFill: () =&gt; (/* binding */ BIconEmojiSunglassesFill),
/* harmony export */   BIconEmojiWink: () =&gt; (/* binding */ BIconEmojiWink),
/* harmony export */   BIconEmojiWinkFill: () =&gt; (/* binding */ BIconEmojiWinkFill),
/* harmony export */   BIconEnvelope: () =&gt; (/* binding */ BIconEnvelope),
/* harmony export */   BIconEnvelopeFill: () =&gt; (/* binding */ BIconEnvelopeFill),
/* harmony export */   BIconEnvelopeOpen: () =&gt; (/* binding */ BIconEnvelopeOpen),
/* harmony export */   BIconEnvelopeOpenFill: () =&gt; (/* binding */ BIconEnvelopeOpenFill),
/* harmony export */   BIconEraser: () =&gt; (/* binding */ BIconEraser),
/* harmony export */   BIconEraserFill: () =&gt; (/* binding */ BIconEraserFill),
/* harmony export */   BIconExclamation: () =&gt; (/* binding */ BIconExclamation),
/* harmony export */   BIconExclamationCircle: () =&gt; (/* binding */ BIconExclamationCircle),
/* harmony export */   BIconExclamationCircleFill: () =&gt; (/* binding */ BIconExclamationCircleFill),
/* harmony export */   BIconExclamationDiamond: () =&gt; (/* binding */ BIconExclamationDiamond),
/* harmony export */   BIconExclamationDiamondFill: () =&gt; (/* binding */ BIconExclamationDiamondFill),
/* harmony export */   BIconExclamationLg: () =&gt; (/* binding */ BIconExclamationLg),
/* harmony export */   BIconExclamationOctagon: () =&gt; (/* binding */ BIconExclamationOctagon),
/* harmony export */   BIconExclamationOctagonFill: () =&gt; (/* binding */ BIconExclamationOctagonFill),
/* harmony export */   BIconExclamationSquare: () =&gt; (/* binding */ BIconExclamationSquare),
/* harmony export */   BIconExclamationSquareFill: () =&gt; (/* binding */ BIconExclamationSquareFill),
/* harmony export */   BIconExclamationTriangle: () =&gt; (/* binding */ BIconExclamationTriangle),
/* harmony export */   BIconExclamationTriangleFill: () =&gt; (/* binding */ BIconExclamationTriangleFill),
/* harmony export */   BIconExclude: () =&gt; (/* binding */ BIconExclude),
/* harmony export */   BIconEye: () =&gt; (/* binding */ BIconEye),
/* harmony export */   BIconEyeFill: () =&gt; (/* binding */ BIconEyeFill),
/* harmony export */   BIconEyeSlash: () =&gt; (/* binding */ BIconEyeSlash),
/* harmony export */   BIconEyeSlashFill: () =&gt; (/* binding */ BIconEyeSlashFill),
/* harmony export */   BIconEyedropper: () =&gt; (/* binding */ BIconEyedropper),
/* harmony export */   BIconEyeglasses: () =&gt; (/* binding */ BIconEyeglasses),
/* harmony export */   BIconFacebook: () =&gt; (/* binding */ BIconFacebook),
/* harmony export */   BIconFile: () =&gt; (/* binding */ BIconFile),
/* harmony export */   BIconFileArrowDown: () =&gt; (/* binding */ BIconFileArrowDown),
/* harmony export */   BIconFileArrowDownFill: () =&gt; (/* binding */ BIconFileArrowDownFill),
/* harmony export */   BIconFileArrowUp: () =&gt; (/* binding */ BIconFileArrowUp),
/* harmony export */   BIconFileArrowUpFill: () =&gt; (/* binding */ BIconFileArrowUpFill),
/* harmony export */   BIconFileBarGraph: () =&gt; (/* binding */ BIconFileBarGraph),
/* harmony export */   BIconFileBarGraphFill: () =&gt; (/* binding */ BIconFileBarGraphFill),
/* harmony export */   BIconFileBinary: () =&gt; (/* binding */ BIconFileBinary),
/* harmony export */   BIconFileBinaryFill: () =&gt; (/* binding */ BIconFileBinaryFill),
/* harmony export */   BIconFileBreak: () =&gt; (/* binding */ BIconFileBreak),
/* harmony export */   BIconFileBreakFill: () =&gt; (/* binding */ BIconFileBreakFill),
/* harmony export */   BIconFileCheck: () =&gt; (/* binding */ BIconFileCheck),
/* harmony export */   BIconFileCheckFill: () =&gt; (/* binding */ BIconFileCheckFill),
/* harmony export */   BIconFileCode: () =&gt; (/* binding */ BIconFileCode),
/* harmony export */   BIconFileCodeFill: () =&gt; (/* binding */ BIconFileCodeFill),
/* harmony export */   BIconFileDiff: () =&gt; (/* binding */ BIconFileDiff),
/* harmony export */   BIconFileDiffFill: () =&gt; (/* binding */ BIconFileDiffFill),
/* harmony export */   BIconFileEarmark: () =&gt; (/* binding */ BIconFileEarmark),
/* harmony export */   BIconFileEarmarkArrowDown: () =&gt; (/* binding */ BIconFileEarmarkArrowDown),
/* harmony export */   BIconFileEarmarkArrowDownFill: () =&gt; (/* binding */ BIconFileEarmarkArrowDownFill),
/* harmony export */   BIconFileEarmarkArrowUp: () =&gt; (/* binding */ BIconFileEarmarkArrowUp),
/* harmony export */   BIconFileEarmarkArrowUpFill: () =&gt; (/* binding */ BIconFileEarmarkArrowUpFill),
/* harmony export */   BIconFileEarmarkBarGraph: () =&gt; (/* binding */ BIconFileEarmarkBarGraph),
/* harmony export */   BIconFileEarmarkBarGraphFill: () =&gt; (/* binding */ BIconFileEarmarkBarGraphFill),
/* harmony export */   BIconFileEarmarkBinary: () =&gt; (/* binding */ BIconFileEarmarkBinary),
/* harmony export */   BIconFileEarmarkBinaryFill: () =&gt; (/* binding */ BIconFileEarmarkBinaryFill),
/* harmony export */   BIconFileEarmarkBreak: () =&gt; (/* binding */ BIconFileEarmarkBreak),
/* harmony export */   BIconFileEarmarkBreakFill: () =&gt; (/* binding */ BIconFileEarmarkBreakFill),
/* harmony export */   BIconFileEarmarkCheck: () =&gt; (/* binding */ BIconFileEarmarkCheck),
/* harmony export */   BIconFileEarmarkCheckFill: () =&gt; (/* binding */ BIconFileEarmarkCheckFill),
/* harmony export */   BIconFileEarmarkCode: () =&gt; (/* binding */ BIconFileEarmarkCode),
/* harmony export */   BIconFileEarmarkCodeFill: () =&gt; (/* binding */ BIconFileEarmarkCodeFill),
/* harmony export */   BIconFileEarmarkDiff: () =&gt; (/* binding */ BIconFileEarmarkDiff),
/* harmony export */   BIconFileEarmarkDiffFill: () =&gt; (/* binding */ BIconFileEarmarkDiffFill),
/* harmony export */   BIconFileEarmarkEasel: () =&gt; (/* binding */ BIconFileEarmarkEasel),
/* harmony export */   BIconFileEarmarkEaselFill: () =&gt; (/* binding */ BIconFileEarmarkEaselFill),
/* harmony export */   BIconFileEarmarkExcel: () =&gt; (/* binding */ BIconFileEarmarkExcel),
/* harmony export */   BIconFileEarmarkExcelFill: () =&gt; (/* binding */ BIconFileEarmarkExcelFill),
/* harmony export */   BIconFileEarmarkFill: () =&gt; (/* binding */ BIconFileEarmarkFill),
/* harmony export */   BIconFileEarmarkFont: () =&gt; (/* binding */ BIconFileEarmarkFont),
/* harmony export */   BIconFileEarmarkFontFill: () =&gt; (/* binding */ BIconFileEarmarkFontFill),
/* harmony export */   BIconFileEarmarkImage: () =&gt; (/* binding */ BIconFileEarmarkImage),
/* harmony export */   BIconFileEarmarkImageFill: () =&gt; (/* binding */ BIconFileEarmarkImageFill),
/* harmony export */   BIconFileEarmarkLock: () =&gt; (/* binding */ BIconFileEarmarkLock),
/* harmony export */   BIconFileEarmarkLock2: () =&gt; (/* binding */ BIconFileEarmarkLock2),
/* harmony export */   BIconFileEarmarkLock2Fill: () =&gt; (/* binding */ BIconFileEarmarkLock2Fill),
/* harmony export */   BIconFileEarmarkLockFill: () =&gt; (/* binding */ BIconFileEarmarkLockFill),
/* harmony export */   BIconFileEarmarkMedical: () =&gt; (/* binding */ BIconFileEarmarkMedical),
/* harmony export */   BIconFileEarmarkMedicalFill: () =&gt; (/* binding */ BIconFileEarmarkMedicalFill),
/* harmony export */   BIconFileEarmarkMinus: () =&gt; (/* binding */ BIconFileEarmarkMinus),
/* harmony export */   BIconFileEarmarkMinusFill: () =&gt; (/* binding */ BIconFileEarmarkMinusFill),
/* harmony export */   BIconFileEarmarkMusic: () =&gt; (/* binding */ BIconFileEarmarkMusic),
/* harmony export */   BIconFileEarmarkMusicFill: () =&gt; (/* binding */ BIconFileEarmarkMusicFill),
/* harmony export */   BIconFileEarmarkPdf: () =&gt; (/* binding */ BIconFileEarmarkPdf),
/* harmony export */   BIconFileEarmarkPdfFill: () =&gt; (/* binding */ BIconFileEarmarkPdfFill),
/* harmony export */   BIconFileEarmarkPerson: () =&gt; (/* binding */ BIconFileEarmarkPerson),
/* harmony export */   BIconFileEarmarkPersonFill: () =&gt; (/* binding */ BIconFileEarmarkPersonFill),
/* harmony export */   BIconFileEarmarkPlay: () =&gt; (/* binding */ BIconFileEarmarkPlay),
/* harmony export */   BIconFileEarmarkPlayFill: () =&gt; (/* binding */ BIconFileEarmarkPlayFill),
/* harmony export */   BIconFileEarmarkPlus: () =&gt; (/* binding */ BIconFileEarmarkPlus),
/* harmony export */   BIconFileEarmarkPlusFill: () =&gt; (/* binding */ BIconFileEarmarkPlusFill),
/* harmony export */   BIconFileEarmarkPost: () =&gt; (/* binding */ BIconFileEarmarkPost),
/* harmony export */   BIconFileEarmarkPostFill: () =&gt; (/* binding */ BIconFileEarmarkPostFill),
/* harmony export */   BIconFileEarmarkPpt: () =&gt; (/* binding */ BIconFileEarmarkPpt),
/* harmony export */   BIconFileEarmarkPptFill: () =&gt; (/* binding */ BIconFileEarmarkPptFill),
/* harmony export */   BIconFileEarmarkRichtext: () =&gt; (/* binding */ BIconFileEarmarkRichtext),
/* harmony export */   BIconFileEarmarkRichtextFill: () =&gt; (/* binding */ BIconFileEarmarkRichtextFill),
/* harmony export */   BIconFileEarmarkRuled: () =&gt; (/* binding */ BIconFileEarmarkRuled),
/* harmony export */   BIconFileEarmarkRuledFill: () =&gt; (/* binding */ BIconFileEarmarkRuledFill),
/* harmony export */   BIconFileEarmarkSlides: () =&gt; (/* binding */ BIconFileEarmarkSlides),
/* harmony export */   BIconFileEarmarkSlidesFill: () =&gt; (/* binding */ BIconFileEarmarkSlidesFill),
/* harmony export */   BIconFileEarmarkSpreadsheet: () =&gt; (/* binding */ BIconFileEarmarkSpreadsheet),
/* harmony export */   BIconFileEarmarkSpreadsheetFill: () =&gt; (/* binding */ BIconFileEarmarkSpreadsheetFill),
/* harmony export */   BIconFileEarmarkText: () =&gt; (/* binding */ BIconFileEarmarkText),
/* harmony export */   BIconFileEarmarkTextFill: () =&gt; (/* binding */ BIconFileEarmarkTextFill),
/* harmony export */   BIconFileEarmarkWord: () =&gt; (/* binding */ BIconFileEarmarkWord),
/* harmony export */   BIconFileEarmarkWordFill: () =&gt; (/* binding */ BIconFileEarmarkWordFill),
/* harmony export */   BIconFileEarmarkX: () =&gt; (/* binding */ BIconFileEarmarkX),
/* harmony export */   BIconFileEarmarkXFill: () =&gt; (/* binding */ BIconFileEarmarkXFill),
/* harmony export */   BIconFileEarmarkZip: () =&gt; (/* binding */ BIconFileEarmarkZip),
/* harmony export */   BIconFileEarmarkZipFill: () =&gt; (/* binding */ BIconFileEarmarkZipFill),
/* harmony export */   BIconFileEasel: () =&gt; (/* binding */ BIconFileEasel),
/* harmony export */   BIconFileEaselFill: () =&gt; (/* binding */ BIconFileEaselFill),
/* harmony export */   BIconFileExcel: () =&gt; (/* binding */ BIconFileExcel),
/* harmony export */   BIconFileExcelFill: () =&gt; (/* binding */ BIconFileExcelFill),
/* harmony export */   BIconFileFill: () =&gt; (/* binding */ BIconFileFill),
/* harmony export */   BIconFileFont: () =&gt; (/* binding */ BIconFileFont),
/* harmony export */   BIconFileFontFill: () =&gt; (/* binding */ BIconFileFontFill),
/* harmony export */   BIconFileImage: () =&gt; (/* binding */ BIconFileImage),
/* harmony export */   BIconFileImageFill: () =&gt; (/* binding */ BIconFileImageFill),
/* harmony export */   BIconFileLock: () =&gt; (/* binding */ BIconFileLock),
/* harmony export */   BIconFileLock2: () =&gt; (/* binding */ BIconFileLock2),
/* harmony export */   BIconFileLock2Fill: () =&gt; (/* binding */ BIconFileLock2Fill),
/* harmony export */   BIconFileLockFill: () =&gt; (/* binding */ BIconFileLockFill),
/* harmony export */   BIconFileMedical: () =&gt; (/* binding */ BIconFileMedical),
/* harmony export */   BIconFileMedicalFill: () =&gt; (/* binding */ BIconFileMedicalFill),
/* harmony export */   BIconFileMinus: () =&gt; (/* binding */ BIconFileMinus),
/* harmony export */   BIconFileMinusFill: () =&gt; (/* binding */ BIconFileMinusFill),
/* harmony export */   BIconFileMusic: () =&gt; (/* binding */ BIconFileMusic),
/* harmony export */   BIconFileMusicFill: () =&gt; (/* binding */ BIconFileMusicFill),
/* harmony export */   BIconFilePdf: () =&gt; (/* binding */ BIconFilePdf),
/* harmony export */   BIconFilePdfFill: () =&gt; (/* binding */ BIconFilePdfFill),
/* harmony export */   BIconFilePerson: () =&gt; (/* binding */ BIconFilePerson),
/* harmony export */   BIconFilePersonFill: () =&gt; (/* binding */ BIconFilePersonFill),
/* harmony export */   BIconFilePlay: () =&gt; (/* binding */ BIconFilePlay),
/* harmony export */   BIconFilePlayFill: () =&gt; (/* binding */ BIconFilePlayFill),
/* harmony export */   BIconFilePlus: () =&gt; (/* binding */ BIconFilePlus),
/* harmony export */   BIconFilePlusFill: () =&gt; (/* binding */ BIconFilePlusFill),
/* harmony export */   BIconFilePost: () =&gt; (/* binding */ BIconFilePost),
/* harmony export */   BIconFilePostFill: () =&gt; (/* binding */ BIconFilePostFill),
/* harmony export */   BIconFilePpt: () =&gt; (/* binding */ BIconFilePpt),
/* harmony export */   BIconFilePptFill: () =&gt; (/* binding */ BIconFilePptFill),
/* harmony export */   BIconFileRichtext: () =&gt; (/* binding */ BIconFileRichtext),
/* harmony export */   BIconFileRichtextFill: () =&gt; (/* binding */ BIconFileRichtextFill),
/* harmony export */   BIconFileRuled: () =&gt; (/* binding */ BIconFileRuled),
/* harmony export */   BIconFileRuledFill: () =&gt; (/* binding */ BIconFileRuledFill),
/* harmony export */   BIconFileSlides: () =&gt; (/* binding */ BIconFileSlides),
/* harmony export */   BIconFileSlidesFill: () =&gt; (/* binding */ BIconFileSlidesFill),
/* harmony export */   BIconFileSpreadsheet: () =&gt; (/* binding */ BIconFileSpreadsheet),
/* harmony export */   BIconFileSpreadsheetFill: () =&gt; (/* binding */ BIconFileSpreadsheetFill),
/* harmony export */   BIconFileText: () =&gt; (/* binding */ BIconFileText),
/* harmony export */   BIconFileTextFill: () =&gt; (/* binding */ BIconFileTextFill),
/* harmony export */   BIconFileWord: () =&gt; (/* binding */ BIconFileWord),
/* harmony export */   BIconFileWordFill: () =&gt; (/* binding */ BIconFileWordFill),
/* harmony export */   BIconFileX: () =&gt; (/* binding */ BIconFileX),
/* harmony export */   BIconFileXFill: () =&gt; (/* binding */ BIconFileXFill),
/* harmony export */   BIconFileZip: () =&gt; (/* binding */ BIconFileZip),
/* harmony export */   BIconFileZipFill: () =&gt; (/* binding */ BIconFileZipFill),
/* harmony export */   BIconFiles: () =&gt; (/* binding */ BIconFiles),
/* harmony export */   BIconFilesAlt: () =&gt; (/* binding */ BIconFilesAlt),
/* harmony export */   BIconFilm: () =&gt; (/* binding */ BIconFilm),
/* harmony export */   BIconFilter: () =&gt; (/* binding */ BIconFilter),
/* harmony export */   BIconFilterCircle: () =&gt; (/* binding */ BIconFilterCircle),
/* harmony export */   BIconFilterCircleFill: () =&gt; (/* binding */ BIconFilterCircleFill),
/* harmony export */   BIconFilterLeft: () =&gt; (/* binding */ BIconFilterLeft),
/* harmony export */   BIconFilterRight: () =&gt; (/* binding */ BIconFilterRight),
/* harmony export */   BIconFilterSquare: () =&gt; (/* binding */ BIconFilterSquare),
/* harmony export */   BIconFilterSquareFill: () =&gt; (/* binding */ BIconFilterSquareFill),
/* harmony export */   BIconFlag: () =&gt; (/* binding */ BIconFlag),
/* harmony export */   BIconFlagFill: () =&gt; (/* binding */ BIconFlagFill),
/* harmony export */   BIconFlower1: () =&gt; (/* binding */ BIconFlower1),
/* harmony export */   BIconFlower2: () =&gt; (/* binding */ BIconFlower2),
/* harmony export */   BIconFlower3: () =&gt; (/* binding */ BIconFlower3),
/* harmony export */   BIconFolder: () =&gt; (/* binding */ BIconFolder),
/* harmony export */   BIconFolder2: () =&gt; (/* binding */ BIconFolder2),
/* harmony export */   BIconFolder2Open: () =&gt; (/* binding */ BIconFolder2Open),
/* harmony export */   BIconFolderCheck: () =&gt; (/* binding */ BIconFolderCheck),
/* harmony export */   BIconFolderFill: () =&gt; (/* binding */ BIconFolderFill),
/* harmony export */   BIconFolderMinus: () =&gt; (/* binding */ BIconFolderMinus),
/* harmony export */   BIconFolderPlus: () =&gt; (/* binding */ BIconFolderPlus),
/* harmony export */   BIconFolderSymlink: () =&gt; (/* binding */ BIconFolderSymlink),
/* harmony export */   BIconFolderSymlinkFill: () =&gt; (/* binding */ BIconFolderSymlinkFill),
/* harmony export */   BIconFolderX: () =&gt; (/* binding */ BIconFolderX),
/* harmony export */   BIconFonts: () =&gt; (/* binding */ BIconFonts),
/* harmony export */   BIconForward: () =&gt; (/* binding */ BIconForward),
/* harmony export */   BIconForwardFill: () =&gt; (/* binding */ BIconForwardFill),
/* harmony export */   BIconFront: () =&gt; (/* binding */ BIconFront),
/* harmony export */   BIconFullscreen: () =&gt; (/* binding */ BIconFullscreen),
/* harmony export */   BIconFullscreenExit: () =&gt; (/* binding */ BIconFullscreenExit),
/* harmony export */   BIconFunnel: () =&gt; (/* binding */ BIconFunnel),
/* harmony export */   BIconFunnelFill: () =&gt; (/* binding */ BIconFunnelFill),
/* harmony export */   BIconGear: () =&gt; (/* binding */ BIconGear),
/* harmony export */   BIconGearFill: () =&gt; (/* binding */ BIconGearFill),
/* harmony export */   BIconGearWide: () =&gt; (/* binding */ BIconGearWide),
/* harmony export */   BIconGearWideConnected: () =&gt; (/* binding */ BIconGearWideConnected),
/* harmony export */   BIconGem: () =&gt; (/* binding */ BIconGem),
/* harmony export */   BIconGenderAmbiguous: () =&gt; (/* binding */ BIconGenderAmbiguous),
/* harmony export */   BIconGenderFemale: () =&gt; (/* binding */ BIconGenderFemale),
/* harmony export */   BIconGenderMale: () =&gt; (/* binding */ BIconGenderMale),
/* harmony export */   BIconGenderTrans: () =&gt; (/* binding */ BIconGenderTrans),
/* harmony export */   BIconGeo: () =&gt; (/* binding */ BIconGeo),
/* harmony export */   BIconGeoAlt: () =&gt; (/* binding */ BIconGeoAlt),
/* harmony export */   BIconGeoAltFill: () =&gt; (/* binding */ BIconGeoAltFill),
/* harmony export */   BIconGeoFill: () =&gt; (/* binding */ BIconGeoFill),
/* harmony export */   BIconGift: () =&gt; (/* binding */ BIconGift),
/* harmony export */   BIconGiftFill: () =&gt; (/* binding */ BIconGiftFill),
/* harmony export */   BIconGithub: () =&gt; (/* binding */ BIconGithub),
/* harmony export */   BIconGlobe: () =&gt; (/* binding */ BIconGlobe),
/* harmony export */   BIconGlobe2: () =&gt; (/* binding */ BIconGlobe2),
/* harmony export */   BIconGoogle: () =&gt; (/* binding */ BIconGoogle),
/* harmony export */   BIconGraphDown: () =&gt; (/* binding */ BIconGraphDown),
/* harmony export */   BIconGraphUp: () =&gt; (/* binding */ BIconGraphUp),
/* harmony export */   BIconGrid: () =&gt; (/* binding */ BIconGrid),
/* harmony export */   BIconGrid1x2: () =&gt; (/* binding */ BIconGrid1x2),
/* harmony export */   BIconGrid1x2Fill: () =&gt; (/* binding */ BIconGrid1x2Fill),
/* harmony export */   BIconGrid3x2: () =&gt; (/* binding */ BIconGrid3x2),
/* harmony export */   BIconGrid3x2Gap: () =&gt; (/* binding */ BIconGrid3x2Gap),
/* harmony export */   BIconGrid3x2GapFill: () =&gt; (/* binding */ BIconGrid3x2GapFill),
/* harmony export */   BIconGrid3x3: () =&gt; (/* binding */ BIconGrid3x3),
/* harmony export */   BIconGrid3x3Gap: () =&gt; (/* binding */ BIconGrid3x3Gap),
/* harmony export */   BIconGrid3x3GapFill: () =&gt; (/* binding */ BIconGrid3x3GapFill),
/* harmony export */   BIconGridFill: () =&gt; (/* binding */ BIconGridFill),
/* harmony export */   BIconGripHorizontal: () =&gt; (/* binding */ BIconGripHorizontal),
/* harmony export */   BIconGripVertical: () =&gt; (/* binding */ BIconGripVertical),
/* harmony export */   BIconHammer: () =&gt; (/* binding */ BIconHammer),
/* harmony export */   BIconHandIndex: () =&gt; (/* binding */ BIconHandIndex),
/* harmony export */   BIconHandIndexFill: () =&gt; (/* binding */ BIconHandIndexFill),
/* harmony export */   BIconHandIndexThumb: () =&gt; (/* binding */ BIconHandIndexThumb),
/* harmony export */   BIconHandIndexThumbFill: () =&gt; (/* binding */ BIconHandIndexThumbFill),
/* harmony export */   BIconHandThumbsDown: () =&gt; (/* binding */ BIconHandThumbsDown),
/* harmony export */   BIconHandThumbsDownFill: () =&gt; (/* binding */ BIconHandThumbsDownFill),
/* harmony export */   BIconHandThumbsUp: () =&gt; (/* binding */ BIconHandThumbsUp),
/* harmony export */   BIconHandThumbsUpFill: () =&gt; (/* binding */ BIconHandThumbsUpFill),
/* harmony export */   BIconHandbag: () =&gt; (/* binding */ BIconHandbag),
/* harmony export */   BIconHandbagFill: () =&gt; (/* binding */ BIconHandbagFill),
/* harmony export */   BIconHash: () =&gt; (/* binding */ BIconHash),
/* harmony export */   BIconHdd: () =&gt; (/* binding */ BIconHdd),
/* harmony export */   BIconHddFill: () =&gt; (/* binding */ BIconHddFill),
/* harmony export */   BIconHddNetwork: () =&gt; (/* binding */ BIconHddNetwork),
/* harmony export */   BIconHddNetworkFill: () =&gt; (/* binding */ BIconHddNetworkFill),
/* harmony export */   BIconHddRack: () =&gt; (/* binding */ BIconHddRack),
/* harmony export */   BIconHddRackFill: () =&gt; (/* binding */ BIconHddRackFill),
/* harmony export */   BIconHddStack: () =&gt; (/* binding */ BIconHddStack),
/* harmony export */   BIconHddStackFill: () =&gt; (/* binding */ BIconHddStackFill),
/* harmony export */   BIconHeadphones: () =&gt; (/* binding */ BIconHeadphones),
/* harmony export */   BIconHeadset: () =&gt; (/* binding */ BIconHeadset),
/* harmony export */   BIconHeadsetVr: () =&gt; (/* binding */ BIconHeadsetVr),
/* harmony export */   BIconHeart: () =&gt; (/* binding */ BIconHeart),
/* harmony export */   BIconHeartFill: () =&gt; (/* binding */ BIconHeartFill),
/* harmony export */   BIconHeartHalf: () =&gt; (/* binding */ BIconHeartHalf),
/* harmony export */   BIconHeptagon: () =&gt; (/* binding */ BIconHeptagon),
/* harmony export */   BIconHeptagonFill: () =&gt; (/* binding */ BIconHeptagonFill),
/* harmony export */   BIconHeptagonHalf: () =&gt; (/* binding */ BIconHeptagonHalf),
/* harmony export */   BIconHexagon: () =&gt; (/* binding */ BIconHexagon),
/* harmony export */   BIconHexagonFill: () =&gt; (/* binding */ BIconHexagonFill),
/* harmony export */   BIconHexagonHalf: () =&gt; (/* binding */ BIconHexagonHalf),
/* harmony export */   BIconHourglass: () =&gt; (/* binding */ BIconHourglass),
/* harmony export */   BIconHourglassBottom: () =&gt; (/* binding */ BIconHourglassBottom),
/* harmony export */   BIconHourglassSplit: () =&gt; (/* binding */ BIconHourglassSplit),
/* harmony export */   BIconHourglassTop: () =&gt; (/* binding */ BIconHourglassTop),
/* harmony export */   BIconHouse: () =&gt; (/* binding */ BIconHouse),
/* harmony export */   BIconHouseDoor: () =&gt; (/* binding */ BIconHouseDoor),
/* harmony export */   BIconHouseDoorFill: () =&gt; (/* binding */ BIconHouseDoorFill),
/* harmony export */   BIconHouseFill: () =&gt; (/* binding */ BIconHouseFill),
/* harmony export */   BIconHr: () =&gt; (/* binding */ BIconHr),
/* harmony export */   BIconHurricane: () =&gt; (/* binding */ BIconHurricane),
/* harmony export */   BIconImage: () =&gt; (/* binding */ BIconImage),
/* harmony export */   BIconImageAlt: () =&gt; (/* binding */ BIconImageAlt),
/* harmony export */   BIconImageFill: () =&gt; (/* binding */ BIconImageFill),
/* harmony export */   BIconImages: () =&gt; (/* binding */ BIconImages),
/* harmony export */   BIconInbox: () =&gt; (/* binding */ BIconInbox),
/* harmony export */   BIconInboxFill: () =&gt; (/* binding */ BIconInboxFill),
/* harmony export */   BIconInboxes: () =&gt; (/* binding */ BIconInboxes),
/* harmony export */   BIconInboxesFill: () =&gt; (/* binding */ BIconInboxesFill),
/* harmony export */   BIconInfo: () =&gt; (/* binding */ BIconInfo),
/* harmony export */   BIconInfoCircle: () =&gt; (/* binding */ BIconInfoCircle),
/* harmony export */   BIconInfoCircleFill: () =&gt; (/* binding */ BIconInfoCircleFill),
/* harmony export */   BIconInfoLg: () =&gt; (/* binding */ BIconInfoLg),
/* harmony export */   BIconInfoSquare: () =&gt; (/* binding */ BIconInfoSquare),
/* harmony export */   BIconInfoSquareFill: () =&gt; (/* binding */ BIconInfoSquareFill),
/* harmony export */   BIconInputCursor: () =&gt; (/* binding */ BIconInputCursor),
/* harmony export */   BIconInputCursorText: () =&gt; (/* binding */ BIconInputCursorText),
/* harmony export */   BIconInstagram: () =&gt; (/* binding */ BIconInstagram),
/* harmony export */   BIconIntersect: () =&gt; (/* binding */ BIconIntersect),
/* harmony export */   BIconJournal: () =&gt; (/* binding */ BIconJournal),
/* harmony export */   BIconJournalAlbum: () =&gt; (/* binding */ BIconJournalAlbum),
/* harmony export */   BIconJournalArrowDown: () =&gt; (/* binding */ BIconJournalArrowDown),
/* harmony export */   BIconJournalArrowUp: () =&gt; (/* binding */ BIconJournalArrowUp),
/* harmony export */   BIconJournalBookmark: () =&gt; (/* binding */ BIconJournalBookmark),
/* harmony export */   BIconJournalBookmarkFill: () =&gt; (/* binding */ BIconJournalBookmarkFill),
/* harmony export */   BIconJournalCheck: () =&gt; (/* binding */ BIconJournalCheck),
/* harmony export */   BIconJournalCode: () =&gt; (/* binding */ BIconJournalCode),
/* harmony export */   BIconJournalMedical: () =&gt; (/* binding */ BIconJournalMedical),
/* harmony export */   BIconJournalMinus: () =&gt; (/* binding */ BIconJournalMinus),
/* harmony export */   BIconJournalPlus: () =&gt; (/* binding */ BIconJournalPlus),
/* harmony export */   BIconJournalRichtext: () =&gt; (/* binding */ BIconJournalRichtext),
/* harmony export */   BIconJournalText: () =&gt; (/* binding */ BIconJournalText),
/* harmony export */   BIconJournalX: () =&gt; (/* binding */ BIconJournalX),
/* harmony export */   BIconJournals: () =&gt; (/* binding */ BIconJournals),
/* harmony export */   BIconJoystick: () =&gt; (/* binding */ BIconJoystick),
/* harmony export */   BIconJustify: () =&gt; (/* binding */ BIconJustify),
/* harmony export */   BIconJustifyLeft: () =&gt; (/* binding */ BIconJustifyLeft),
/* harmony export */   BIconJustifyRight: () =&gt; (/* binding */ BIconJustifyRight),
/* harmony export */   BIconKanban: () =&gt; (/* binding */ BIconKanban),
/* harmony export */   BIconKanbanFill: () =&gt; (/* binding */ BIconKanbanFill),
/* harmony export */   BIconKey: () =&gt; (/* binding */ BIconKey),
/* harmony export */   BIconKeyFill: () =&gt; (/* binding */ BIconKeyFill),
/* harmony export */   BIconKeyboard: () =&gt; (/* binding */ BIconKeyboard),
/* harmony export */   BIconKeyboardFill: () =&gt; (/* binding */ BIconKeyboardFill),
/* harmony export */   BIconLadder: () =&gt; (/* binding */ BIconLadder),
/* harmony export */   BIconLamp: () =&gt; (/* binding */ BIconLamp),
/* harmony export */   BIconLampFill: () =&gt; (/* binding */ BIconLampFill),
/* harmony export */   BIconLaptop: () =&gt; (/* binding */ BIconLaptop),
/* harmony export */   BIconLaptopFill: () =&gt; (/* binding */ BIconLaptopFill),
/* harmony export */   BIconLayerBackward: () =&gt; (/* binding */ BIconLayerBackward),
/* harmony export */   BIconLayerForward: () =&gt; (/* binding */ BIconLayerForward),
/* harmony export */   BIconLayers: () =&gt; (/* binding */ BIconLayers),
/* harmony export */   BIconLayersFill: () =&gt; (/* binding */ BIconLayersFill),
/* harmony export */   BIconLayersHalf: () =&gt; (/* binding */ BIconLayersHalf),
/* harmony export */   BIconLayoutSidebar: () =&gt; (/* binding */ BIconLayoutSidebar),
/* harmony export */   BIconLayoutSidebarInset: () =&gt; (/* binding */ BIconLayoutSidebarInset),
/* harmony export */   BIconLayoutSidebarInsetReverse: () =&gt; (/* binding */ BIconLayoutSidebarInsetReverse),
/* harmony export */   BIconLayoutSidebarReverse: () =&gt; (/* binding */ BIconLayoutSidebarReverse),
/* harmony export */   BIconLayoutSplit: () =&gt; (/* binding */ BIconLayoutSplit),
/* harmony export */   BIconLayoutTextSidebar: () =&gt; (/* binding */ BIconLayoutTextSidebar),
/* harmony export */   BIconLayoutTextSidebarReverse: () =&gt; (/* binding */ BIconLayoutTextSidebarReverse),
/* harmony export */   BIconLayoutTextWindow: () =&gt; (/* binding */ BIconLayoutTextWindow),
/* harmony export */   BIconLayoutTextWindowReverse: () =&gt; (/* binding */ BIconLayoutTextWindowReverse),
/* harmony export */   BIconLayoutThreeColumns: () =&gt; (/* binding */ BIconLayoutThreeColumns),
/* harmony export */   BIconLayoutWtf: () =&gt; (/* binding */ BIconLayoutWtf),
/* harmony export */   BIconLifePreserver: () =&gt; (/* binding */ BIconLifePreserver),
/* harmony export */   BIconLightbulb: () =&gt; (/* binding */ BIconLightbulb),
/* harmony export */   BIconLightbulbFill: () =&gt; (/* binding */ BIconLightbulbFill),
/* harmony export */   BIconLightbulbOff: () =&gt; (/* binding */ BIconLightbulbOff),
/* harmony export */   BIconLightbulbOffFill: () =&gt; (/* binding */ BIconLightbulbOffFill),
/* harmony export */   BIconLightning: () =&gt; (/* binding */ BIconLightning),
/* harmony export */   BIconLightningCharge: () =&gt; (/* binding */ BIconLightningCharge),
/* harmony export */   BIconLightningChargeFill: () =&gt; (/* binding */ BIconLightningChargeFill),
/* harmony export */   BIconLightningFill: () =&gt; (/* binding */ BIconLightningFill),
/* harmony export */   BIconLink: () =&gt; (/* binding */ BIconLink),
/* harmony export */   BIconLink45deg: () =&gt; (/* binding */ BIconLink45deg),
/* harmony export */   BIconLinkedin: () =&gt; (/* binding */ BIconLinkedin),
/* harmony export */   BIconList: () =&gt; (/* binding */ BIconList),
/* harmony export */   BIconListCheck: () =&gt; (/* binding */ BIconListCheck),
/* harmony export */   BIconListNested: () =&gt; (/* binding */ BIconListNested),
/* harmony export */   BIconListOl: () =&gt; (/* binding */ BIconListOl),
/* harmony export */   BIconListStars: () =&gt; (/* binding */ BIconListStars),
/* harmony export */   BIconListTask: () =&gt; (/* binding */ BIconListTask),
/* harmony export */   BIconListUl: () =&gt; (/* binding */ BIconListUl),
/* harmony export */   BIconLock: () =&gt; (/* binding */ BIconLock),
/* harmony export */   BIconLockFill: () =&gt; (/* binding */ BIconLockFill),
/* harmony export */   BIconMailbox: () =&gt; (/* binding */ BIconMailbox),
/* harmony export */   BIconMailbox2: () =&gt; (/* binding */ BIconMailbox2),
/* harmony export */   BIconMap: () =&gt; (/* binding */ BIconMap),
/* harmony export */   BIconMapFill: () =&gt; (/* binding */ BIconMapFill),
/* harmony export */   BIconMarkdown: () =&gt; (/* binding */ BIconMarkdown),
/* harmony export */   BIconMarkdownFill: () =&gt; (/* binding */ BIconMarkdownFill),
/* harmony export */   BIconMask: () =&gt; (/* binding */ BIconMask),
/* harmony export */   BIconMastodon: () =&gt; (/* binding */ BIconMastodon),
/* harmony export */   BIconMegaphone: () =&gt; (/* binding */ BIconMegaphone),
/* harmony export */   BIconMegaphoneFill: () =&gt; (/* binding */ BIconMegaphoneFill),
/* harmony export */   BIconMenuApp: () =&gt; (/* binding */ BIconMenuApp),
/* harmony export */   BIconMenuAppFill: () =&gt; (/* binding */ BIconMenuAppFill),
/* harmony export */   BIconMenuButton: () =&gt; (/* binding */ BIconMenuButton),
/* harmony export */   BIconMenuButtonFill: () =&gt; (/* binding */ BIconMenuButtonFill),
/* harmony export */   BIconMenuButtonWide: () =&gt; (/* binding */ BIconMenuButtonWide),
/* harmony export */   BIconMenuButtonWideFill: () =&gt; (/* binding */ BIconMenuButtonWideFill),
/* harmony export */   BIconMenuDown: () =&gt; (/* binding */ BIconMenuDown),
/* harmony export */   BIconMenuUp: () =&gt; (/* binding */ BIconMenuUp),
/* harmony export */   BIconMessenger: () =&gt; (/* binding */ BIconMessenger),
/* harmony export */   BIconMic: () =&gt; (/* binding */ BIconMic),
/* harmony export */   BIconMicFill: () =&gt; (/* binding */ BIconMicFill),
/* harmony export */   BIconMicMute: () =&gt; (/* binding */ BIconMicMute),
/* harmony export */   BIconMicMuteFill: () =&gt; (/* binding */ BIconMicMuteFill),
/* harmony export */   BIconMinecart: () =&gt; (/* binding */ BIconMinecart),
/* harmony export */   BIconMinecartLoaded: () =&gt; (/* binding */ BIconMinecartLoaded),
/* harmony export */   BIconMoisture: () =&gt; (/* binding */ BIconMoisture),
/* harmony export */   BIconMoon: () =&gt; (/* binding */ BIconMoon),
/* harmony export */   BIconMoonFill: () =&gt; (/* binding */ BIconMoonFill),
/* harmony export */   BIconMoonStars: () =&gt; (/* binding */ BIconMoonStars),
/* harmony export */   BIconMoonStarsFill: () =&gt; (/* binding */ BIconMoonStarsFill),
/* harmony export */   BIconMouse: () =&gt; (/* binding */ BIconMouse),
/* harmony export */   BIconMouse2: () =&gt; (/* binding */ BIconMouse2),
/* harmony export */   BIconMouse2Fill: () =&gt; (/* binding */ BIconMouse2Fill),
/* harmony export */   BIconMouse3: () =&gt; (/* binding */ BIconMouse3),
/* harmony export */   BIconMouse3Fill: () =&gt; (/* binding */ BIconMouse3Fill),
/* harmony export */   BIconMouseFill: () =&gt; (/* binding */ BIconMouseFill),
/* harmony export */   BIconMusicNote: () =&gt; (/* binding */ BIconMusicNote),
/* harmony export */   BIconMusicNoteBeamed: () =&gt; (/* binding */ BIconMusicNoteBeamed),
/* harmony export */   BIconMusicNoteList: () =&gt; (/* binding */ BIconMusicNoteList),
/* harmony export */   BIconMusicPlayer: () =&gt; (/* binding */ BIconMusicPlayer),
/* harmony export */   BIconMusicPlayerFill: () =&gt; (/* binding */ BIconMusicPlayerFill),
/* harmony export */   BIconNewspaper: () =&gt; (/* binding */ BIconNewspaper),
/* harmony export */   BIconNodeMinus: () =&gt; (/* binding */ BIconNodeMinus),
/* harmony export */   BIconNodeMinusFill: () =&gt; (/* binding */ BIconNodeMinusFill),
/* harmony export */   BIconNodePlus: () =&gt; (/* binding */ BIconNodePlus),
/* harmony export */   BIconNodePlusFill: () =&gt; (/* binding */ BIconNodePlusFill),
/* harmony export */   BIconNut: () =&gt; (/* binding */ BIconNut),
/* harmony export */   BIconNutFill: () =&gt; (/* binding */ BIconNutFill),
/* harmony export */   BIconOctagon: () =&gt; (/* binding */ BIconOctagon),
/* harmony export */   BIconOctagonFill: () =&gt; (/* binding */ BIconOctagonFill),
/* harmony export */   BIconOctagonHalf: () =&gt; (/* binding */ BIconOctagonHalf),
/* harmony export */   BIconOption: () =&gt; (/* binding */ BIconOption),
/* harmony export */   BIconOutlet: () =&gt; (/* binding */ BIconOutlet),
/* harmony export */   BIconPaintBucket: () =&gt; (/* binding */ BIconPaintBucket),
/* harmony export */   BIconPalette: () =&gt; (/* binding */ BIconPalette),
/* harmony export */   BIconPalette2: () =&gt; (/* binding */ BIconPalette2),
/* harmony export */   BIconPaletteFill: () =&gt; (/* binding */ BIconPaletteFill),
/* harmony export */   BIconPaperclip: () =&gt; (/* binding */ BIconPaperclip),
/* harmony export */   BIconParagraph: () =&gt; (/* binding */ BIconParagraph),
/* harmony export */   BIconPatchCheck: () =&gt; (/* binding */ BIconPatchCheck),
/* harmony export */   BIconPatchCheckFill: () =&gt; (/* binding */ BIconPatchCheckFill),
/* harmony export */   BIconPatchExclamation: () =&gt; (/* binding */ BIconPatchExclamation),
/* harmony export */   BIconPatchExclamationFill: () =&gt; (/* binding */ BIconPatchExclamationFill),
/* harmony export */   BIconPatchMinus: () =&gt; (/* binding */ BIconPatchMinus),
/* harmony export */   BIconPatchMinusFill: () =&gt; (/* binding */ BIconPatchMinusFill),
/* harmony export */   BIconPatchPlus: () =&gt; (/* binding */ BIconPatchPlus),
/* harmony export */   BIconPatchPlusFill: () =&gt; (/* binding */ BIconPatchPlusFill),
/* harmony export */   BIconPatchQuestion: () =&gt; (/* binding */ BIconPatchQuestion),
/* harmony export */   BIconPatchQuestionFill: () =&gt; (/* binding */ BIconPatchQuestionFill),
/* harmony export */   BIconPause: () =&gt; (/* binding */ BIconPause),
/* harmony export */   BIconPauseBtn: () =&gt; (/* binding */ BIconPauseBtn),
/* harmony export */   BIconPauseBtnFill: () =&gt; (/* binding */ BIconPauseBtnFill),
/* harmony export */   BIconPauseCircle: () =&gt; (/* binding */ BIconPauseCircle),
/* harmony export */   BIconPauseCircleFill: () =&gt; (/* binding */ BIconPauseCircleFill),
/* harmony export */   BIconPauseFill: () =&gt; (/* binding */ BIconPauseFill),
/* harmony export */   BIconPeace: () =&gt; (/* binding */ BIconPeace),
/* harmony export */   BIconPeaceFill: () =&gt; (/* binding */ BIconPeaceFill),
/* harmony export */   BIconPen: () =&gt; (/* binding */ BIconPen),
/* harmony export */   BIconPenFill: () =&gt; (/* binding */ BIconPenFill),
/* harmony export */   BIconPencil: () =&gt; (/* binding */ BIconPencil),
/* harmony export */   BIconPencilFill: () =&gt; (/* binding */ BIconPencilFill),
/* harmony export */   BIconPencilSquare: () =&gt; (/* binding */ BIconPencilSquare),
/* harmony export */   BIconPentagon: () =&gt; (/* binding */ BIconPentagon),
/* harmony export */   BIconPentagonFill: () =&gt; (/* binding */ BIconPentagonFill),
/* harmony export */   BIconPentagonHalf: () =&gt; (/* binding */ BIconPentagonHalf),
/* harmony export */   BIconPeople: () =&gt; (/* binding */ BIconPeople),
/* harmony export */   BIconPeopleFill: () =&gt; (/* binding */ BIconPeopleFill),
/* harmony export */   BIconPercent: () =&gt; (/* binding */ BIconPercent),
/* harmony export */   BIconPerson: () =&gt; (/* binding */ BIconPerson),
/* harmony export */   BIconPersonBadge: () =&gt; (/* binding */ BIconPersonBadge),
/* harmony export */   BIconPersonBadgeFill: () =&gt; (/* binding */ BIconPersonBadgeFill),
/* harmony export */   BIconPersonBoundingBox: () =&gt; (/* binding */ BIconPersonBoundingBox),
/* harmony export */   BIconPersonCheck: () =&gt; (/* binding */ BIconPersonCheck),
/* harmony export */   BIconPersonCheckFill: () =&gt; (/* binding */ BIconPersonCheckFill),
/* harmony export */   BIconPersonCircle: () =&gt; (/* binding */ BIconPersonCircle),
/* harmony export */   BIconPersonDash: () =&gt; (/* binding */ BIconPersonDash),
/* harmony export */   BIconPersonDashFill: () =&gt; (/* binding */ BIconPersonDashFill),
/* harmony export */   BIconPersonFill: () =&gt; (/* binding */ BIconPersonFill),
/* harmony export */   BIconPersonLinesFill: () =&gt; (/* binding */ BIconPersonLinesFill),
/* harmony export */   BIconPersonPlus: () =&gt; (/* binding */ BIconPersonPlus),
/* harmony export */   BIconPersonPlusFill: () =&gt; (/* binding */ BIconPersonPlusFill),
/* harmony export */   BIconPersonSquare: () =&gt; (/* binding */ BIconPersonSquare),
/* harmony export */   BIconPersonX: () =&gt; (/* binding */ BIconPersonX),
/* harmony export */   BIconPersonXFill: () =&gt; (/* binding */ BIconPersonXFill),
/* harmony export */   BIconPhone: () =&gt; (/* binding */ BIconPhone),
/* harmony export */   BIconPhoneFill: () =&gt; (/* binding */ BIconPhoneFill),
/* harmony export */   BIconPhoneLandscape: () =&gt; (/* binding */ BIconPhoneLandscape),
/* harmony export */   BIconPhoneLandscapeFill: () =&gt; (/* binding */ BIconPhoneLandscapeFill),
/* harmony export */   BIconPhoneVibrate: () =&gt; (/* binding */ BIconPhoneVibrate),
/* harmony export */   BIconPhoneVibrateFill: () =&gt; (/* binding */ BIconPhoneVibrateFill),
/* harmony export */   BIconPieChart: () =&gt; (/* binding */ BIconPieChart),
/* harmony export */   BIconPieChartFill: () =&gt; (/* binding */ BIconPieChartFill),
/* harmony export */   BIconPiggyBank: () =&gt; (/* binding */ BIconPiggyBank),
/* harmony export */   BIconPiggyBankFill: () =&gt; (/* binding */ BIconPiggyBankFill),
/* harmony export */   BIconPin: () =&gt; (/* binding */ BIconPin),
/* harmony export */   BIconPinAngle: () =&gt; (/* binding */ BIconPinAngle),
/* harmony export */   BIconPinAngleFill: () =&gt; (/* binding */ BIconPinAngleFill),
/* harmony export */   BIconPinFill: () =&gt; (/* binding */ BIconPinFill),
/* harmony export */   BIconPinMap: () =&gt; (/* binding */ BIconPinMap),
/* harmony export */   BIconPinMapFill: () =&gt; (/* binding */ BIconPinMapFill),
/* harmony export */   BIconPip: () =&gt; (/* binding */ BIconPip),
/* harmony export */   BIconPipFill: () =&gt; (/* binding */ BIconPipFill),
/* harmony export */   BIconPlay: () =&gt; (/* binding */ BIconPlay),
/* harmony export */   BIconPlayBtn: () =&gt; (/* binding */ BIconPlayBtn),
/* harmony export */   BIconPlayBtnFill: () =&gt; (/* binding */ BIconPlayBtnFill),
/* harmony export */   BIconPlayCircle: () =&gt; (/* binding */ BIconPlayCircle),
/* harmony export */   BIconPlayCircleFill: () =&gt; (/* binding */ BIconPlayCircleFill),
/* harmony export */   BIconPlayFill: () =&gt; (/* binding */ BIconPlayFill),
/* harmony export */   BIconPlug: () =&gt; (/* binding */ BIconPlug),
/* harmony export */   BIconPlugFill: () =&gt; (/* binding */ BIconPlugFill),
/* harmony export */   BIconPlus: () =&gt; (/* binding */ BIconPlus),
/* harmony export */   BIconPlusCircle: () =&gt; (/* binding */ BIconPlusCircle),
/* harmony export */   BIconPlusCircleDotted: () =&gt; (/* binding */ BIconPlusCircleDotted),
/* harmony export */   BIconPlusCircleFill: () =&gt; (/* binding */ BIconPlusCircleFill),
/* harmony export */   BIconPlusLg: () =&gt; (/* binding */ BIconPlusLg),
/* harmony export */   BIconPlusSquare: () =&gt; (/* binding */ BIconPlusSquare),
/* harmony export */   BIconPlusSquareDotted: () =&gt; (/* binding */ BIconPlusSquareDotted),
/* harmony export */   BIconPlusSquareFill: () =&gt; (/* binding */ BIconPlusSquareFill),
/* harmony export */   BIconPower: () =&gt; (/* binding */ BIconPower),
/* harmony export */   BIconPrinter: () =&gt; (/* binding */ BIconPrinter),
/* harmony export */   BIconPrinterFill: () =&gt; (/* binding */ BIconPrinterFill),
/* harmony export */   BIconPuzzle: () =&gt; (/* binding */ BIconPuzzle),
/* harmony export */   BIconPuzzleFill: () =&gt; (/* binding */ BIconPuzzleFill),
/* harmony export */   BIconQuestion: () =&gt; (/* binding */ BIconQuestion),
/* harmony export */   BIconQuestionCircle: () =&gt; (/* binding */ BIconQuestionCircle),
/* harmony export */   BIconQuestionCircleFill: () =&gt; (/* binding */ BIconQuestionCircleFill),
/* harmony export */   BIconQuestionDiamond: () =&gt; (/* binding */ BIconQuestionDiamond),
/* harmony export */   BIconQuestionDiamondFill: () =&gt; (/* binding */ BIconQuestionDiamondFill),
/* harmony export */   BIconQuestionLg: () =&gt; (/* binding */ BIconQuestionLg),
/* harmony export */   BIconQuestionOctagon: () =&gt; (/* binding */ BIconQuestionOctagon),
/* harmony export */   BIconQuestionOctagonFill: () =&gt; (/* binding */ BIconQuestionOctagonFill),
/* harmony export */   BIconQuestionSquare: () =&gt; (/* binding */ BIconQuestionSquare),
/* harmony export */   BIconQuestionSquareFill: () =&gt; (/* binding */ BIconQuestionSquareFill),
/* harmony export */   BIconRainbow: () =&gt; (/* binding */ BIconRainbow),
/* harmony export */   BIconReceipt: () =&gt; (/* binding */ BIconReceipt),
/* harmony export */   BIconReceiptCutoff: () =&gt; (/* binding */ BIconReceiptCutoff),
/* harmony export */   BIconReception0: () =&gt; (/* binding */ BIconReception0),
/* harmony export */   BIconReception1: () =&gt; (/* binding */ BIconReception1),
/* harmony export */   BIconReception2: () =&gt; (/* binding */ BIconReception2),
/* harmony export */   BIconReception3: () =&gt; (/* binding */ BIconReception3),
/* harmony export */   BIconReception4: () =&gt; (/* binding */ BIconReception4),
/* harmony export */   BIconRecord: () =&gt; (/* binding */ BIconRecord),
/* harmony export */   BIconRecord2: () =&gt; (/* binding */ BIconRecord2),
/* harmony export */   BIconRecord2Fill: () =&gt; (/* binding */ BIconRecord2Fill),
/* harmony export */   BIconRecordBtn: () =&gt; (/* binding */ BIconRecordBtn),
/* harmony export */   BIconRecordBtnFill: () =&gt; (/* binding */ BIconRecordBtnFill),
/* harmony export */   BIconRecordCircle: () =&gt; (/* binding */ BIconRecordCircle),
/* harmony export */   BIconRecordCircleFill: () =&gt; (/* binding */ BIconRecordCircleFill),
/* harmony export */   BIconRecordFill: () =&gt; (/* binding */ BIconRecordFill),
/* harmony export */   BIconRecycle: () =&gt; (/* binding */ BIconRecycle),
/* harmony export */   BIconReddit: () =&gt; (/* binding */ BIconReddit),
/* harmony export */   BIconReply: () =&gt; (/* binding */ BIconReply),
/* harmony export */   BIconReplyAll: () =&gt; (/* binding */ BIconReplyAll),
/* harmony export */   BIconReplyAllFill: () =&gt; (/* binding */ BIconReplyAllFill),
/* harmony export */   BIconReplyFill: () =&gt; (/* binding */ BIconReplyFill),
/* harmony export */   BIconRss: () =&gt; (/* binding */ BIconRss),
/* harmony export */   BIconRssFill: () =&gt; (/* binding */ BIconRssFill),
/* harmony export */   BIconRulers: () =&gt; (/* binding */ BIconRulers),
/* harmony export */   BIconSafe: () =&gt; (/* binding */ BIconSafe),
/* harmony export */   BIconSafe2: () =&gt; (/* binding */ BIconSafe2),
/* harmony export */   BIconSafe2Fill: () =&gt; (/* binding */ BIconSafe2Fill),
/* harmony export */   BIconSafeFill: () =&gt; (/* binding */ BIconSafeFill),
/* harmony export */   BIconSave: () =&gt; (/* binding */ BIconSave),
/* harmony export */   BIconSave2: () =&gt; (/* binding */ BIconSave2),
/* harmony export */   BIconSave2Fill: () =&gt; (/* binding */ BIconSave2Fill),
/* harmony export */   BIconSaveFill: () =&gt; (/* binding */ BIconSaveFill),
/* harmony export */   BIconScissors: () =&gt; (/* binding */ BIconScissors),
/* harmony export */   BIconScrewdriver: () =&gt; (/* binding */ BIconScrewdriver),
/* harmony export */   BIconSdCard: () =&gt; (/* binding */ BIconSdCard),
/* harmony export */   BIconSdCardFill: () =&gt; (/* binding */ BIconSdCardFill),
/* harmony export */   BIconSearch: () =&gt; (/* binding */ BIconSearch),
/* harmony export */   BIconSegmentedNav: () =&gt; (/* binding */ BIconSegmentedNav),
/* harmony export */   BIconServer: () =&gt; (/* binding */ BIconServer),
/* harmony export */   BIconShare: () =&gt; (/* binding */ BIconShare),
/* harmony export */   BIconShareFill: () =&gt; (/* binding */ BIconShareFill),
/* harmony export */   BIconShield: () =&gt; (/* binding */ BIconShield),
/* harmony export */   BIconShieldCheck: () =&gt; (/* binding */ BIconShieldCheck),
/* harmony export */   BIconShieldExclamation: () =&gt; (/* binding */ BIconShieldExclamation),
/* harmony export */   BIconShieldFill: () =&gt; (/* binding */ BIconShieldFill),
/* harmony export */   BIconShieldFillCheck: () =&gt; (/* binding */ BIconShieldFillCheck),
/* harmony export */   BIconShieldFillExclamation: () =&gt; (/* binding */ BIconShieldFillExclamation),
/* harmony export */   BIconShieldFillMinus: () =&gt; (/* binding */ BIconShieldFillMinus),
/* harmony export */   BIconShieldFillPlus: () =&gt; (/* binding */ BIconShieldFillPlus),
/* harmony export */   BIconShieldFillX: () =&gt; (/* binding */ BIconShieldFillX),
/* harmony export */   BIconShieldLock: () =&gt; (/* binding */ BIconShieldLock),
/* harmony export */   BIconShieldLockFill: () =&gt; (/* binding */ BIconShieldLockFill),
/* harmony export */   BIconShieldMinus: () =&gt; (/* binding */ BIconShieldMinus),
/* harmony export */   BIconShieldPlus: () =&gt; (/* binding */ BIconShieldPlus),
/* harmony export */   BIconShieldShaded: () =&gt; (/* binding */ BIconShieldShaded),
/* harmony export */   BIconShieldSlash: () =&gt; (/* binding */ BIconShieldSlash),
/* harmony export */   BIconShieldSlashFill: () =&gt; (/* binding */ BIconShieldSlashFill),
/* harmony export */   BIconShieldX: () =&gt; (/* binding */ BIconShieldX),
/* harmony export */   BIconShift: () =&gt; (/* binding */ BIconShift),
/* harmony export */   BIconShiftFill: () =&gt; (/* binding */ BIconShiftFill),
/* harmony export */   BIconShop: () =&gt; (/* binding */ BIconShop),
/* harmony export */   BIconShopWindow: () =&gt; (/* binding */ BIconShopWindow),
/* harmony export */   BIconShuffle: () =&gt; (/* binding */ BIconShuffle),
/* harmony export */   BIconSignpost: () =&gt; (/* binding */ BIconSignpost),
/* harmony export */   BIconSignpost2: () =&gt; (/* binding */ BIconSignpost2),
/* harmony export */   BIconSignpost2Fill: () =&gt; (/* binding */ BIconSignpost2Fill),
/* harmony export */   BIconSignpostFill: () =&gt; (/* binding */ BIconSignpostFill),
/* harmony export */   BIconSignpostSplit: () =&gt; (/* binding */ BIconSignpostSplit),
/* harmony export */   BIconSignpostSplitFill: () =&gt; (/* binding */ BIconSignpostSplitFill),
/* harmony export */   BIconSim: () =&gt; (/* binding */ BIconSim),
/* harmony export */   BIconSimFill: () =&gt; (/* binding */ BIconSimFill),
/* harmony export */   BIconSkipBackward: () =&gt; (/* binding */ BIconSkipBackward),
/* harmony export */   BIconSkipBackwardBtn: () =&gt; (/* binding */ BIconSkipBackwardBtn),
/* harmony export */   BIconSkipBackwardBtnFill: () =&gt; (/* binding */ BIconSkipBackwardBtnFill),
/* harmony export */   BIconSkipBackwardCircle: () =&gt; (/* binding */ BIconSkipBackwardCircle),
/* harmony export */   BIconSkipBackwardCircleFill: () =&gt; (/* binding */ BIconSkipBackwardCircleFill),
/* harmony export */   BIconSkipBackwardFill: () =&gt; (/* binding */ BIconSkipBackwardFill),
/* harmony export */   BIconSkipEnd: () =&gt; (/* binding */ BIconSkipEnd),
/* harmony export */   BIconSkipEndBtn: () =&gt; (/* binding */ BIconSkipEndBtn),
/* harmony export */   BIconSkipEndBtnFill: () =&gt; (/* binding */ BIconSkipEndBtnFill),
/* harmony export */   BIconSkipEndCircle: () =&gt; (/* binding */ BIconSkipEndCircle),
/* harmony export */   BIconSkipEndCircleFill: () =&gt; (/* binding */ BIconSkipEndCircleFill),
/* harmony export */   BIconSkipEndFill: () =&gt; (/* binding */ BIconSkipEndFill),
/* harmony export */   BIconSkipForward: () =&gt; (/* binding */ BIconSkipForward),
/* harmony export */   BIconSkipForwardBtn: () =&gt; (/* binding */ BIconSkipForwardBtn),
/* harmony export */   BIconSkipForwardBtnFill: () =&gt; (/* binding */ BIconSkipForwardBtnFill),
/* harmony export */   BIconSkipForwardCircle: () =&gt; (/* binding */ BIconSkipForwardCircle),
/* harmony export */   BIconSkipForwardCircleFill: () =&gt; (/* binding */ BIconSkipForwardCircleFill),
/* harmony export */   BIconSkipForwardFill: () =&gt; (/* binding */ BIconSkipForwardFill),
/* harmony export */   BIconSkipStart: () =&gt; (/* binding */ BIconSkipStart),
/* harmony export */   BIconSkipStartBtn: () =&gt; (/* binding */ BIconSkipStartBtn),
/* harmony export */   BIconSkipStartBtnFill: () =&gt; (/* binding */ BIconSkipStartBtnFill),
/* harmony export */   BIconSkipStartCircle: () =&gt; (/* binding */ BIconSkipStartCircle),
/* harmony export */   BIconSkipStartCircleFill: () =&gt; (/* binding */ BIconSkipStartCircleFill),
/* harmony export */   BIconSkipStartFill: () =&gt; (/* binding */ BIconSkipStartFill),
/* harmony export */   BIconSkype: () =&gt; (/* binding */ BIconSkype),
/* harmony export */   BIconSlack: () =&gt; (/* binding */ BIconSlack),
/* harmony export */   BIconSlash: () =&gt; (/* binding */ BIconSlash),
/* harmony export */   BIconSlashCircle: () =&gt; (/* binding */ BIconSlashCircle),
/* harmony export */   BIconSlashCircleFill: () =&gt; (/* binding */ BIconSlashCircleFill),
/* harmony export */   BIconSlashLg: () =&gt; (/* binding */ BIconSlashLg),
/* harmony export */   BIconSlashSquare: () =&gt; (/* binding */ BIconSlashSquare),
/* harmony export */   BIconSlashSquareFill: () =&gt; (/* binding */ BIconSlashSquareFill),
/* harmony export */   BIconSliders: () =&gt; (/* binding */ BIconSliders),
/* harmony export */   BIconSmartwatch: () =&gt; (/* binding */ BIconSmartwatch),
/* harmony export */   BIconSnow: () =&gt; (/* binding */ BIconSnow),
/* harmony export */   BIconSnow2: () =&gt; (/* binding */ BIconSnow2),
/* harmony export */   BIconSnow3: () =&gt; (/* binding */ BIconSnow3),
/* harmony export */   BIconSortAlphaDown: () =&gt; (/* binding */ BIconSortAlphaDown),
/* harmony export */   BIconSortAlphaDownAlt: () =&gt; (/* binding */ BIconSortAlphaDownAlt),
/* harmony export */   BIconSortAlphaUp: () =&gt; (/* binding */ BIconSortAlphaUp),
/* harmony export */   BIconSortAlphaUpAlt: () =&gt; (/* binding */ BIconSortAlphaUpAlt),
/* harmony export */   BIconSortDown: () =&gt; (/* binding */ BIconSortDown),
/* harmony export */   BIconSortDownAlt: () =&gt; (/* binding */ BIconSortDownAlt),
/* harmony export */   BIconSortNumericDown: () =&gt; (/* binding */ BIconSortNumericDown),
/* harmony export */   BIconSortNumericDownAlt: () =&gt; (/* binding */ BIconSortNumericDownAlt),
/* harmony export */   BIconSortNumericUp: () =&gt; (/* binding */ BIconSortNumericUp),
/* harmony export */   BIconSortNumericUpAlt: () =&gt; (/* binding */ BIconSortNumericUpAlt),
/* harmony export */   BIconSortUp: () =&gt; (/* binding */ BIconSortUp),
/* harmony export */   BIconSortUpAlt: () =&gt; (/* binding */ BIconSortUpAlt),
/* harmony export */   BIconSoundwave: () =&gt; (/* binding */ BIconSoundwave),
/* harmony export */   BIconSpeaker: () =&gt; (/* binding */ BIconSpeaker),
/* harmony export */   BIconSpeakerFill: () =&gt; (/* binding */ BIconSpeakerFill),
/* harmony export */   BIconSpeedometer: () =&gt; (/* binding */ BIconSpeedometer),
/* harmony export */   BIconSpeedometer2: () =&gt; (/* binding */ BIconSpeedometer2),
/* harmony export */   BIconSpellcheck: () =&gt; (/* binding */ BIconSpellcheck),
/* harmony export */   BIconSquare: () =&gt; (/* binding */ BIconSquare),
/* harmony export */   BIconSquareFill: () =&gt; (/* binding */ BIconSquareFill),
/* harmony export */   BIconSquareHalf: () =&gt; (/* binding */ BIconSquareHalf),
/* harmony export */   BIconStack: () =&gt; (/* binding */ BIconStack),
/* harmony export */   BIconStar: () =&gt; (/* binding */ BIconStar),
/* harmony export */   BIconStarFill: () =&gt; (/* binding */ BIconStarFill),
/* harmony export */   BIconStarHalf: () =&gt; (/* binding */ BIconStarHalf),
/* harmony export */   BIconStars: () =&gt; (/* binding */ BIconStars),
/* harmony export */   BIconStickies: () =&gt; (/* binding */ BIconStickies),
/* harmony export */   BIconStickiesFill: () =&gt; (/* binding */ BIconStickiesFill),
/* harmony export */   BIconSticky: () =&gt; (/* binding */ BIconSticky),
/* harmony export */   BIconStickyFill: () =&gt; (/* binding */ BIconStickyFill),
/* harmony export */   BIconStop: () =&gt; (/* binding */ BIconStop),
/* harmony export */   BIconStopBtn: () =&gt; (/* binding */ BIconStopBtn),
/* harmony export */   BIconStopBtnFill: () =&gt; (/* binding */ BIconStopBtnFill),
/* harmony export */   BIconStopCircle: () =&gt; (/* binding */ BIconStopCircle),
/* harmony export */   BIconStopCircleFill: () =&gt; (/* binding */ BIconStopCircleFill),
/* harmony export */   BIconStopFill: () =&gt; (/* binding */ BIconStopFill),
/* harmony export */   BIconStoplights: () =&gt; (/* binding */ BIconStoplights),
/* harmony export */   BIconStoplightsFill: () =&gt; (/* binding */ BIconStoplightsFill),
/* harmony export */   BIconStopwatch: () =&gt; (/* binding */ BIconStopwatch),
/* harmony export */   BIconStopwatchFill: () =&gt; (/* binding */ BIconStopwatchFill),
/* harmony export */   BIconSubtract: () =&gt; (/* binding */ BIconSubtract),
/* harmony export */   BIconSuitClub: () =&gt; (/* binding */ BIconSuitClub),
/* harmony export */   BIconSuitClubFill: () =&gt; (/* binding */ BIconSuitClubFill),
/* harmony export */   BIconSuitDiamond: () =&gt; (/* binding */ BIconSuitDiamond),
/* harmony export */   BIconSuitDiamondFill: () =&gt; (/* binding */ BIconSuitDiamondFill),
/* harmony export */   BIconSuitHeart: () =&gt; (/* binding */ BIconSuitHeart),
/* harmony export */   BIconSuitHeartFill: () =&gt; (/* binding */ BIconSuitHeartFill),
/* harmony export */   BIconSuitSpade: () =&gt; (/* binding */ BIconSuitSpade),
/* harmony export */   BIconSuitSpadeFill: () =&gt; (/* binding */ BIconSuitSpadeFill),
/* harmony export */   BIconSun: () =&gt; (/* binding */ BIconSun),
/* harmony export */   BIconSunFill: () =&gt; (/* binding */ BIconSunFill),
/* harmony export */   BIconSunglasses: () =&gt; (/* binding */ BIconSunglasses),
/* harmony export */   BIconSunrise: () =&gt; (/* binding */ BIconSunrise),
/* harmony export */   BIconSunriseFill: () =&gt; (/* binding */ BIconSunriseFill),
/* harmony export */   BIconSunset: () =&gt; (/* binding */ BIconSunset),
/* harmony export */   BIconSunsetFill: () =&gt; (/* binding */ BIconSunsetFill),
/* harmony export */   BIconSymmetryHorizontal: () =&gt; (/* binding */ BIconSymmetryHorizontal),
/* harmony export */   BIconSymmetryVertical: () =&gt; (/* binding */ BIconSymmetryVertical),
/* harmony export */   BIconTable: () =&gt; (/* binding */ BIconTable),
/* harmony export */   BIconTablet: () =&gt; (/* binding */ BIconTablet),
/* harmony export */   BIconTabletFill: () =&gt; (/* binding */ BIconTabletFill),
/* harmony export */   BIconTabletLandscape: () =&gt; (/* binding */ BIconTabletLandscape),
/* harmony export */   BIconTabletLandscapeFill: () =&gt; (/* binding */ BIconTabletLandscapeFill),
/* harmony export */   BIconTag: () =&gt; (/* binding */ BIconTag),
/* harmony export */   BIconTagFill: () =&gt; (/* binding */ BIconTagFill),
/* harmony export */   BIconTags: () =&gt; (/* binding */ BIconTags),
/* harmony export */   BIconTagsFill: () =&gt; (/* binding */ BIconTagsFill),
/* harmony export */   BIconTelegram: () =&gt; (/* binding */ BIconTelegram),
/* harmony export */   BIconTelephone: () =&gt; (/* binding */ BIconTelephone),
/* harmony export */   BIconTelephoneFill: () =&gt; (/* binding */ BIconTelephoneFill),
/* harmony export */   BIconTelephoneForward: () =&gt; (/* binding */ BIconTelephoneForward),
/* harmony export */   BIconTelephoneForwardFill: () =&gt; (/* binding */ BIconTelephoneForwardFill),
/* harmony export */   BIconTelephoneInbound: () =&gt; (/* binding */ BIconTelephoneInbound),
/* harmony export */   BIconTelephoneInboundFill: () =&gt; (/* binding */ BIconTelephoneInboundFill),
/* harmony export */   BIconTelephoneMinus: () =&gt; (/* binding */ BIconTelephoneMinus),
/* harmony export */   BIconTelephoneMinusFill: () =&gt; (/* binding */ BIconTelephoneMinusFill),
/* harmony export */   BIconTelephoneOutbound: () =&gt; (/* binding */ BIconTelephoneOutbound),
/* harmony export */   BIconTelephoneOutboundFill: () =&gt; (/* binding */ BIconTelephoneOutboundFill),
/* harmony export */   BIconTelephonePlus: () =&gt; (/* binding */ BIconTelephonePlus),
/* harmony export */   BIconTelephonePlusFill: () =&gt; (/* binding */ BIconTelephonePlusFill),
/* harmony export */   BIconTelephoneX: () =&gt; (/* binding */ BIconTelephoneX),
/* harmony export */   BIconTelephoneXFill: () =&gt; (/* binding */ BIconTelephoneXFill),
/* harmony export */   BIconTerminal: () =&gt; (/* binding */ BIconTerminal),
/* harmony export */   BIconTerminalFill: () =&gt; (/* binding */ BIconTerminalFill),
/* harmony export */   BIconTextCenter: () =&gt; (/* binding */ BIconTextCenter),
/* harmony export */   BIconTextIndentLeft: () =&gt; (/* binding */ BIconTextIndentLeft),
/* harmony export */   BIconTextIndentRight: () =&gt; (/* binding */ BIconTextIndentRight),
/* harmony export */   BIconTextLeft: () =&gt; (/* binding */ BIconTextLeft),
/* harmony export */   BIconTextParagraph: () =&gt; (/* binding */ BIconTextParagraph),
/* harmony export */   BIconTextRight: () =&gt; (/* binding */ BIconTextRight),
/* harmony export */   BIconTextarea: () =&gt; (/* binding */ BIconTextarea),
/* harmony export */   BIconTextareaResize: () =&gt; (/* binding */ BIconTextareaResize),
/* harmony export */   BIconTextareaT: () =&gt; (/* binding */ BIconTextareaT),
/* harmony export */   BIconThermometer: () =&gt; (/* binding */ BIconThermometer),
/* harmony export */   BIconThermometerHalf: () =&gt; (/* binding */ BIconThermometerHalf),
/* harmony export */   BIconThermometerHigh: () =&gt; (/* binding */ BIconThermometerHigh),
/* harmony export */   BIconThermometerLow: () =&gt; (/* binding */ BIconThermometerLow),
/* harmony export */   BIconThermometerSnow: () =&gt; (/* binding */ BIconThermometerSnow),
/* harmony export */   BIconThermometerSun: () =&gt; (/* binding */ BIconThermometerSun),
/* harmony export */   BIconThreeDots: () =&gt; (/* binding */ BIconThreeDots),
/* harmony export */   BIconThreeDotsVertical: () =&gt; (/* binding */ BIconThreeDotsVertical),
/* harmony export */   BIconToggle2Off: () =&gt; (/* binding */ BIconToggle2Off),
/* harmony export */   BIconToggle2On: () =&gt; (/* binding */ BIconToggle2On),
/* harmony export */   BIconToggleOff: () =&gt; (/* binding */ BIconToggleOff),
/* harmony export */   BIconToggleOn: () =&gt; (/* binding */ BIconToggleOn),
/* harmony export */   BIconToggles: () =&gt; (/* binding */ BIconToggles),
/* harmony export */   BIconToggles2: () =&gt; (/* binding */ BIconToggles2),
/* harmony export */   BIconTools: () =&gt; (/* binding */ BIconTools),
/* harmony export */   BIconTornado: () =&gt; (/* binding */ BIconTornado),
/* harmony export */   BIconTranslate: () =&gt; (/* binding */ BIconTranslate),
/* harmony export */   BIconTrash: () =&gt; (/* binding */ BIconTrash),
/* harmony export */   BIconTrash2: () =&gt; (/* binding */ BIconTrash2),
/* harmony export */   BIconTrash2Fill: () =&gt; (/* binding */ BIconTrash2Fill),
/* harmony export */   BIconTrashFill: () =&gt; (/* binding */ BIconTrashFill),
/* harmony export */   BIconTree: () =&gt; (/* binding */ BIconTree),
/* harmony export */   BIconTreeFill: () =&gt; (/* binding */ BIconTreeFill),
/* harmony export */   BIconTriangle: () =&gt; (/* binding */ BIconTriangle),
/* harmony export */   BIconTriangleFill: () =&gt; (/* binding */ BIconTriangleFill),
/* harmony export */   BIconTriangleHalf: () =&gt; (/* binding */ BIconTriangleHalf),
/* harmony export */   BIconTrophy: () =&gt; (/* binding */ BIconTrophy),
/* harmony export */   BIconTrophyFill: () =&gt; (/* binding */ BIconTrophyFill),
/* harmony export */   BIconTropicalStorm: () =&gt; (/* binding */ BIconTropicalStorm),
/* harmony export */   BIconTruck: () =&gt; (/* binding */ BIconTruck),
/* harmony export */   BIconTruckFlatbed: () =&gt; (/* binding */ BIconTruckFlatbed),
/* harmony export */   BIconTsunami: () =&gt; (/* binding */ BIconTsunami),
/* harmony export */   BIconTv: () =&gt; (/* binding */ BIconTv),
/* harmony export */   BIconTvFill: () =&gt; (/* binding */ BIconTvFill),
/* harmony export */   BIconTwitch: () =&gt; (/* binding */ BIconTwitch),
/* harmony export */   BIconTwitter: () =&gt; (/* binding */ BIconTwitter),
/* harmony export */   BIconType: () =&gt; (/* binding */ BIconType),
/* harmony export */   BIconTypeBold: () =&gt; (/* binding */ BIconTypeBold),
/* harmony export */   BIconTypeH1: () =&gt; (/* binding */ BIconTypeH1),
/* harmony export */   BIconTypeH2: () =&gt; (/* binding */ BIconTypeH2),
/* harmony export */   BIconTypeH3: () =&gt; (/* binding */ BIconTypeH3),
/* harmony export */   BIconTypeItalic: () =&gt; (/* binding */ BIconTypeItalic),
/* harmony export */   BIconTypeStrikethrough: () =&gt; (/* binding */ BIconTypeStrikethrough),
/* harmony export */   BIconTypeUnderline: () =&gt; (/* binding */ BIconTypeUnderline),
/* harmony export */   BIconUiChecks: () =&gt; (/* binding */ BIconUiChecks),
/* harmony export */   BIconUiChecksGrid: () =&gt; (/* binding */ BIconUiChecksGrid),
/* harmony export */   BIconUiRadios: () =&gt; (/* binding */ BIconUiRadios),
/* harmony export */   BIconUiRadiosGrid: () =&gt; (/* binding */ BIconUiRadiosGrid),
/* harmony export */   BIconUmbrella: () =&gt; (/* binding */ BIconUmbrella),
/* harmony export */   BIconUmbrellaFill: () =&gt; (/* binding */ BIconUmbrellaFill),
/* harmony export */   BIconUnion: () =&gt; (/* binding */ BIconUnion),
/* harmony export */   BIconUnlock: () =&gt; (/* binding */ BIconUnlock),
/* harmony export */   BIconUnlockFill: () =&gt; (/* binding */ BIconUnlockFill),
/* harmony export */   BIconUpc: () =&gt; (/* binding */ BIconUpc),
/* harmony export */   BIconUpcScan: () =&gt; (/* binding */ BIconUpcScan),
/* harmony export */   BIconUpload: () =&gt; (/* binding */ BIconUpload),
/* harmony export */   BIconVectorPen: () =&gt; (/* binding */ BIconVectorPen),
/* harmony export */   BIconViewList: () =&gt; (/* binding */ BIconViewList),
/* harmony export */   BIconViewStacked: () =&gt; (/* binding */ BIconViewStacked),
/* harmony export */   BIconVinyl: () =&gt; (/* binding */ BIconVinyl),
/* harmony export */   BIconVinylFill: () =&gt; (/* binding */ BIconVinylFill),
/* harmony export */   BIconVoicemail: () =&gt; (/* binding */ BIconVoicemail),
/* harmony export */   BIconVolumeDown: () =&gt; (/* binding */ BIconVolumeDown),
/* harmony export */   BIconVolumeDownFill: () =&gt; (/* binding */ BIconVolumeDownFill),
/* harmony export */   BIconVolumeMute: () =&gt; (/* binding */ BIconVolumeMute),
/* harmony export */   BIconVolumeMuteFill: () =&gt; (/* binding */ BIconVolumeMuteFill),
/* harmony export */   BIconVolumeOff: () =&gt; (/* binding */ BIconVolumeOff),
/* harmony export */   BIconVolumeOffFill: () =&gt; (/* binding */ BIconVolumeOffFill),
/* harmony export */   BIconVolumeUp: () =&gt; (/* binding */ BIconVolumeUp),
/* harmony export */   BIconVolumeUpFill: () =&gt; (/* binding */ BIconVolumeUpFill),
/* harmony export */   BIconVr: () =&gt; (/* binding */ BIconVr),
/* harmony export */   BIconWallet: () =&gt; (/* binding */ BIconWallet),
/* harmony export */   BIconWallet2: () =&gt; (/* binding */ BIconWallet2),
/* harmony export */   BIconWalletFill: () =&gt; (/* binding */ BIconWalletFill),
/* harmony export */   BIconWatch: () =&gt; (/* binding */ BIconWatch),
/* harmony export */   BIconWater: () =&gt; (/* binding */ BIconWater),
/* harmony export */   BIconWhatsapp: () =&gt; (/* binding */ BIconWhatsapp),
/* harmony export */   BIconWifi: () =&gt; (/* binding */ BIconWifi),
/* harmony export */   BIconWifi1: () =&gt; (/* binding */ BIconWifi1),
/* harmony export */   BIconWifi2: () =&gt; (/* binding */ BIconWifi2),
/* harmony export */   BIconWifiOff: () =&gt; (/* binding */ BIconWifiOff),
/* harmony export */   BIconWind: () =&gt; (/* binding */ BIconWind),
/* harmony export */   BIconWindow: () =&gt; (/* binding */ BIconWindow),
/* harmony export */   BIconWindowDock: () =&gt; (/* binding */ BIconWindowDock),
/* harmony export */   BIconWindowSidebar: () =&gt; (/* binding */ BIconWindowSidebar),
/* harmony export */   BIconWrench: () =&gt; (/* binding */ BIconWrench),
/* harmony export */   BIconX: () =&gt; (/* binding */ BIconX),
/* harmony export */   BIconXCircle: () =&gt; (/* binding */ BIconXCircle),
/* harmony export */   BIconXCircleFill: () =&gt; (/* binding */ BIconXCircleFill),
/* harmony export */   BIconXDiamond: () =&gt; (/* binding */ BIconXDiamond),
/* harmony export */   BIconXDiamondFill: () =&gt; (/* binding */ BIconXDiamondFill),
/* harmony export */   BIconXLg: () =&gt; (/* binding */ BIconXLg),
/* harmony export */   BIconXOctagon: () =&gt; (/* binding */ BIconXOctagon),
/* harmony export */   BIconXOctagonFill: () =&gt; (/* binding */ BIconXOctagonFill),
/* harmony export */   BIconXSquare: () =&gt; (/* binding */ BIconXSquare),
/* harmony export */   BIconXSquareFill: () =&gt; (/* binding */ BIconXSquareFill),
/* harmony export */   BIconYoutube: () =&gt; (/* binding */ BIconYoutube),
/* harmony export */   BIconZoomIn: () =&gt; (/* binding */ BIconZoomIn),
/* harmony export */   BIconZoomOut: () =&gt; (/* binding */ BIconZoomOut)
/* harmony export */ });
/* harmony import */ var _helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./helpers/make-icon */ "./node_modules/bootstrap-vue/esm/icons/helpers/make-icon.js");
// --- BEGIN AUTO-GENERATED FILE ---
//
// @IconsVersion: 1.5.0
// @Generated: 2022-10-26T01:10:52.933Z
//
// This file is generated on each build. Do not edit this file!
/*!
 * BootstrapVue Icons, generated from Bootstrap Icons 1.5.0
 *
 * @link https://icons.getbootstrap.com/
 * @license MIT
 * https://github.com/twbs/icons/blob/master/LICENSE.md
 */// --- BootstrapVue custom icons ---
var BIconBlank=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Blank','');// --- Bootstrap Icons ---
// eslint-disable-next-line
var BIconAlarm=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Alarm','&lt;path d="M8.5 5.5a.5.5 0 0 0-1 0v3.362l-1.429 2.38a.5.5 0 1 0 .858.515l1.5-2.5A.5.5 0 0 0 8.5 9V5.5z"/&gt;&lt;path d="M6.5 0a.5.5 0 0 0 0 1H7v1.07a7.001 7.001 0 0 0-3.273 12.474l-.602.602a.5.5 0 0 0 .707.708l.746-.746A6.97 6.97 0 0 0 8 16a6.97 6.97 0 0 0 3.422-.892l.746.746a.5.5 0 0 0 .707-.708l-.601-.602A7.001 7.001 0 0 0 9 2.07V1h.5a.5.5 0 0 0 0-1h-3zm1.038 3.018a6.093 6.093 0 0 1 .924 0 6 6 0 1 1-.924 0zM0 3.5c0 .753.333 1.429.86 1.887A8.035 8.035 0 0 1 4.387 1.86 2.5 2.5 0 0 0 0 3.5zM13.5 1c-.753 0-1.429.333-1.887.86a8.035 8.035 0 0 1 3.527 3.527A2.5 2.5 0 0 0 13.5 1z"/&gt;');// eslint-disable-next-line
var BIconAlarmFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AlarmFill','&lt;path d="M6 .5a.5.5 0 0 1 .5-.5h3a.5.5 0 0 1 0 1H9v1.07a7.001 7.001 0 0 1 3.274 12.474l.601.602a.5.5 0 0 1-.707.708l-.746-.746A6.97 6.97 0 0 1 8 16a6.97 6.97 0 0 1-3.422-.892l-.746.746a.5.5 0 0 1-.707-.708l.602-.602A7.001 7.001 0 0 1 7 2.07V1h-.5A.5.5 0 0 1 6 .5zm2.5 5a.5.5 0 0 0-1 0v3.362l-1.429 2.38a.5.5 0 1 0 .858.515l1.5-2.5A.5.5 0 0 0 8.5 9V5.5zM.86 5.387A2.5 2.5 0 1 1 4.387 1.86 8.035 8.035 0 0 0 .86 5.387zM11.613 1.86a2.5 2.5 0 1 1 3.527 3.527 8.035 8.035 0 0 0-3.527-3.527z"/&gt;');// eslint-disable-next-line
var BIconAlignBottom=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AlignBottom','&lt;rect width="4" height="12" x="6" y="1" rx="1"/&gt;&lt;path d="M1.5 14a.5.5 0 0 0 0 1v-1zm13 1a.5.5 0 0 0 0-1v1zm-13 0h13v-1h-13v1z"/&gt;');// eslint-disable-next-line
var BIconAlignCenter=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AlignCenter','&lt;path d="M8 1a.5.5 0 0 1 .5.5V6h-1V1.5A.5.5 0 0 1 8 1zm0 14a.5.5 0 0 1-.5-.5V10h1v4.5a.5.5 0 0 1-.5.5zM2 7a1 1 0 0 1 1-1h10a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V7z"/&gt;');// eslint-disable-next-line
var BIconAlignEnd=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AlignEnd','&lt;path fill-rule="evenodd" d="M14.5 1a.5.5 0 0 0-.5.5v13a.5.5 0 0 0 1 0v-13a.5.5 0 0 0-.5-.5z"/&gt;&lt;path d="M13 7a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V7z"/&gt;');// eslint-disable-next-line
var BIconAlignMiddle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AlignMiddle','&lt;path d="M6 13a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H7a1 1 0 0 0-1 1v10zM1 8a.5.5 0 0 0 .5.5H6v-1H1.5A.5.5 0 0 0 1 8zm14 0a.5.5 0 0 1-.5.5H10v-1h4.5a.5.5 0 0 1 .5.5z"/&gt;');// eslint-disable-next-line
var BIconAlignStart=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AlignStart','&lt;path fill-rule="evenodd" d="M1.5 1a.5.5 0 0 1 .5.5v13a.5.5 0 0 1-1 0v-13a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M3 7a1 1 0 0 1 1-1h10a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V7z"/&gt;');// eslint-disable-next-line
var BIconAlignTop=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AlignTop','&lt;rect width="4" height="12" rx="1" transform="matrix(1 0 0 -1 6 15)"/&gt;&lt;path d="M1.5 2a.5.5 0 0 1 0-1v1zm13-1a.5.5 0 0 1 0 1V1zm-13 0h13v1h-13V1z"/&gt;');// eslint-disable-next-line
var BIconAlt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Alt','&lt;path d="M1 13.5a.5.5 0 0 0 .5.5h3.797a.5.5 0 0 0 .439-.26L11 3h3.5a.5.5 0 0 0 0-1h-3.797a.5.5 0 0 0-.439.26L5 13H1.5a.5.5 0 0 0-.5.5zm10 0a.5.5 0 0 0 .5.5h3a.5.5 0 0 0 0-1h-3a.5.5 0 0 0-.5.5z"/&gt;');// eslint-disable-next-line
var BIconApp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('App','&lt;path d="M11 2a3 3 0 0 1 3 3v6a3 3 0 0 1-3 3H5a3 3 0 0 1-3-3V5a3 3 0 0 1 3-3h6zM5 1a4 4 0 0 0-4 4v6a4 4 0 0 0 4 4h6a4 4 0 0 0 4-4V5a4 4 0 0 0-4-4H5z"/&gt;');// eslint-disable-next-line
var BIconAppIndicator=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AppIndicator','&lt;path d="M5.5 2A3.5 3.5 0 0 0 2 5.5v5A3.5 3.5 0 0 0 5.5 14h5a3.5 3.5 0 0 0 3.5-3.5V8a.5.5 0 0 1 1 0v2.5a4.5 4.5 0 0 1-4.5 4.5h-5A4.5 4.5 0 0 1 1 10.5v-5A4.5 4.5 0 0 1 5.5 1H8a.5.5 0 0 1 0 1H5.5z"/&gt;&lt;path d="M16 3a3 3 0 1 1-6 0 3 3 0 0 1 6 0z"/&gt;');// eslint-disable-next-line
var BIconArchive=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Archive','&lt;path d="M0 2a1 1 0 0 1 1-1h14a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1v7.5a2.5 2.5 0 0 1-2.5 2.5h-9A2.5 2.5 0 0 1 1 12.5V5a1 1 0 0 1-1-1V2zm2 3v7.5A1.5 1.5 0 0 0 3.5 14h9a1.5 1.5 0 0 0 1.5-1.5V5H2zm13-3H1v2h14V2zM5 7.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconArchiveFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArchiveFill','&lt;path d="M12.643 15C13.979 15 15 13.845 15 12.5V5H1v7.5C1 13.845 2.021 15 3.357 15h9.286zM5.5 7h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1zM.8 1a.8.8 0 0 0-.8.8V3a.8.8 0 0 0 .8.8h14.4A.8.8 0 0 0 16 3V1.8a.8.8 0 0 0-.8-.8H.8z"/&gt;');// eslint-disable-next-line
var BIconArrow90degDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Arrow90degDown','&lt;path fill-rule="evenodd" d="M4.854 14.854a.5.5 0 0 1-.708 0l-4-4a.5.5 0 0 1 .708-.708L4 13.293V3.5A2.5 2.5 0 0 1 6.5 1h8a.5.5 0 0 1 0 1h-8A1.5 1.5 0 0 0 5 3.5v9.793l3.146-3.147a.5.5 0 0 1 .708.708l-4 4z"/&gt;');// eslint-disable-next-line
var BIconArrow90degLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Arrow90degLeft','&lt;path fill-rule="evenodd" d="M1.146 4.854a.5.5 0 0 1 0-.708l4-4a.5.5 0 1 1 .708.708L2.707 4H12.5A2.5 2.5 0 0 1 15 6.5v8a.5.5 0 0 1-1 0v-8A1.5 1.5 0 0 0 12.5 5H2.707l3.147 3.146a.5.5 0 1 1-.708.708l-4-4z"/&gt;');// eslint-disable-next-line
var BIconArrow90degRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Arrow90degRight','&lt;path fill-rule="evenodd" d="M14.854 4.854a.5.5 0 0 0 0-.708l-4-4a.5.5 0 0 0-.708.708L13.293 4H3.5A2.5 2.5 0 0 0 1 6.5v8a.5.5 0 0 0 1 0v-8A1.5 1.5 0 0 1 3.5 5h9.793l-3.147 3.146a.5.5 0 0 0 .708.708l4-4z"/&gt;');// eslint-disable-next-line
var BIconArrow90degUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Arrow90degUp','&lt;path fill-rule="evenodd" d="M4.854 1.146a.5.5 0 0 0-.708 0l-4 4a.5.5 0 1 0 .708.708L4 2.707V12.5A2.5 2.5 0 0 0 6.5 15h8a.5.5 0 0 0 0-1h-8A1.5 1.5 0 0 1 5 12.5V2.707l3.146 3.147a.5.5 0 1 0 .708-.708l-4-4z"/&gt;');// eslint-disable-next-line
var BIconArrowBarDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowBarDown','&lt;path fill-rule="evenodd" d="M1 3.5a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 0 1h-13a.5.5 0 0 1-.5-.5zM8 6a.5.5 0 0 1 .5.5v5.793l2.146-2.147a.5.5 0 0 1 .708.708l-3 3a.5.5 0 0 1-.708 0l-3-3a.5.5 0 0 1 .708-.708L7.5 12.293V6.5A.5.5 0 0 1 8 6z"/&gt;');// eslint-disable-next-line
var BIconArrowBarLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowBarLeft','&lt;path fill-rule="evenodd" d="M12.5 15a.5.5 0 0 1-.5-.5v-13a.5.5 0 0 1 1 0v13a.5.5 0 0 1-.5.5zM10 8a.5.5 0 0 1-.5.5H3.707l2.147 2.146a.5.5 0 0 1-.708.708l-3-3a.5.5 0 0 1 0-.708l3-3a.5.5 0 1 1 .708.708L3.707 7.5H9.5a.5.5 0 0 1 .5.5z"/&gt;');// eslint-disable-next-line
var BIconArrowBarRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowBarRight','&lt;path fill-rule="evenodd" d="M6 8a.5.5 0 0 0 .5.5h5.793l-2.147 2.146a.5.5 0 0 0 .708.708l3-3a.5.5 0 0 0 0-.708l-3-3a.5.5 0 0 0-.708.708L12.293 7.5H6.5A.5.5 0 0 0 6 8zm-2.5 7a.5.5 0 0 1-.5-.5v-13a.5.5 0 0 1 1 0v13a.5.5 0 0 1-.5.5z"/&gt;');// eslint-disable-next-line
var BIconArrowBarUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowBarUp','&lt;path fill-rule="evenodd" d="M8 10a.5.5 0 0 0 .5-.5V3.707l2.146 2.147a.5.5 0 0 0 .708-.708l-3-3a.5.5 0 0 0-.708 0l-3 3a.5.5 0 1 0 .708.708L7.5 3.707V9.5a.5.5 0 0 0 .5.5zm-7 2.5a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 0 1h-13a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconArrowClockwise=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowClockwise','&lt;path fill-rule="evenodd" d="M8 3a5 5 0 1 0 4.546 2.914.5.5 0 0 1 .908-.417A6 6 0 1 1 8 2v1z"/&gt;&lt;path d="M8 4.466V.534a.25.25 0 0 1 .41-.192l2.36 1.966c.12.1.12.284 0 .384L8.41 4.658A.25.25 0 0 1 8 4.466z"/&gt;');// eslint-disable-next-line
var BIconArrowCounterclockwise=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowCounterclockwise','&lt;path fill-rule="evenodd" d="M8 3a5 5 0 1 1-4.546 2.914.5.5 0 0 0-.908-.417A6 6 0 1 0 8 2v1z"/&gt;&lt;path d="M8 4.466V.534a.25.25 0 0 0-.41-.192L5.23 2.308a.25.25 0 0 0 0 .384l2.36 1.966A.25.25 0 0 0 8 4.466z"/&gt;');// eslint-disable-next-line
var BIconArrowDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDown','&lt;path fill-rule="evenodd" d="M8 1a.5.5 0 0 1 .5.5v11.793l3.146-3.147a.5.5 0 0 1 .708.708l-4 4a.5.5 0 0 1-.708 0l-4-4a.5.5 0 0 1 .708-.708L7.5 13.293V1.5A.5.5 0 0 1 8 1z"/&gt;');// eslint-disable-next-line
var BIconArrowDownCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownCircle','&lt;path fill-rule="evenodd" d="M1 8a7 7 0 1 0 14 0A7 7 0 0 0 1 8zm15 0A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM8.5 4.5a.5.5 0 0 0-1 0v5.793L5.354 8.146a.5.5 0 1 0-.708.708l3 3a.5.5 0 0 0 .708 0l3-3a.5.5 0 0 0-.708-.708L8.5 10.293V4.5z"/&gt;');// eslint-disable-next-line
var BIconArrowDownCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM8.5 4.5a.5.5 0 0 0-1 0v5.793L5.354 8.146a.5.5 0 1 0-.708.708l3 3a.5.5 0 0 0 .708 0l3-3a.5.5 0 0 0-.708-.708L8.5 10.293V4.5z"/&gt;');// eslint-disable-next-line
var BIconArrowDownLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownLeft','&lt;path fill-rule="evenodd" d="M2 13.5a.5.5 0 0 0 .5.5h6a.5.5 0 0 0 0-1H3.707L13.854 2.854a.5.5 0 0 0-.708-.708L3 12.293V7.5a.5.5 0 0 0-1 0v6z"/&gt;');// eslint-disable-next-line
var BIconArrowDownLeftCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownLeftCircle','&lt;path fill-rule="evenodd" d="M1 8a7 7 0 1 0 14 0A7 7 0 0 0 1 8zm15 0A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-5.904-2.854a.5.5 0 1 1 .707.708L6.707 9.95h2.768a.5.5 0 1 1 0 1H5.5a.5.5 0 0 1-.5-.5V6.475a.5.5 0 1 1 1 0v2.768l4.096-4.097z"/&gt;');// eslint-disable-next-line
var BIconArrowDownLeftCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownLeftCircleFill','&lt;path d="M16 8A8 8 0 1 0 0 8a8 8 0 0 0 16 0zm-5.904-2.803a.5.5 0 1 1 .707.707L6.707 10h2.768a.5.5 0 0 1 0 1H5.5a.5.5 0 0 1-.5-.5V6.525a.5.5 0 0 1 1 0v2.768l4.096-4.096z"/&gt;');// eslint-disable-next-line
var BIconArrowDownLeftSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownLeftSquare','&lt;path fill-rule="evenodd" d="M15 2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2zM0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm10.096 3.146a.5.5 0 1 1 .707.708L6.707 9.95h2.768a.5.5 0 1 1 0 1H5.5a.5.5 0 0 1-.5-.5V6.475a.5.5 0 1 1 1 0v2.768l4.096-4.097z"/&gt;');// eslint-disable-next-line
var BIconArrowDownLeftSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownLeftSquareFill','&lt;path d="M2 16a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2zm8.096-10.803L6 9.293V6.525a.5.5 0 0 0-1 0V10.5a.5.5 0 0 0 .5.5h3.975a.5.5 0 0 0 0-1H6.707l4.096-4.096a.5.5 0 1 0-.707-.707z"/&gt;');// eslint-disable-next-line
var BIconArrowDownRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownRight','&lt;path fill-rule="evenodd" d="M14 13.5a.5.5 0 0 1-.5.5h-6a.5.5 0 0 1 0-1h4.793L2.146 2.854a.5.5 0 1 1 .708-.708L13 12.293V7.5a.5.5 0 0 1 1 0v6z"/&gt;');// eslint-disable-next-line
var BIconArrowDownRightCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownRightCircle','&lt;path fill-rule="evenodd" d="M1 8a7 7 0 1 0 14 0A7 7 0 0 0 1 8zm15 0A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM5.854 5.146a.5.5 0 1 0-.708.708L9.243 9.95H6.475a.5.5 0 1 0 0 1h3.975a.5.5 0 0 0 .5-.5V6.475a.5.5 0 1 0-1 0v2.768L5.854 5.146z"/&gt;');// eslint-disable-next-line
var BIconArrowDownRightCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownRightCircleFill','&lt;path d="M0 8a8 8 0 1 1 16 0A8 8 0 0 1 0 8zm5.904-2.803a.5.5 0 1 0-.707.707L9.293 10H6.525a.5.5 0 0 0 0 1H10.5a.5.5 0 0 0 .5-.5V6.525a.5.5 0 0 0-1 0v2.768L5.904 5.197z"/&gt;');// eslint-disable-next-line
var BIconArrowDownRightSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownRightSquare','&lt;path fill-rule="evenodd" d="M15 2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2zM0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm5.854 3.146a.5.5 0 1 0-.708.708L9.243 9.95H6.475a.5.5 0 1 0 0 1h3.975a.5.5 0 0 0 .5-.5V6.475a.5.5 0 1 0-1 0v2.768L5.854 5.146z"/&gt;');// eslint-disable-next-line
var BIconArrowDownRightSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownRightSquareFill','&lt;path d="M14 16a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12zM5.904 5.197 10 9.293V6.525a.5.5 0 0 1 1 0V10.5a.5.5 0 0 1-.5.5H6.525a.5.5 0 0 1 0-1h2.768L5.197 5.904a.5.5 0 0 1 .707-.707z"/&gt;');// eslint-disable-next-line
var BIconArrowDownShort=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownShort','&lt;path fill-rule="evenodd" d="M8 4a.5.5 0 0 1 .5.5v5.793l2.146-2.147a.5.5 0 0 1 .708.708l-3 3a.5.5 0 0 1-.708 0l-3-3a.5.5 0 1 1 .708-.708L7.5 10.293V4.5A.5.5 0 0 1 8 4z"/&gt;');// eslint-disable-next-line
var BIconArrowDownSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownSquare','&lt;path fill-rule="evenodd" d="M15 2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2zM0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm8.5 2.5a.5.5 0 0 0-1 0v5.793L5.354 8.146a.5.5 0 1 0-.708.708l3 3a.5.5 0 0 0 .708 0l3-3a.5.5 0 0 0-.708-.708L8.5 10.293V4.5z"/&gt;');// eslint-disable-next-line
var BIconArrowDownSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm6.5 4.5v5.793l2.146-2.147a.5.5 0 0 1 .708.708l-3 3a.5.5 0 0 1-.708 0l-3-3a.5.5 0 1 1 .708-.708L7.5 10.293V4.5a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconArrowDownUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowDownUp','&lt;path fill-rule="evenodd" d="M11.5 15a.5.5 0 0 0 .5-.5V2.707l3.146 3.147a.5.5 0 0 0 .708-.708l-4-4a.5.5 0 0 0-.708 0l-4 4a.5.5 0 1 0 .708.708L11 2.707V14.5a.5.5 0 0 0 .5.5zm-7-14a.5.5 0 0 1 .5.5v11.793l3.146-3.147a.5.5 0 0 1 .708.708l-4 4a.5.5 0 0 1-.708 0l-4-4a.5.5 0 0 1 .708-.708L4 13.293V1.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconArrowLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowLeft','&lt;path fill-rule="evenodd" d="M15 8a.5.5 0 0 0-.5-.5H2.707l3.147-3.146a.5.5 0 1 0-.708-.708l-4 4a.5.5 0 0 0 0 .708l4 4a.5.5 0 0 0 .708-.708L2.707 8.5H14.5A.5.5 0 0 0 15 8z"/&gt;');// eslint-disable-next-line
var BIconArrowLeftCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowLeftCircle','&lt;path fill-rule="evenodd" d="M1 8a7 7 0 1 0 14 0A7 7 0 0 0 1 8zm15 0A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-4.5-.5a.5.5 0 0 1 0 1H5.707l2.147 2.146a.5.5 0 0 1-.708.708l-3-3a.5.5 0 0 1 0-.708l3-3a.5.5 0 1 1 .708.708L5.707 7.5H11.5z"/&gt;');// eslint-disable-next-line
var BIconArrowLeftCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowLeftCircleFill','&lt;path d="M8 0a8 8 0 1 0 0 16A8 8 0 0 0 8 0zm3.5 7.5a.5.5 0 0 1 0 1H5.707l2.147 2.146a.5.5 0 0 1-.708.708l-3-3a.5.5 0 0 1 0-.708l3-3a.5.5 0 1 1 .708.708L5.707 7.5H11.5z"/&gt;');// eslint-disable-next-line
var BIconArrowLeftRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowLeftRight','&lt;path fill-rule="evenodd" d="M1 11.5a.5.5 0 0 0 .5.5h11.793l-3.147 3.146a.5.5 0 0 0 .708.708l4-4a.5.5 0 0 0 0-.708l-4-4a.5.5 0 0 0-.708.708L13.293 11H1.5a.5.5 0 0 0-.5.5zm14-7a.5.5 0 0 1-.5.5H2.707l3.147 3.146a.5.5 0 1 1-.708.708l-4-4a.5.5 0 0 1 0-.708l4-4a.5.5 0 1 1 .708.708L2.707 4H14.5a.5.5 0 0 1 .5.5z"/&gt;');// eslint-disable-next-line
var BIconArrowLeftShort=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowLeftShort','&lt;path fill-rule="evenodd" d="M12 8a.5.5 0 0 1-.5.5H5.707l2.147 2.146a.5.5 0 0 1-.708.708l-3-3a.5.5 0 0 1 0-.708l3-3a.5.5 0 1 1 .708.708L5.707 7.5H11.5a.5.5 0 0 1 .5.5z"/&gt;');// eslint-disable-next-line
var BIconArrowLeftSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowLeftSquare','&lt;path fill-rule="evenodd" d="M15 2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2zM0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm11.5 5.5a.5.5 0 0 1 0 1H5.707l2.147 2.146a.5.5 0 0 1-.708.708l-3-3a.5.5 0 0 1 0-.708l3-3a.5.5 0 1 1 .708.708L5.707 7.5H11.5z"/&gt;');// eslint-disable-next-line
var BIconArrowLeftSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowLeftSquareFill','&lt;path d="M16 14a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12zm-4.5-6.5H5.707l2.147-2.146a.5.5 0 1 0-.708-.708l-3 3a.5.5 0 0 0 0 .708l3 3a.5.5 0 0 0 .708-.708L5.707 8.5H11.5a.5.5 0 0 0 0-1z"/&gt;');// eslint-disable-next-line
var BIconArrowRepeat=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowRepeat','&lt;path d="M11.534 7h3.932a.25.25 0 0 1 .192.41l-1.966 2.36a.25.25 0 0 1-.384 0l-1.966-2.36a.25.25 0 0 1 .192-.41zm-11 2h3.932a.25.25 0 0 0 .192-.41L2.692 6.23a.25.25 0 0 0-.384 0L.342 8.59A.25.25 0 0 0 .534 9z"/&gt;&lt;path fill-rule="evenodd" d="M8 3c-1.552 0-2.94.707-3.857 1.818a.5.5 0 1 1-.771-.636A6.002 6.002 0 0 1 13.917 7H12.9A5.002 5.002 0 0 0 8 3zM3.1 9a5.002 5.002 0 0 0 8.757 2.182.5.5 0 1 1 .771.636A6.002 6.002 0 0 1 2.083 9H3.1z"/&gt;');// eslint-disable-next-line
var BIconArrowReturnLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowReturnLeft','&lt;path fill-rule="evenodd" d="M14.5 1.5a.5.5 0 0 1 .5.5v4.8a2.5 2.5 0 0 1-2.5 2.5H2.707l3.347 3.346a.5.5 0 0 1-.708.708l-4.2-4.2a.5.5 0 0 1 0-.708l4-4a.5.5 0 1 1 .708.708L2.707 8.3H12.5A1.5 1.5 0 0 0 14 6.8V2a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconArrowReturnRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowReturnRight','&lt;path fill-rule="evenodd" d="M1.5 1.5A.5.5 0 0 0 1 2v4.8a2.5 2.5 0 0 0 2.5 2.5h9.793l-3.347 3.346a.5.5 0 0 0 .708.708l4.2-4.2a.5.5 0 0 0 0-.708l-4-4a.5.5 0 0 0-.708.708L13.293 8.3H3.5A1.5 1.5 0 0 1 2 6.8V2a.5.5 0 0 0-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconArrowRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowRight','&lt;path fill-rule="evenodd" d="M1 8a.5.5 0 0 1 .5-.5h11.793l-3.147-3.146a.5.5 0 0 1 .708-.708l4 4a.5.5 0 0 1 0 .708l-4 4a.5.5 0 0 1-.708-.708L13.293 8.5H1.5A.5.5 0 0 1 1 8z"/&gt;');// eslint-disable-next-line
var BIconArrowRightCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowRightCircle','&lt;path fill-rule="evenodd" d="M1 8a7 7 0 1 0 14 0A7 7 0 0 0 1 8zm15 0A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM4.5 7.5a.5.5 0 0 0 0 1h5.793l-2.147 2.146a.5.5 0 0 0 .708.708l3-3a.5.5 0 0 0 0-.708l-3-3a.5.5 0 1 0-.708.708L10.293 7.5H4.5z"/&gt;');// eslint-disable-next-line
var BIconArrowRightCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowRightCircleFill','&lt;path d="M8 0a8 8 0 1 1 0 16A8 8 0 0 1 8 0zM4.5 7.5a.5.5 0 0 0 0 1h5.793l-2.147 2.146a.5.5 0 0 0 .708.708l3-3a.5.5 0 0 0 0-.708l-3-3a.5.5 0 1 0-.708.708L10.293 7.5H4.5z"/&gt;');// eslint-disable-next-line
var BIconArrowRightShort=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowRightShort','&lt;path fill-rule="evenodd" d="M4 8a.5.5 0 0 1 .5-.5h5.793L8.146 5.354a.5.5 0 1 1 .708-.708l3 3a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708-.708L10.293 8.5H4.5A.5.5 0 0 1 4 8z"/&gt;');// eslint-disable-next-line
var BIconArrowRightSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowRightSquare','&lt;path fill-rule="evenodd" d="M15 2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2zM0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm4.5 5.5a.5.5 0 0 0 0 1h5.793l-2.147 2.146a.5.5 0 0 0 .708.708l3-3a.5.5 0 0 0 0-.708l-3-3a.5.5 0 1 0-.708.708L10.293 7.5H4.5z"/&gt;');// eslint-disable-next-line
var BIconArrowRightSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowRightSquareFill','&lt;path d="M0 14a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v12zm4.5-6.5h5.793L8.146 5.354a.5.5 0 1 1 .708-.708l3 3a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708-.708L10.293 8.5H4.5a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconArrowUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUp','&lt;path fill-rule="evenodd" d="M8 15a.5.5 0 0 0 .5-.5V2.707l3.146 3.147a.5.5 0 0 0 .708-.708l-4-4a.5.5 0 0 0-.708 0l-4 4a.5.5 0 1 0 .708.708L7.5 2.707V14.5a.5.5 0 0 0 .5.5z"/&gt;');// eslint-disable-next-line
var BIconArrowUpCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpCircle','&lt;path fill-rule="evenodd" d="M1 8a7 7 0 1 0 14 0A7 7 0 0 0 1 8zm15 0A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-7.5 3.5a.5.5 0 0 1-1 0V5.707L5.354 7.854a.5.5 0 1 1-.708-.708l3-3a.5.5 0 0 1 .708 0l3 3a.5.5 0 0 1-.708.708L8.5 5.707V11.5z"/&gt;');// eslint-disable-next-line
var BIconArrowUpCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpCircleFill','&lt;path d="M16 8A8 8 0 1 0 0 8a8 8 0 0 0 16 0zm-7.5 3.5a.5.5 0 0 1-1 0V5.707L5.354 7.854a.5.5 0 1 1-.708-.708l3-3a.5.5 0 0 1 .708 0l3 3a.5.5 0 0 1-.708.708L8.5 5.707V11.5z"/&gt;');// eslint-disable-next-line
var BIconArrowUpLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpLeft','&lt;path fill-rule="evenodd" d="M2 2.5a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1H3.707l10.147 10.146a.5.5 0 0 1-.708.708L3 3.707V8.5a.5.5 0 0 1-1 0v-6z"/&gt;');// eslint-disable-next-line
var BIconArrowUpLeftCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpLeftCircle','&lt;path fill-rule="evenodd" d="M1 8a7 7 0 1 0 14 0A7 7 0 0 0 1 8zm15 0A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-5.904 2.803a.5.5 0 1 0 .707-.707L6.707 6h2.768a.5.5 0 1 0 0-1H5.5a.5.5 0 0 0-.5.5v3.975a.5.5 0 0 0 1 0V6.707l4.096 4.096z"/&gt;');// eslint-disable-next-line
var BIconArrowUpLeftCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpLeftCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-5.904 2.803a.5.5 0 1 0 .707-.707L6.707 6h2.768a.5.5 0 1 0 0-1H5.5a.5.5 0 0 0-.5.5v3.975a.5.5 0 0 0 1 0V6.707l4.096 4.096z"/&gt;');// eslint-disable-next-line
var BIconArrowUpLeftSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpLeftSquare','&lt;path fill-rule="evenodd" d="M15 2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2zM0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm10.096 8.803a.5.5 0 1 0 .707-.707L6.707 6h2.768a.5.5 0 1 0 0-1H5.5a.5.5 0 0 0-.5.5v3.975a.5.5 0 0 0 1 0V6.707l4.096 4.096z"/&gt;');// eslint-disable-next-line
var BIconArrowUpLeftSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpLeftSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm8.096 10.803L6 6.707v2.768a.5.5 0 0 1-1 0V5.5a.5.5 0 0 1 .5-.5h3.975a.5.5 0 1 1 0 1H6.707l4.096 4.096a.5.5 0 1 1-.707.707z"/&gt;');// eslint-disable-next-line
var BIconArrowUpRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpRight','&lt;path fill-rule="evenodd" d="M14 2.5a.5.5 0 0 0-.5-.5h-6a.5.5 0 0 0 0 1h4.793L2.146 13.146a.5.5 0 0 0 .708.708L13 3.707V8.5a.5.5 0 0 0 1 0v-6z"/&gt;');// eslint-disable-next-line
var BIconArrowUpRightCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpRightCircle','&lt;path fill-rule="evenodd" d="M1 8a7 7 0 1 0 14 0A7 7 0 0 0 1 8zm15 0A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM5.854 10.803a.5.5 0 1 1-.708-.707L9.243 6H6.475a.5.5 0 1 1 0-1h3.975a.5.5 0 0 1 .5.5v3.975a.5.5 0 1 1-1 0V6.707l-4.096 4.096z"/&gt;');// eslint-disable-next-line
var BIconArrowUpRightCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpRightCircleFill','&lt;path d="M0 8a8 8 0 1 0 16 0A8 8 0 0 0 0 8zm5.904 2.803a.5.5 0 1 1-.707-.707L9.293 6H6.525a.5.5 0 1 1 0-1H10.5a.5.5 0 0 1 .5.5v3.975a.5.5 0 0 1-1 0V6.707l-4.096 4.096z"/&gt;');// eslint-disable-next-line
var BIconArrowUpRightSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpRightSquare','&lt;path fill-rule="evenodd" d="M15 2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2zM0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm5.854 8.803a.5.5 0 1 1-.708-.707L9.243 6H6.475a.5.5 0 1 1 0-1h3.975a.5.5 0 0 1 .5.5v3.975a.5.5 0 1 1-1 0V6.707l-4.096 4.096z"/&gt;');// eslint-disable-next-line
var BIconArrowUpRightSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpRightSquareFill','&lt;path d="M14 0a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h12zM5.904 10.803 10 6.707v2.768a.5.5 0 0 0 1 0V5.5a.5.5 0 0 0-.5-.5H6.525a.5.5 0 1 0 0 1h2.768l-4.096 4.096a.5.5 0 0 0 .707.707z"/&gt;');// eslint-disable-next-line
var BIconArrowUpShort=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpShort','&lt;path fill-rule="evenodd" d="M8 12a.5.5 0 0 0 .5-.5V5.707l2.146 2.147a.5.5 0 0 0 .708-.708l-3-3a.5.5 0 0 0-.708 0l-3 3a.5.5 0 1 0 .708.708L7.5 5.707V11.5a.5.5 0 0 0 .5.5z"/&gt;');// eslint-disable-next-line
var BIconArrowUpSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpSquare','&lt;path fill-rule="evenodd" d="M15 2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2zM0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm8.5 9.5a.5.5 0 0 1-1 0V5.707L5.354 7.854a.5.5 0 1 1-.708-.708l3-3a.5.5 0 0 1 .708 0l3 3a.5.5 0 0 1-.708.708L8.5 5.707V11.5z"/&gt;');// eslint-disable-next-line
var BIconArrowUpSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowUpSquareFill','&lt;path d="M2 16a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2zm6.5-4.5V5.707l2.146 2.147a.5.5 0 0 0 .708-.708l-3-3a.5.5 0 0 0-.708 0l-3 3a.5.5 0 1 0 .708.708L7.5 5.707V11.5a.5.5 0 0 0 1 0z"/&gt;');// eslint-disable-next-line
var BIconArrowsAngleContract=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowsAngleContract','&lt;path fill-rule="evenodd" d="M.172 15.828a.5.5 0 0 0 .707 0l4.096-4.096V14.5a.5.5 0 1 0 1 0v-3.975a.5.5 0 0 0-.5-.5H1.5a.5.5 0 0 0 0 1h2.768L.172 15.121a.5.5 0 0 0 0 .707zM15.828.172a.5.5 0 0 0-.707 0l-4.096 4.096V1.5a.5.5 0 1 0-1 0v3.975a.5.5 0 0 0 .5.5H14.5a.5.5 0 0 0 0-1h-2.768L15.828.879a.5.5 0 0 0 0-.707z"/&gt;');// eslint-disable-next-line
var BIconArrowsAngleExpand=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowsAngleExpand','&lt;path fill-rule="evenodd" d="M5.828 10.172a.5.5 0 0 0-.707 0l-4.096 4.096V11.5a.5.5 0 0 0-1 0v3.975a.5.5 0 0 0 .5.5H4.5a.5.5 0 0 0 0-1H1.732l4.096-4.096a.5.5 0 0 0 0-.707zm4.344-4.344a.5.5 0 0 0 .707 0l4.096-4.096V4.5a.5.5 0 1 0 1 0V.525a.5.5 0 0 0-.5-.5H11.5a.5.5 0 0 0 0 1h2.768l-4.096 4.096a.5.5 0 0 0 0 .707z"/&gt;');// eslint-disable-next-line
var BIconArrowsCollapse=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowsCollapse','&lt;path fill-rule="evenodd" d="M1 8a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 0 1h-13A.5.5 0 0 1 1 8zm7-8a.5.5 0 0 1 .5.5v3.793l1.146-1.147a.5.5 0 0 1 .708.708l-2 2a.5.5 0 0 1-.708 0l-2-2a.5.5 0 1 1 .708-.708L7.5 4.293V.5A.5.5 0 0 1 8 0zm-.5 11.707-1.146 1.147a.5.5 0 0 1-.708-.708l2-2a.5.5 0 0 1 .708 0l2 2a.5.5 0 0 1-.708.708L8.5 11.707V15.5a.5.5 0 0 1-1 0v-3.793z"/&gt;');// eslint-disable-next-line
var BIconArrowsExpand=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowsExpand','&lt;path fill-rule="evenodd" d="M1 8a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 0 1h-13A.5.5 0 0 1 1 8zM7.646.146a.5.5 0 0 1 .708 0l2 2a.5.5 0 0 1-.708.708L8.5 1.707V5.5a.5.5 0 0 1-1 0V1.707L6.354 2.854a.5.5 0 1 1-.708-.708l2-2zM8 10a.5.5 0 0 1 .5.5v3.793l1.146-1.147a.5.5 0 0 1 .708.708l-2 2a.5.5 0 0 1-.708 0l-2-2a.5.5 0 0 1 .708-.708L7.5 14.293V10.5A.5.5 0 0 1 8 10z"/&gt;');// eslint-disable-next-line
var BIconArrowsFullscreen=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowsFullscreen','&lt;path fill-rule="evenodd" d="M5.828 10.172a.5.5 0 0 0-.707 0l-4.096 4.096V11.5a.5.5 0 0 0-1 0v3.975a.5.5 0 0 0 .5.5H4.5a.5.5 0 0 0 0-1H1.732l4.096-4.096a.5.5 0 0 0 0-.707zm4.344 0a.5.5 0 0 1 .707 0l4.096 4.096V11.5a.5.5 0 1 1 1 0v3.975a.5.5 0 0 1-.5.5H11.5a.5.5 0 0 1 0-1h2.768l-4.096-4.096a.5.5 0 0 1 0-.707zm0-4.344a.5.5 0 0 0 .707 0l4.096-4.096V4.5a.5.5 0 1 0 1 0V.525a.5.5 0 0 0-.5-.5H11.5a.5.5 0 0 0 0 1h2.768l-4.096 4.096a.5.5 0 0 0 0 .707zm-4.344 0a.5.5 0 0 1-.707 0L1.025 1.732V4.5a.5.5 0 0 1-1 0V.525a.5.5 0 0 1 .5-.5H4.5a.5.5 0 0 1 0 1H1.732l4.096 4.096a.5.5 0 0 1 0 .707z"/&gt;');// eslint-disable-next-line
var BIconArrowsMove=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ArrowsMove','&lt;path fill-rule="evenodd" d="M7.646.146a.5.5 0 0 1 .708 0l2 2a.5.5 0 0 1-.708.708L8.5 1.707V5.5a.5.5 0 0 1-1 0V1.707L6.354 2.854a.5.5 0 1 1-.708-.708l2-2zM8 10a.5.5 0 0 1 .5.5v3.793l1.146-1.147a.5.5 0 0 1 .708.708l-2 2a.5.5 0 0 1-.708 0l-2-2a.5.5 0 0 1 .708-.708L7.5 14.293V10.5A.5.5 0 0 1 8 10zM.146 8.354a.5.5 0 0 1 0-.708l2-2a.5.5 0 1 1 .708.708L1.707 7.5H5.5a.5.5 0 0 1 0 1H1.707l1.147 1.146a.5.5 0 0 1-.708.708l-2-2zM10 8a.5.5 0 0 1 .5-.5h3.793l-1.147-1.146a.5.5 0 0 1 .708-.708l2 2a.5.5 0 0 1 0 .708l-2 2a.5.5 0 0 1-.708-.708L14.293 8.5H10.5A.5.5 0 0 1 10 8z"/&gt;');// eslint-disable-next-line
var BIconAspectRatio=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AspectRatio','&lt;path d="M0 3.5A1.5 1.5 0 0 1 1.5 2h13A1.5 1.5 0 0 1 16 3.5v9a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 0 12.5v-9zM1.5 3a.5.5 0 0 0-.5.5v9a.5.5 0 0 0 .5.5h13a.5.5 0 0 0 .5-.5v-9a.5.5 0 0 0-.5-.5h-13z"/&gt;&lt;path d="M2 4.5a.5.5 0 0 1 .5-.5h3a.5.5 0 0 1 0 1H3v2.5a.5.5 0 0 1-1 0v-3zm12 7a.5.5 0 0 1-.5.5h-3a.5.5 0 0 1 0-1H13V8.5a.5.5 0 0 1 1 0v3z"/&gt;');// eslint-disable-next-line
var BIconAspectRatioFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AspectRatioFill','&lt;path d="M0 12.5v-9A1.5 1.5 0 0 1 1.5 2h13A1.5 1.5 0 0 1 16 3.5v9a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 0 12.5zM2.5 4a.5.5 0 0 0-.5.5v3a.5.5 0 0 0 1 0V5h2.5a.5.5 0 0 0 0-1h-3zm11 8a.5.5 0 0 0 .5-.5v-3a.5.5 0 0 0-1 0V11h-2.5a.5.5 0 0 0 0 1h3z"/&gt;');// eslint-disable-next-line
var BIconAsterisk=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Asterisk','&lt;path d="M8 0a1 1 0 0 1 1 1v5.268l4.562-2.634a1 1 0 1 1 1 1.732L10 8l4.562 2.634a1 1 0 1 1-1 1.732L9 9.732V15a1 1 0 1 1-2 0V9.732l-4.562 2.634a1 1 0 1 1-1-1.732L6 8 1.438 5.366a1 1 0 0 1 1-1.732L7 6.268V1a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconAt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('At','&lt;path d="M13.106 7.222c0-2.967-2.249-5.032-5.482-5.032-3.35 0-5.646 2.318-5.646 5.702 0 3.493 2.235 5.708 5.762 5.708.862 0 1.689-.123 2.304-.335v-.862c-.43.199-1.354.328-2.29.328-2.926 0-4.813-1.88-4.813-4.798 0-2.844 1.921-4.881 4.594-4.881 2.735 0 4.608 1.688 4.608 4.156 0 1.682-.554 2.769-1.416 2.769-.492 0-.772-.28-.772-.76V5.206H8.923v.834h-.11c-.266-.595-.881-.964-1.6-.964-1.4 0-2.378 1.162-2.378 2.823 0 1.737.957 2.906 2.379 2.906.8 0 1.415-.39 1.709-1.087h.11c.081.67.703 1.148 1.503 1.148 1.572 0 2.57-1.415 2.57-3.643zm-7.177.704c0-1.197.54-1.907 1.456-1.907.93 0 1.524.738 1.524 1.907S8.308 9.84 7.371 9.84c-.895 0-1.442-.725-1.442-1.914z"/&gt;');// eslint-disable-next-line
var BIconAward=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Award','&lt;path d="M9.669.864 8 0 6.331.864l-1.858.282-.842 1.68-1.337 1.32L2.6 6l-.306 1.854 1.337 1.32.842 1.68 1.858.282L8 12l1.669-.864 1.858-.282.842-1.68 1.337-1.32L13.4 6l.306-1.854-1.337-1.32-.842-1.68L9.669.864zm1.196 1.193.684 1.365 1.086 1.072L12.387 6l.248 1.506-1.086 1.072-.684 1.365-1.51.229L8 10.874l-1.355-.702-1.51-.229-.684-1.365-1.086-1.072L3.614 6l-.25-1.506 1.087-1.072.684-1.365 1.51-.229L8 1.126l1.356.702 1.509.229z"/&gt;&lt;path d="M4 11.794V16l4-1 4 1v-4.206l-2.018.306L8 13.126 6.018 12.1 4 11.794z"/&gt;');// eslint-disable-next-line
var BIconAwardFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('AwardFill','&lt;path d="m8 0 1.669.864 1.858.282.842 1.68 1.337 1.32L13.4 6l.306 1.854-1.337 1.32-.842 1.68-1.858.282L8 12l-1.669-.864-1.858-.282-.842-1.68-1.337-1.32L2.6 6l-.306-1.854 1.337-1.32.842-1.68L6.331.864 8 0z"/&gt;&lt;path d="M4 11.794V16l4-1 4 1v-4.206l-2.018.306L8 13.126 6.018 12.1 4 11.794z"/&gt;');// eslint-disable-next-line
var BIconBack=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Back','&lt;path d="M0 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v2h2a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H6a2 2 0 0 1-2-2v-2H2a2 2 0 0 1-2-2V2zm2-1a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H2z"/&gt;');// eslint-disable-next-line
var BIconBackspace=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Backspace','&lt;path d="M5.83 5.146a.5.5 0 0 0 0 .708L7.975 8l-2.147 2.146a.5.5 0 0 0 .707.708l2.147-2.147 2.146 2.147a.5.5 0 0 0 .707-.708L9.39 8l2.146-2.146a.5.5 0 0 0-.707-.708L8.683 7.293 6.536 5.146a.5.5 0 0 0-.707 0z"/&gt;&lt;path d="M13.683 1a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2h-7.08a2 2 0 0 1-1.519-.698L.241 8.65a1 1 0 0 1 0-1.302L5.084 1.7A2 2 0 0 1 6.603 1h7.08zm-7.08 1a1 1 0 0 0-.76.35L1 8l4.844 5.65a1 1 0 0 0 .759.35h7.08a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1h-7.08z"/&gt;');// eslint-disable-next-line
var BIconBackspaceFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BackspaceFill','&lt;path d="M15.683 3a2 2 0 0 0-2-2h-7.08a2 2 0 0 0-1.519.698L.241 7.35a1 1 0 0 0 0 1.302l4.843 5.65A2 2 0 0 0 6.603 15h7.08a2 2 0 0 0 2-2V3zM5.829 5.854a.5.5 0 1 1 .707-.708l2.147 2.147 2.146-2.147a.5.5 0 1 1 .707.708L9.39 8l2.146 2.146a.5.5 0 0 1-.707.708L8.683 8.707l-2.147 2.147a.5.5 0 0 1-.707-.708L7.976 8 5.829 5.854z"/&gt;');// eslint-disable-next-line
var BIconBackspaceReverse=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BackspaceReverse','&lt;path d="M9.854 5.146a.5.5 0 0 1 0 .708L7.707 8l2.147 2.146a.5.5 0 0 1-.708.708L7 8.707l-2.146 2.147a.5.5 0 0 1-.708-.708L6.293 8 4.146 5.854a.5.5 0 1 1 .708-.708L7 7.293l2.146-2.147a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="M2 1a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h7.08a2 2 0 0 0 1.519-.698l4.843-5.651a1 1 0 0 0 0-1.302L10.6 1.7A2 2 0 0 0 9.08 1H2zm7.08 1a1 1 0 0 1 .76.35L14.682 8l-4.844 5.65a1 1 0 0 1-.759.35H2a1 1 0 0 1-1-1V3a1 1 0 0 1 1-1h7.08z"/&gt;');// eslint-disable-next-line
var BIconBackspaceReverseFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BackspaceReverseFill','&lt;path d="M0 3a2 2 0 0 1 2-2h7.08a2 2 0 0 1 1.519.698l4.843 5.651a1 1 0 0 1 0 1.302L10.6 14.3a2 2 0 0 1-1.52.7H2a2 2 0 0 1-2-2V3zm9.854 2.854a.5.5 0 0 0-.708-.708L7 7.293 4.854 5.146a.5.5 0 1 0-.708.708L6.293 8l-2.147 2.146a.5.5 0 0 0 .708.708L7 8.707l2.146 2.147a.5.5 0 0 0 .708-.708L7.707 8l2.147-2.146z"/&gt;');// eslint-disable-next-line
var BIconBadge3d=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Badge3d','&lt;path d="M4.52 8.368h.664c.646 0 1.055.378 1.06.9.008.537-.427.919-1.086.919-.598-.004-1.037-.325-1.068-.756H3c.03.914.791 1.688 2.153 1.688 1.24 0 2.285-.66 2.272-1.798-.013-.953-.747-1.38-1.292-1.432v-.062c.44-.07 1.125-.527 1.108-1.375-.013-.906-.8-1.57-2.053-1.565-1.31.005-2.043.734-2.074 1.67h1.103c.022-.391.383-.751.936-.751.532 0 .928.33.928.813.004.479-.383.835-.928.835h-.632v.914zm3.606-3.367V11h2.189C12.125 11 13 9.893 13 7.985c0-1.894-.861-2.984-2.685-2.984H8.126zm1.187.967h.844c1.112 0 1.621.686 1.621 2.04 0 1.353-.505 2.02-1.621 2.02h-.844v-4.06z"/&gt;&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconBadge3dFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Badge3dFill','&lt;path d="M10.157 5.968h-.844v4.06h.844c1.116 0 1.621-.667 1.621-2.02 0-1.354-.51-2.04-1.621-2.04z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm5.184 4.368c.646 0 1.055.378 1.06.9.008.537-.427.919-1.086.919-.598-.004-1.037-.325-1.068-.756H3c.03.914.791 1.688 2.153 1.688 1.24 0 2.285-.66 2.272-1.798-.013-.953-.747-1.38-1.292-1.432v-.062c.44-.07 1.125-.527 1.108-1.375-.013-.906-.8-1.57-2.053-1.565-1.31.005-2.043.734-2.074 1.67h1.103c.022-.391.383-.751.936-.751.532 0 .928.33.928.813.004.479-.383.835-.928.835h-.632v.914h.663zM8.126 11h2.189C12.125 11 13 9.893 13 7.985c0-1.894-.861-2.984-2.685-2.984H8.126V11z"/&gt;');// eslint-disable-next-line
var BIconBadge4k=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Badge4k','&lt;path d="M4.807 5.001C4.021 6.298 3.203 7.6 2.5 8.917v.971h2.905V11h1.112V9.888h.733V8.93h-.733V5.001h-1.71zm-1.23 3.93v-.032a46.781 46.781 0 0 1 1.766-3.001h.062V8.93H3.577zm9.831-3.93h-1.306L9.835 7.687h-.057V5H8.59v6h1.187V9.075l.615-.699L12.072 11H13.5l-2.232-3.415 2.14-2.584z"/&gt;&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconBadge4kFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Badge4kFill','&lt;path d="M3.577 8.9v.03h1.828V5.898h-.062a46.781 46.781 0 0 0-1.766 3.001z"/&gt;&lt;path d="M2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm2.372 3.715.435-.714h1.71v3.93h.733v.957h-.733V11H5.405V9.888H2.5v-.971c.574-1.077 1.225-2.142 1.872-3.202zm7.73-.714h1.306l-2.14 2.584L13.5 11h-1.428l-1.679-2.624-.615.7V11H8.59V5.001h1.187v2.686h.057L12.102 5z"/&gt;');// eslint-disable-next-line
var BIconBadge8k=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Badge8k','&lt;path d="M4.837 11.114c1.406 0 2.333-.725 2.333-1.766 0-.945-.712-1.38-1.256-1.49v-.053c.496-.15 1.02-.55 1.02-1.331 0-.914-.831-1.587-2.084-1.587-1.257 0-2.087.673-2.087 1.587 0 .773.51 1.177 1.02 1.331v.053c-.546.11-1.258.54-1.258 1.494 0 1.042.906 1.762 2.312 1.762zm.013-3.643c-.545 0-.95-.356-.95-.866s.405-.852.95-.852c.545 0 .945.343.945.852 0 .51-.4.866-.945.866zm0 2.786c-.65 0-1.142-.395-1.142-.984S4.2 8.28 4.85 8.28c.646 0 1.143.404 1.143.993s-.497.984-1.143.984zM13.408 5h-1.306L9.835 7.685h-.057V5H8.59v5.998h1.187V9.075l.615-.699 1.679 2.623H13.5l-2.232-3.414L13.408 5z"/&gt;&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconBadge8kFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Badge8kFill','&lt;path d="M3.9 6.605c0 .51.405.866.95.866.545 0 .945-.356.945-.866s-.4-.852-.945-.852c-.545 0-.95.343-.95.852zm-.192 2.668c0 .589.492.984 1.142.984.646 0 1.143-.395 1.143-.984S5.496 8.28 4.85 8.28c-.65 0-1.142.404-1.142.993z"/&gt;&lt;path d="M2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm5.17 7.348c0 1.041-.927 1.766-2.333 1.766-1.406 0-2.312-.72-2.312-1.762 0-.954.712-1.384 1.257-1.494v-.053c-.51-.154-1.02-.558-1.02-1.331 0-.914.831-1.587 2.088-1.587 1.253 0 2.083.673 2.083 1.587 0 .782-.523 1.182-1.02 1.331v.053c.545.11 1.257.545 1.257 1.49zM12.102 5h1.306l-2.14 2.584 2.232 3.415h-1.428l-1.679-2.624-.615.699v1.925H8.59V5h1.187v2.685h.057L12.102 5z"/&gt;');// eslint-disable-next-line
var BIconBadgeAd=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeAd','&lt;path d="m3.7 11 .47-1.542h2.004L6.644 11h1.261L5.901 5.001H4.513L2.5 11h1.2zm1.503-4.852.734 2.426H4.416l.734-2.426h.053zm4.759.128c-1.059 0-1.753.765-1.753 2.043v.695c0 1.279.685 2.043 1.74 2.043.677 0 1.222-.33 1.367-.804h.057V11h1.138V4.685h-1.16v2.36h-.053c-.18-.475-.68-.77-1.336-.77zm.387.923c.58 0 1.002.44 1.002 1.138v.602c0 .76-.396 1.2-.984 1.2-.598 0-.972-.449-.972-1.248v-.453c0-.795.37-1.24.954-1.24z"/&gt;&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconBadgeAdFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeAdFill','&lt;path d="M11.35 8.337c0-.699-.42-1.138-1.001-1.138-.584 0-.954.444-.954 1.239v.453c0 .8.374 1.248.972 1.248.588 0 .984-.44.984-1.2v-.602zm-5.413.237-.734-2.426H5.15l-.734 2.426h1.52z"/&gt;&lt;path d="M2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm6.209 6.32c0-1.28.694-2.044 1.753-2.044.655 0 1.156.294 1.336.769h.053v-2.36h1.16V11h-1.138v-.747h-.057c-.145.474-.69.804-1.367.804-1.055 0-1.74-.764-1.74-2.043v-.695zm-4.04 1.138L3.7 11H2.5l2.013-5.999H5.9L7.905 11H6.644l-.47-1.542H4.17z"/&gt;');// eslint-disable-next-line
var BIconBadgeAr=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeAr','&lt;path d="m3.794 11 .47-1.542H6.27L6.739 11H8L5.996 5.001H4.607L2.595 11h1.2zm1.503-4.852.734 2.426h-1.52l.734-2.426h.052zm5.598-1.147H8.5V11h1.173V8.763h1.064L11.787 11h1.327L11.91 8.583C12.455 8.373 13 7.779 13 6.9c0-1.147-.773-1.9-2.105-1.9zm-1.222 2.87V5.933h1.05c.63 0 1.05.347 1.05.989 0 .633-.408.95-1.067.95H9.673z"/&gt;&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconBadgeArFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeArFill','&lt;path d="m6.031 8.574-.734-2.426h-.052L4.51 8.574h1.52zm3.642-2.641v1.938h1.033c.66 0 1.068-.316 1.068-.95 0-.64-.422-.988-1.05-.988h-1.05z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm4.265 5.458h2.004L6.739 11H8L5.996 5.001H4.607L2.595 11h1.2l.47-1.542zM8.5 5v6h1.173V8.763h1.064L11.787 11h1.327L11.91 8.583C12.455 8.373 13 7.779 13 6.9c0-1.147-.773-1.9-2.105-1.9H8.5z"/&gt;');// eslint-disable-next-line
var BIconBadgeCc=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeCc','&lt;path d="M3.708 7.755c0-1.111.488-1.753 1.319-1.753.681 0 1.138.47 1.186 1.107H7.36V7c-.052-1.186-1.024-2-2.342-2C3.414 5 2.5 6.05 2.5 7.751v.747c0 1.7.905 2.73 2.518 2.73 1.314 0 2.285-.792 2.342-1.939v-.114H6.213c-.048.615-.496 1.05-1.186 1.05-.84 0-1.319-.62-1.319-1.727v-.743zm6.14 0c0-1.111.488-1.753 1.318-1.753.682 0 1.139.47 1.187 1.107H13.5V7c-.053-1.186-1.024-2-2.342-2C9.554 5 8.64 6.05 8.64 7.751v.747c0 1.7.905 2.73 2.518 2.73 1.314 0 2.285-.792 2.342-1.939v-.114h-1.147c-.048.615-.497 1.05-1.187 1.05-.839 0-1.318-.62-1.318-1.727v-.743z"/&gt;&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconBadgeCcFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeCcFill','&lt;path d="M2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm3.027 4.002c-.83 0-1.319.642-1.319 1.753v.743c0 1.107.48 1.727 1.319 1.727.69 0 1.138-.435 1.186-1.05H7.36v.114c-.057 1.147-1.028 1.938-2.342 1.938-1.613 0-2.518-1.028-2.518-2.729v-.747C2.5 6.051 3.414 5 5.018 5c1.318 0 2.29.813 2.342 2v.11H6.213c-.048-.638-.505-1.108-1.186-1.108zm6.14 0c-.831 0-1.319.642-1.319 1.753v.743c0 1.107.48 1.727 1.318 1.727.69 0 1.139-.435 1.187-1.05H13.5v.114c-.057 1.147-1.028 1.938-2.342 1.938-1.613 0-2.518-1.028-2.518-2.729v-.747c0-1.7.914-2.751 2.518-2.751 1.318 0 2.29.813 2.342 2v.11h-1.147c-.048-.638-.505-1.108-1.187-1.108z"/&gt;');// eslint-disable-next-line
var BIconBadgeHd=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeHd','&lt;path d="M7.396 11V5.001H6.209v2.44H3.687V5H2.5v6h1.187V8.43h2.522V11h1.187zM8.5 5.001V11h2.188c1.811 0 2.685-1.107 2.685-3.015 0-1.894-.86-2.984-2.684-2.984H8.5zm1.187.967h.843c1.112 0 1.622.686 1.622 2.04 0 1.353-.505 2.02-1.622 2.02h-.843v-4.06z"/&gt;&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconBadgeHdFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeHdFill','&lt;path d="M10.53 5.968h-.843v4.06h.843c1.117 0 1.622-.667 1.622-2.02 0-1.354-.51-2.04-1.622-2.04z"/&gt;&lt;path d="M2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm5.396 3.001V11H6.209V8.43H3.687V11H2.5V5.001h1.187v2.44h2.522V5h1.187zM8.5 11V5.001h2.188c1.824 0 2.685 1.09 2.685 2.984C13.373 9.893 12.5 11 10.69 11H8.5z"/&gt;');// eslint-disable-next-line
var BIconBadgeTm=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeTm','&lt;path d="M5.295 11V5.995H7V5H2.403v.994h1.701V11h1.19zm3.397 0V7.01h.058l1.428 3.239h.773l1.42-3.24h.057V11H13.5V5.001h-1.2l-1.71 3.894h-.039l-1.71-3.894H7.634V11h1.06z"/&gt;&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconBadgeTmFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeTmFill','&lt;path d="M2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm3.295 3.995V11H4.104V5.995h-1.7V5H7v.994H5.295zM8.692 7.01V11H7.633V5.001h1.209l1.71 3.894h.039l1.71-3.894H13.5V11h-1.072V7.01h-.057l-1.42 3.239h-.773L8.75 7.008h-.058z"/&gt;');// eslint-disable-next-line
var BIconBadgeVo=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeVo','&lt;path d="M4.508 11h1.429l1.99-5.999H6.61L5.277 9.708H5.22L3.875 5.001H2.5L4.508 11zM13.5 8.39v-.77c0-1.696-.962-2.733-2.566-2.733-1.604 0-2.571 1.029-2.571 2.734v.769c0 1.691.967 2.724 2.57 2.724 1.605 0 2.567-1.033 2.567-2.724zm-1.204-.778v.782c0 1.156-.571 1.732-1.362 1.732-.796 0-1.363-.576-1.363-1.732v-.782c0-1.156.567-1.736 1.363-1.736.79 0 1.362.58 1.362 1.736z"/&gt;&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconBadgeVoFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeVoFill','&lt;path d="M12.296 8.394v-.782c0-1.156-.571-1.736-1.362-1.736-.796 0-1.363.58-1.363 1.736v.782c0 1.156.567 1.732 1.363 1.732.79 0 1.362-.576 1.362-1.732z"/&gt;&lt;path d="M2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm11.5 5.62v.77c0 1.691-.962 2.724-2.566 2.724-1.604 0-2.571-1.033-2.571-2.724v-.77c0-1.704.967-2.733 2.57-2.733 1.605 0 2.567 1.037 2.567 2.734zM5.937 11H4.508L2.5 5.001h1.375L5.22 9.708h.057L6.61 5.001h1.318L5.937 11z"/&gt;');// eslint-disable-next-line
var BIconBadgeVr=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeVr','&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M4.508 11h1.429l1.99-5.999H6.61L5.277 9.708H5.22L3.875 5.001H2.5L4.508 11zm6.387-5.999H8.5V11h1.173V8.763h1.064L11.787 11h1.327L11.91 8.583C12.455 8.373 13 7.779 13 6.9c0-1.147-.773-1.9-2.105-1.9zm-1.222 2.87V5.933h1.05c.63 0 1.05.347 1.05.989 0 .633-.408.95-1.067.95H9.673z"/&gt;');// eslint-disable-next-line
var BIconBadgeVrFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeVrFill','&lt;path d="M9.673 5.933v1.938h1.033c.66 0 1.068-.316 1.068-.95 0-.64-.422-.988-1.05-.988h-1.05z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm5.937 7 1.99-5.999H6.61L5.277 9.708H5.22L3.875 5.001H2.5L4.508 11h1.429zM8.5 5.001V11h1.173V8.763h1.064L11.787 11h1.327L11.91 8.583C12.455 8.373 13 7.779 13 6.9c0-1.147-.773-1.9-2.105-1.9H8.5z"/&gt;');// eslint-disable-next-line
var BIconBadgeWc=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeWc','&lt;path d="M10.348 7.643c0-1.112.488-1.754 1.318-1.754.682 0 1.139.47 1.187 1.108H14v-.11c-.053-1.187-1.024-2-2.342-2-1.604 0-2.518 1.05-2.518 2.751v.747c0 1.7.905 2.73 2.518 2.73 1.314 0 2.285-.792 2.342-1.939v-.114h-1.147c-.048.615-.497 1.05-1.187 1.05-.839 0-1.318-.62-1.318-1.727v-.742zM4.457 11l1.02-4.184h.045L6.542 11h1.006L9 5.001H7.818l-.82 4.355h-.056L5.97 5.001h-.94l-.972 4.355h-.053l-.827-4.355H2L3.452 11h1.005z"/&gt;&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconBadgeWcFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BadgeWcFill','&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm11.666 1.89c.682 0 1.139.47 1.187 1.107H14v-.11c-.053-1.187-1.024-2-2.342-2-1.604 0-2.518 1.05-2.518 2.751v.747c0 1.7.905 2.73 2.518 2.73 1.314 0 2.285-.792 2.342-1.939v-.114h-1.147c-.048.615-.497 1.05-1.187 1.05-.839 0-1.318-.62-1.318-1.727v-.742c0-1.112.488-1.754 1.318-1.754zm-6.188.926h.044L6.542 11h1.006L9 5.001H7.818l-.82 4.355h-.056L5.97 5.001h-.94l-.972 4.355h-.053l-.827-4.355H2L3.452 11h1.005l1.02-4.184z"/&gt;');// eslint-disable-next-line
var BIconBag=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bag','&lt;path d="M8 1a2.5 2.5 0 0 1 2.5 2.5V4h-5v-.5A2.5 2.5 0 0 1 8 1zm3.5 3v-.5a3.5 3.5 0 1 0-7 0V4H1v10a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V4h-3.5zM2 5h12v9a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V5z"/&gt;');// eslint-disable-next-line
var BIconBagCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BagCheck','&lt;path fill-rule="evenodd" d="M10.854 8.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 0 1 .708-.708L7.5 10.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="M8 1a2.5 2.5 0 0 1 2.5 2.5V4h-5v-.5A2.5 2.5 0 0 1 8 1zm3.5 3v-.5a3.5 3.5 0 1 0-7 0V4H1v10a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V4h-3.5zM2 5h12v9a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V5z"/&gt;');// eslint-disable-next-line
var BIconBagCheckFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BagCheckFill','&lt;path fill-rule="evenodd" d="M10.5 3.5a2.5 2.5 0 0 0-5 0V4h5v-.5zm1 0V4H15v10a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V4h3.5v-.5a3.5 3.5 0 1 1 7 0zm-.646 5.354a.5.5 0 0 0-.708-.708L7.5 10.793 6.354 9.646a.5.5 0 1 0-.708.708l1.5 1.5a.5.5 0 0 0 .708 0l3-3z"/&gt;');// eslint-disable-next-line
var BIconBagDash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BagDash','&lt;path fill-rule="evenodd" d="M5.5 10a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M8 1a2.5 2.5 0 0 1 2.5 2.5V4h-5v-.5A2.5 2.5 0 0 1 8 1zm3.5 3v-.5a3.5 3.5 0 1 0-7 0V4H1v10a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V4h-3.5zM2 5h12v9a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V5z"/&gt;');// eslint-disable-next-line
var BIconBagDashFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BagDashFill','&lt;path fill-rule="evenodd" d="M10.5 3.5a2.5 2.5 0 0 0-5 0V4h5v-.5zm1 0V4H15v10a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V4h3.5v-.5a3.5 3.5 0 1 1 7 0zM6 9.5a.5.5 0 0 0 0 1h4a.5.5 0 0 0 0-1H6z"/&gt;');// eslint-disable-next-line
var BIconBagFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BagFill','&lt;path d="M8 1a2.5 2.5 0 0 1 2.5 2.5V4h-5v-.5A2.5 2.5 0 0 1 8 1zm3.5 3v-.5a3.5 3.5 0 1 0-7 0V4H1v10a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V4h-3.5z"/&gt;');// eslint-disable-next-line
var BIconBagPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BagPlus','&lt;path fill-rule="evenodd" d="M8 7.5a.5.5 0 0 1 .5.5v1.5H10a.5.5 0 0 1 0 1H8.5V12a.5.5 0 0 1-1 0v-1.5H6a.5.5 0 0 1 0-1h1.5V8a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M8 1a2.5 2.5 0 0 1 2.5 2.5V4h-5v-.5A2.5 2.5 0 0 1 8 1zm3.5 3v-.5a3.5 3.5 0 1 0-7 0V4H1v10a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V4h-3.5zM2 5h12v9a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V5z"/&gt;');// eslint-disable-next-line
var BIconBagPlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BagPlusFill','&lt;path fill-rule="evenodd" d="M10.5 3.5a2.5 2.5 0 0 0-5 0V4h5v-.5zm1 0V4H15v10a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V4h3.5v-.5a3.5 3.5 0 1 1 7 0zM8.5 8a.5.5 0 0 0-1 0v1.5H6a.5.5 0 0 0 0 1h1.5V12a.5.5 0 0 0 1 0v-1.5H10a.5.5 0 0 0 0-1H8.5V8z"/&gt;');// eslint-disable-next-line
var BIconBagX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BagX','&lt;path fill-rule="evenodd" d="M6.146 8.146a.5.5 0 0 1 .708 0L8 9.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 10l1.147 1.146a.5.5 0 0 1-.708.708L8 10.707l-1.146 1.147a.5.5 0 0 1-.708-.708L7.293 10 6.146 8.854a.5.5 0 0 1 0-.708z"/&gt;&lt;path d="M8 1a2.5 2.5 0 0 1 2.5 2.5V4h-5v-.5A2.5 2.5 0 0 1 8 1zm3.5 3v-.5a3.5 3.5 0 1 0-7 0V4H1v10a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V4h-3.5zM2 5h12v9a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V5z"/&gt;');// eslint-disable-next-line
var BIconBagXFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BagXFill','&lt;path fill-rule="evenodd" d="M10.5 3.5a2.5 2.5 0 0 0-5 0V4h5v-.5zm1 0V4H15v10a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V4h3.5v-.5a3.5 3.5 0 1 1 7 0zM6.854 8.146a.5.5 0 1 0-.708.708L7.293 10l-1.147 1.146a.5.5 0 0 0 .708.708L8 10.707l1.146 1.147a.5.5 0 0 0 .708-.708L8.707 10l1.147-1.146a.5.5 0 0 0-.708-.708L8 9.293 6.854 8.146z"/&gt;');// eslint-disable-next-line
var BIconBank=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bank','&lt;path d="M8 .95 14.61 4h.89a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5H15v7a.5.5 0 0 1 .485.379l.5 2A.5.5 0 0 1 15.5 17H.5a.5.5 0 0 1-.485-.621l.5-2A.5.5 0 0 1 1 14V7H.5a.5.5 0 0 1-.5-.5v-2A.5.5 0 0 1 .5 4h.89L8 .95zM3.776 4h8.447L8 2.05 3.776 4zM2 7v7h1V7H2zm2 0v7h2.5V7H4zm3.5 0v7h1V7h-1zm2 0v7H12V7H9.5zM13 7v7h1V7h-1zm2-1V5H1v1h14zm-.39 9H1.39l-.25 1h13.72l-.25-1z"/&gt;');// eslint-disable-next-line
var BIconBank2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bank2','&lt;path d="M8.277.084a.5.5 0 0 0-.554 0l-7.5 5A.5.5 0 0 0 .5 6h1.875v7H1.5a.5.5 0 0 0 0 1h13a.5.5 0 1 0 0-1h-.875V6H15.5a.5.5 0 0 0 .277-.916l-7.5-5zM12.375 6v7h-1.25V6h1.25zm-2.5 0v7h-1.25V6h1.25zm-2.5 0v7h-1.25V6h1.25zm-2.5 0v7h-1.25V6h1.25zM8 4a1 1 0 1 1 0-2 1 1 0 0 1 0 2zM.5 15a.5.5 0 0 0 0 1h15a.5.5 0 1 0 0-1H.5z"/&gt;');// eslint-disable-next-line
var BIconBarChart=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BarChart','&lt;path d="M4 11H2v3h2v-3zm5-4H7v7h2V7zm5-5v12h-2V2h2zm-2-1a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1h-2zM6 7a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v7a1 1 0 0 1-1 1H7a1 1 0 0 1-1-1V7zm-5 4a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1v-3z"/&gt;');// eslint-disable-next-line
var BIconBarChartFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BarChartFill','&lt;path d="M1 11a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1v-3zm5-4a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v7a1 1 0 0 1-1 1H7a1 1 0 0 1-1-1V7zm5-5a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1V2z"/&gt;');// eslint-disable-next-line
var BIconBarChartLine=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BarChartLine','&lt;path d="M11 2a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v12h.5a.5.5 0 0 1 0 1H.5a.5.5 0 0 1 0-1H1v-3a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v3h1V7a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v7h1V2zm1 12h2V2h-2v12zm-3 0V7H7v7h2zm-5 0v-3H2v3h2z"/&gt;');// eslint-disable-next-line
var BIconBarChartLineFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BarChartLineFill','&lt;path d="M11 2a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v12h.5a.5.5 0 0 1 0 1H.5a.5.5 0 0 1 0-1H1v-3a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v3h1V7a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v7h1V2z"/&gt;');// eslint-disable-next-line
var BIconBarChartSteps=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BarChartSteps','&lt;path d="M.5 0a.5.5 0 0 1 .5.5v15a.5.5 0 0 1-1 0V.5A.5.5 0 0 1 .5 0zM2 1.5a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-4a.5.5 0 0 1-.5-.5v-1zm2 4a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-1zm2 4a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-6a.5.5 0 0 1-.5-.5v-1zm2 4a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-1z"/&gt;');// eslint-disable-next-line
var BIconBasket=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Basket','&lt;path d="M5.757 1.071a.5.5 0 0 1 .172.686L3.383 6h9.234L10.07 1.757a.5.5 0 1 1 .858-.514L13.783 6H15a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1v4.5a2.5 2.5 0 0 1-2.5 2.5h-9A2.5 2.5 0 0 1 1 13.5V9a1 1 0 0 1-1-1V7a1 1 0 0 1 1-1h1.217L5.07 1.243a.5.5 0 0 1 .686-.172zM2 9v4.5A1.5 1.5 0 0 0 3.5 15h9a1.5 1.5 0 0 0 1.5-1.5V9H2zM1 7v1h14V7H1zm3 3a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-1 0v-3A.5.5 0 0 1 4 10zm2 0a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-1 0v-3A.5.5 0 0 1 6 10zm2 0a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-1 0v-3A.5.5 0 0 1 8 10zm2 0a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-1 0v-3a.5.5 0 0 1 .5-.5zm2 0a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-1 0v-3a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconBasket2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Basket2','&lt;path d="M4 10a1 1 0 0 1 2 0v2a1 1 0 0 1-2 0v-2zm3 0a1 1 0 0 1 2 0v2a1 1 0 0 1-2 0v-2zm3 0a1 1 0 1 1 2 0v2a1 1 0 0 1-2 0v-2z"/&gt;&lt;path d="M5.757 1.071a.5.5 0 0 1 .172.686L3.383 6h9.234L10.07 1.757a.5.5 0 1 1 .858-.514L13.783 6H15.5a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-.623l-1.844 6.456a.75.75 0 0 1-.722.544H3.69a.75.75 0 0 1-.722-.544L1.123 8H.5a.5.5 0 0 1-.5-.5v-1A.5.5 0 0 1 .5 6h1.717L5.07 1.243a.5.5 0 0 1 .686-.172zM2.163 8l1.714 6h8.246l1.714-6H2.163z"/&gt;');// eslint-disable-next-line
var BIconBasket2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Basket2Fill','&lt;path d="M5.929 1.757a.5.5 0 1 0-.858-.514L2.217 6H.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h.623l1.844 6.456A.75.75 0 0 0 3.69 15h8.622a.75.75 0 0 0 .722-.544L14.877 8h.623a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1.717L10.93 1.243a.5.5 0 1 0-.858.514L12.617 6H3.383L5.93 1.757zM4 10a1 1 0 0 1 2 0v2a1 1 0 1 1-2 0v-2zm3 0a1 1 0 0 1 2 0v2a1 1 0 1 1-2 0v-2zm4-1a1 1 0 0 1 1 1v2a1 1 0 1 1-2 0v-2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconBasket3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Basket3','&lt;path d="M5.757 1.071a.5.5 0 0 1 .172.686L3.383 6h9.234L10.07 1.757a.5.5 0 1 1 .858-.514L13.783 6H15.5a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H.5a.5.5 0 0 1-.5-.5v-1A.5.5 0 0 1 .5 6h1.717L5.07 1.243a.5.5 0 0 1 .686-.172zM3.394 15l-1.48-6h-.97l1.525 6.426a.75.75 0 0 0 .729.574h9.606a.75.75 0 0 0 .73-.574L15.056 9h-.972l-1.479 6h-9.21z"/&gt;');// eslint-disable-next-line
var BIconBasket3Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Basket3Fill','&lt;path d="M5.757 1.071a.5.5 0 0 1 .172.686L3.383 6h9.234L10.07 1.757a.5.5 0 1 1 .858-.514L13.783 6H15.5a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H.5a.5.5 0 0 1-.5-.5v-1A.5.5 0 0 1 .5 6h1.717L5.07 1.243a.5.5 0 0 1 .686-.172zM2.468 15.426.943 9h14.114l-1.525 6.426a.75.75 0 0 1-.729.574H3.197a.75.75 0 0 1-.73-.574z"/&gt;');// eslint-disable-next-line
var BIconBasketFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BasketFill','&lt;path d="M5.071 1.243a.5.5 0 0 1 .858.514L3.383 6h9.234L10.07 1.757a.5.5 0 1 1 .858-.514L13.783 6H15.5a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5H15v5a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V9H.5a.5.5 0 0 1-.5-.5v-2A.5.5 0 0 1 .5 6h1.717L5.07 1.243zM3.5 10.5a.5.5 0 1 0-1 0v3a.5.5 0 0 0 1 0v-3zm2.5 0a.5.5 0 1 0-1 0v3a.5.5 0 0 0 1 0v-3zm2.5 0a.5.5 0 1 0-1 0v3a.5.5 0 0 0 1 0v-3zm2.5 0a.5.5 0 1 0-1 0v3a.5.5 0 0 0 1 0v-3zm2.5 0a.5.5 0 1 0-1 0v3a.5.5 0 0 0 1 0v-3z"/&gt;');// eslint-disable-next-line
var BIconBattery=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Battery','&lt;path d="M0 6a2 2 0 0 1 2-2h10a2 2 0 0 1 2 2v4a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V6zm2-1a1 1 0 0 0-1 1v4a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V6a1 1 0 0 0-1-1H2zm14 3a1.5 1.5 0 0 1-1.5 1.5v-3A1.5 1.5 0 0 1 16 8z"/&gt;');// eslint-disable-next-line
var BIconBatteryCharging=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BatteryCharging','&lt;path d="M9.585 2.568a.5.5 0 0 1 .226.58L8.677 6.832h1.99a.5.5 0 0 1 .364.843l-5.334 5.667a.5.5 0 0 1-.842-.49L5.99 9.167H4a.5.5 0 0 1-.364-.843l5.333-5.667a.5.5 0 0 1 .616-.09z"/&gt;&lt;path d="M2 4h4.332l-.94 1H2a1 1 0 0 0-1 1v4a1 1 0 0 0 1 1h2.38l-.308 1H2a2 2 0 0 1-2-2V6a2 2 0 0 1 2-2z"/&gt;&lt;path d="M2 6h2.45L2.908 7.639A1.5 1.5 0 0 0 3.313 10H2V6zm8.595-2-.308 1H12a1 1 0 0 1 1 1v4a1 1 0 0 1-1 1H9.276l-.942 1H12a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2h-1.405z"/&gt;&lt;path d="M12 10h-1.783l1.542-1.639c.097-.103.178-.218.241-.34V10zm0-3.354V6h-.646a1.5 1.5 0 0 1 .646.646zM16 8a1.5 1.5 0 0 1-1.5 1.5v-3A1.5 1.5 0 0 1 16 8z"/&gt;');// eslint-disable-next-line
var BIconBatteryFull=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BatteryFull','&lt;path d="M2 6h10v4H2V6z"/&gt;&lt;path d="M2 4a2 2 0 0 0-2 2v4a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2H2zm10 1a1 1 0 0 1 1 1v4a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h10zm4 3a1.5 1.5 0 0 1-1.5 1.5v-3A1.5 1.5 0 0 1 16 8z"/&gt;');// eslint-disable-next-line
var BIconBatteryHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BatteryHalf','&lt;path d="M2 6h5v4H2V6z"/&gt;&lt;path d="M2 4a2 2 0 0 0-2 2v4a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2H2zm10 1a1 1 0 0 1 1 1v4a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h10zm4 3a1.5 1.5 0 0 1-1.5 1.5v-3A1.5 1.5 0 0 1 16 8z"/&gt;');// eslint-disable-next-line
var BIconBell=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bell','&lt;path d="M8 16a2 2 0 0 0 2-2H6a2 2 0 0 0 2 2zM8 1.918l-.797.161A4.002 4.002 0 0 0 4 6c0 .628-.134 2.197-.459 3.742-.16.767-.376 1.566-.663 2.258h10.244c-.287-.692-.502-1.49-.663-2.258C12.134 8.197 12 6.628 12 6a4.002 4.002 0 0 0-3.203-3.92L8 1.917zM14.22 12c.223.447.481.801.78 1H1c.299-.199.557-.553.78-1C2.68 10.2 3 6.88 3 6c0-2.42 1.72-4.44 4.005-4.901a1 1 0 1 1 1.99 0A5.002 5.002 0 0 1 13 6c0 .88.32 4.2 1.22 6z"/&gt;');// eslint-disable-next-line
var BIconBellFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BellFill','&lt;path d="M8 16a2 2 0 0 0 2-2H6a2 2 0 0 0 2 2zm.995-14.901a1 1 0 1 0-1.99 0A5.002 5.002 0 0 0 3 6c0 1.098-.5 6-2 7h14c-1.5-1-2-5.902-2-7 0-2.42-1.72-4.44-4.005-4.901z"/&gt;');// eslint-disable-next-line
var BIconBellSlash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BellSlash','&lt;path d="M5.164 14H15c-.299-.199-.557-.553-.78-1-.9-1.8-1.22-5.12-1.22-6 0-.264-.02-.523-.06-.776l-.938.938c.02.708.157 2.154.457 3.58.161.767.377 1.566.663 2.258H6.164l-1 1zm5.581-9.91a3.986 3.986 0 0 0-1.948-1.01L8 2.917l-.797.161A4.002 4.002 0 0 0 4 7c0 .628-.134 2.197-.459 3.742-.05.238-.105.479-.166.718l-1.653 1.653c.02-.037.04-.074.059-.113C2.679 11.2 3 7.88 3 7c0-2.42 1.72-4.44 4.005-4.901a1 1 0 1 1 1.99 0c.942.19 1.788.645 2.457 1.284l-.707.707zM10 15a2 2 0 1 1-4 0h4zm-9.375.625a.53.53 0 0 0 .75.75l14.75-14.75a.53.53 0 0 0-.75-.75L.625 15.625z"/&gt;');// eslint-disable-next-line
var BIconBellSlashFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BellSlashFill','&lt;path d="M5.164 14H15c-1.5-1-2-5.902-2-7 0-.264-.02-.523-.06-.776L5.164 14zm6.288-10.617A4.988 4.988 0 0 0 8.995 2.1a1 1 0 1 0-1.99 0A5.002 5.002 0 0 0 3 7c0 .898-.335 4.342-1.278 6.113l9.73-9.73zM10 15a2 2 0 1 1-4 0h4zm-9.375.625a.53.53 0 0 0 .75.75l14.75-14.75a.53.53 0 0 0-.75-.75L.625 15.625z"/&gt;');// eslint-disable-next-line
var BIconBezier=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bezier','&lt;path fill-rule="evenodd" d="M0 10.5A1.5 1.5 0 0 1 1.5 9h1A1.5 1.5 0 0 1 4 10.5v1A1.5 1.5 0 0 1 2.5 13h-1A1.5 1.5 0 0 1 0 11.5v-1zm1.5-.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zm10.5.5A1.5 1.5 0 0 1 13.5 9h1a1.5 1.5 0 0 1 1.5 1.5v1a1.5 1.5 0 0 1-1.5 1.5h-1a1.5 1.5 0 0 1-1.5-1.5v-1zm1.5-.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zM6 4.5A1.5 1.5 0 0 1 7.5 3h1A1.5 1.5 0 0 1 10 4.5v1A1.5 1.5 0 0 1 8.5 7h-1A1.5 1.5 0 0 1 6 5.5v-1zM7.5 4a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1z"/&gt;&lt;path d="M6 4.5H1.866a1 1 0 1 0 0 1h2.668A6.517 6.517 0 0 0 1.814 9H2.5c.123 0 .244.015.358.043a5.517 5.517 0 0 1 3.185-3.185A1.503 1.503 0 0 1 6 5.5v-1zm3.957 1.358A1.5 1.5 0 0 0 10 5.5v-1h4.134a1 1 0 1 1 0 1h-2.668a6.517 6.517 0 0 1 2.72 3.5H13.5c-.123 0-.243.015-.358.043a5.517 5.517 0 0 0-3.185-3.185z"/&gt;');// eslint-disable-next-line
var BIconBezier2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bezier2','&lt;path fill-rule="evenodd" d="M1 2.5A1.5 1.5 0 0 1 2.5 1h1A1.5 1.5 0 0 1 5 2.5h4.134a1 1 0 1 1 0 1h-2.01c.18.18.34.381.484.605.638.992.892 2.354.892 3.895 0 1.993.257 3.092.713 3.7.356.476.895.721 1.787.784A1.5 1.5 0 0 1 12.5 11h1a1.5 1.5 0 0 1 1.5 1.5v1a1.5 1.5 0 0 1-1.5 1.5h-1a1.5 1.5 0 0 1-1.5-1.5H6.866a1 1 0 1 1 0-1h1.711a2.839 2.839 0 0 1-.165-.2C7.743 11.407 7.5 10.007 7.5 8c0-1.46-.246-2.597-.733-3.355-.39-.605-.952-1-1.767-1.112A1.5 1.5 0 0 1 3.5 5h-1A1.5 1.5 0 0 1 1 3.5v-1zM2.5 2a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zm10 10a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1z"/&gt;');// eslint-disable-next-line
var BIconBicycle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bicycle','&lt;path d="M4 4.5a.5.5 0 0 1 .5-.5H6a.5.5 0 0 1 0 1v.5h4.14l.386-1.158A.5.5 0 0 1 11 4h1a.5.5 0 0 1 0 1h-.64l-.311.935.807 1.29a3 3 0 1 1-.848.53l-.508-.812-2.076 3.322A.5.5 0 0 1 8 10.5H5.959a3 3 0 1 1-1.815-3.274L5 5.856V5h-.5a.5.5 0 0 1-.5-.5zm1.5 2.443-.508.814c.5.444.85 1.054.967 1.743h1.139L5.5 6.943zM8 9.057 9.598 6.5H6.402L8 9.057zM4.937 9.5a1.997 1.997 0 0 0-.487-.877l-.548.877h1.035zM3.603 8.092A2 2 0 1 0 4.937 10.5H3a.5.5 0 0 1-.424-.765l1.027-1.643zm7.947.53a2 2 0 1 0 .848-.53l1.026 1.643a.5.5 0 1 1-.848.53L11.55 8.623z"/&gt;');// eslint-disable-next-line
var BIconBinoculars=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Binoculars','&lt;path d="M3 2.5A1.5 1.5 0 0 1 4.5 1h1A1.5 1.5 0 0 1 7 2.5V5h2V2.5A1.5 1.5 0 0 1 10.5 1h1A1.5 1.5 0 0 1 13 2.5v2.382a.5.5 0 0 0 .276.447l.895.447A1.5 1.5 0 0 1 15 7.118V14.5a1.5 1.5 0 0 1-1.5 1.5h-3A1.5 1.5 0 0 1 9 14.5v-3a.5.5 0 0 1 .146-.354l.854-.853V9.5a.5.5 0 0 0-.5-.5h-3a.5.5 0 0 0-.5.5v.793l.854.853A.5.5 0 0 1 7 11.5v3A1.5 1.5 0 0 1 5.5 16h-3A1.5 1.5 0 0 1 1 14.5V7.118a1.5 1.5 0 0 1 .83-1.342l.894-.447A.5.5 0 0 0 3 4.882V2.5zM4.5 2a.5.5 0 0 0-.5.5V3h2v-.5a.5.5 0 0 0-.5-.5h-1zM6 4H4v.882a1.5 1.5 0 0 1-.83 1.342l-.894.447A.5.5 0 0 0 2 7.118V13h4v-1.293l-.854-.853A.5.5 0 0 1 5 10.5v-1A1.5 1.5 0 0 1 6.5 8h3A1.5 1.5 0 0 1 11 9.5v1a.5.5 0 0 1-.146.354l-.854.853V13h4V7.118a.5.5 0 0 0-.276-.447l-.895-.447A1.5 1.5 0 0 1 12 4.882V4h-2v1.5a.5.5 0 0 1-.5.5h-3a.5.5 0 0 1-.5-.5V4zm4-1h2v-.5a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5V3zm4 11h-4v.5a.5.5 0 0 0 .5.5h3a.5.5 0 0 0 .5-.5V14zm-8 0H2v.5a.5.5 0 0 0 .5.5h3a.5.5 0 0 0 .5-.5V14z"/&gt;');// eslint-disable-next-line
var BIconBinocularsFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BinocularsFill','&lt;path d="M4.5 1A1.5 1.5 0 0 0 3 2.5V3h4v-.5A1.5 1.5 0 0 0 5.5 1h-1zM7 4v1h2V4h4v.882a.5.5 0 0 0 .276.447l.895.447A1.5 1.5 0 0 1 15 7.118V13H9v-1.5a.5.5 0 0 1 .146-.354l.854-.853V9.5a.5.5 0 0 0-.5-.5h-3a.5.5 0 0 0-.5.5v.793l.854.853A.5.5 0 0 1 7 11.5V13H1V7.118a1.5 1.5 0 0 1 .83-1.342l.894-.447A.5.5 0 0 0 3 4.882V4h4zM1 14v.5A1.5 1.5 0 0 0 2.5 16h3A1.5 1.5 0 0 0 7 14.5V14H1zm8 0v.5a1.5 1.5 0 0 0 1.5 1.5h3a1.5 1.5 0 0 0 1.5-1.5V14H9zm4-11H9v-.5A1.5 1.5 0 0 1 10.5 1h1A1.5 1.5 0 0 1 13 2.5V3z"/&gt;');// eslint-disable-next-line
var BIconBlockquoteLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BlockquoteLeft','&lt;path d="M2.5 3a.5.5 0 0 0 0 1h11a.5.5 0 0 0 0-1h-11zm5 3a.5.5 0 0 0 0 1h6a.5.5 0 0 0 0-1h-6zm0 3a.5.5 0 0 0 0 1h6a.5.5 0 0 0 0-1h-6zm-5 3a.5.5 0 0 0 0 1h11a.5.5 0 0 0 0-1h-11zm.79-5.373c.112-.078.26-.17.444-.275L3.524 6c-.122.074-.272.17-.452.287-.18.117-.35.26-.51.428a2.425 2.425 0 0 0-.398.562c-.11.207-.164.438-.164.692 0 .36.072.65.217.873.144.219.385.328.72.328.215 0 .383-.07.504-.211a.697.697 0 0 0 .188-.463c0-.23-.07-.404-.211-.521-.137-.121-.326-.182-.568-.182h-.282c.024-.203.065-.37.123-.498a1.38 1.38 0 0 1 .252-.37 1.94 1.94 0 0 1 .346-.298zm2.167 0c.113-.078.262-.17.445-.275L5.692 6c-.122.074-.272.17-.452.287-.18.117-.35.26-.51.428a2.425 2.425 0 0 0-.398.562c-.11.207-.164.438-.164.692 0 .36.072.65.217.873.144.219.385.328.72.328.215 0 .383-.07.504-.211a.697.697 0 0 0 .188-.463c0-.23-.07-.404-.211-.521-.137-.121-.326-.182-.568-.182h-.282a1.75 1.75 0 0 1 .118-.492c.058-.13.144-.254.257-.375a1.94 1.94 0 0 1 .346-.3z"/&gt;');// eslint-disable-next-line
var BIconBlockquoteRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BlockquoteRight','&lt;path d="M2.5 3a.5.5 0 0 0 0 1h11a.5.5 0 0 0 0-1h-11zm0 3a.5.5 0 0 0 0 1h6a.5.5 0 0 0 0-1h-6zm0 3a.5.5 0 0 0 0 1h6a.5.5 0 0 0 0-1h-6zm0 3a.5.5 0 0 0 0 1h11a.5.5 0 0 0 0-1h-11zm10.113-5.373a6.59 6.59 0 0 0-.445-.275l.21-.352c.122.074.272.17.452.287.18.117.35.26.51.428.156.164.289.351.398.562.11.207.164.438.164.692 0 .36-.072.65-.216.873-.145.219-.385.328-.721.328-.215 0-.383-.07-.504-.211a.697.697 0 0 1-.188-.463c0-.23.07-.404.211-.521.137-.121.326-.182.569-.182h.281a1.686 1.686 0 0 0-.123-.498 1.379 1.379 0 0 0-.252-.37 1.94 1.94 0 0 0-.346-.298zm-2.168 0A6.59 6.59 0 0 0 10 6.352L10.21 6c.122.074.272.17.452.287.18.117.35.26.51.428.156.164.289.351.398.562.11.207.164.438.164.692 0 .36-.072.65-.216.873-.145.219-.385.328-.721.328-.215 0-.383-.07-.504-.211a.697.697 0 0 1-.188-.463c0-.23.07-.404.211-.521.137-.121.327-.182.569-.182h.281a1.749 1.749 0 0 0-.117-.492 1.402 1.402 0 0 0-.258-.375 1.94 1.94 0 0 0-.346-.3z"/&gt;');// eslint-disable-next-line
var BIconBook=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Book','&lt;path d="M1 2.828c.885-.37 2.154-.769 3.388-.893 1.33-.134 2.458.063 3.112.752v9.746c-.935-.53-2.12-.603-3.213-.493-1.18.12-2.37.461-3.287.811V2.828zm7.5-.141c.654-.689 1.782-.886 3.112-.752 1.234.124 2.503.523 3.388.893v9.923c-.918-.35-2.107-.692-3.287-.81-1.094-.111-2.278-.039-3.213.492V2.687zM8 1.783C7.015.936 5.587.81 4.287.94c-1.514.153-3.042.672-3.994 1.105A.5.5 0 0 0 0 2.5v11a.5.5 0 0 0 .707.455c.882-.4 2.303-.881 3.68-1.02 1.409-.142 2.59.087 3.223.877a.5.5 0 0 0 .78 0c.633-.79 1.814-1.019 3.222-.877 1.378.139 2.8.62 3.681 1.02A.5.5 0 0 0 16 13.5v-11a.5.5 0 0 0-.293-.455c-.952-.433-2.48-.952-3.994-1.105C10.413.809 8.985.936 8 1.783z"/&gt;');// eslint-disable-next-line
var BIconBookFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookFill','&lt;path d="M8 1.783C7.015.936 5.587.81 4.287.94c-1.514.153-3.042.672-3.994 1.105A.5.5 0 0 0 0 2.5v11a.5.5 0 0 0 .707.455c.882-.4 2.303-.881 3.68-1.02 1.409-.142 2.59.087 3.223.877a.5.5 0 0 0 .78 0c.633-.79 1.814-1.019 3.222-.877 1.378.139 2.8.62 3.681 1.02A.5.5 0 0 0 16 13.5v-11a.5.5 0 0 0-.293-.455c-.952-.433-2.48-.952-3.994-1.105C10.413.809 8.985.936 8 1.783z"/&gt;');// eslint-disable-next-line
var BIconBookHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookHalf','&lt;path d="M8.5 2.687c.654-.689 1.782-.886 3.112-.752 1.234.124 2.503.523 3.388.893v9.923c-.918-.35-2.107-.692-3.287-.81-1.094-.111-2.278-.039-3.213.492V2.687zM8 1.783C7.015.936 5.587.81 4.287.94c-1.514.153-3.042.672-3.994 1.105A.5.5 0 0 0 0 2.5v11a.5.5 0 0 0 .707.455c.882-.4 2.303-.881 3.68-1.02 1.409-.142 2.59.087 3.223.877a.5.5 0 0 0 .78 0c.633-.79 1.814-1.019 3.222-.877 1.378.139 2.8.62 3.681 1.02A.5.5 0 0 0 16 13.5v-11a.5.5 0 0 0-.293-.455c-.952-.433-2.48-.952-3.994-1.105C10.413.809 8.985.936 8 1.783z"/&gt;');// eslint-disable-next-line
var BIconBookmark=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bookmark','&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.777.416L8 13.101l-5.223 2.815A.5.5 0 0 1 2 15.5V2zm2-1a1 1 0 0 0-1 1v12.566l4.723-2.482a.5.5 0 0 1 .554 0L13 14.566V2a1 1 0 0 0-1-1H4z"/&gt;');// eslint-disable-next-line
var BIconBookmarkCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkCheck','&lt;path fill-rule="evenodd" d="M10.854 5.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7.5 7.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.777.416L8 13.101l-5.223 2.815A.5.5 0 0 1 2 15.5V2zm2-1a1 1 0 0 0-1 1v12.566l4.723-2.482a.5.5 0 0 1 .554 0L13 14.566V2a1 1 0 0 0-1-1H4z"/&gt;');// eslint-disable-next-line
var BIconBookmarkCheckFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkCheckFill','&lt;path fill-rule="evenodd" d="M2 15.5V2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.74.439L8 13.069l-5.26 2.87A.5.5 0 0 1 2 15.5zm8.854-9.646a.5.5 0 0 0-.708-.708L7.5 7.793 6.354 6.646a.5.5 0 1 0-.708.708l1.5 1.5a.5.5 0 0 0 .708 0l3-3z"/&gt;');// eslint-disable-next-line
var BIconBookmarkDash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkDash','&lt;path fill-rule="evenodd" d="M5.5 6.5A.5.5 0 0 1 6 6h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.777.416L8 13.101l-5.223 2.815A.5.5 0 0 1 2 15.5V2zm2-1a1 1 0 0 0-1 1v12.566l4.723-2.482a.5.5 0 0 1 .554 0L13 14.566V2a1 1 0 0 0-1-1H4z"/&gt;');// eslint-disable-next-line
var BIconBookmarkDashFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkDashFill','&lt;path fill-rule="evenodd" d="M2 15.5V2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.74.439L8 13.069l-5.26 2.87A.5.5 0 0 1 2 15.5zM6 6a.5.5 0 0 0 0 1h4a.5.5 0 0 0 0-1H6z"/&gt;');// eslint-disable-next-line
var BIconBookmarkFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkFill','&lt;path d="M2 2v13.5a.5.5 0 0 0 .74.439L8 13.069l5.26 2.87A.5.5 0 0 0 14 15.5V2a2 2 0 0 0-2-2H4a2 2 0 0 0-2 2z"/&gt;');// eslint-disable-next-line
var BIconBookmarkHeart=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkHeart','&lt;path fill-rule="evenodd" d="M8 4.41c1.387-1.425 4.854 1.07 0 4.277C3.146 5.48 6.613 2.986 8 4.412z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.777.416L8 13.101l-5.223 2.815A.5.5 0 0 1 2 15.5V2zm2-1a1 1 0 0 0-1 1v12.566l4.723-2.482a.5.5 0 0 1 .554 0L13 14.566V2a1 1 0 0 0-1-1H4z"/&gt;');// eslint-disable-next-line
var BIconBookmarkHeartFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkHeartFill','&lt;path d="M2 15.5a.5.5 0 0 0 .74.439L8 13.069l5.26 2.87A.5.5 0 0 0 14 15.5V2a2 2 0 0 0-2-2H4a2 2 0 0 0-2 2v13.5zM8 4.41c1.387-1.425 4.854 1.07 0 4.277C3.146 5.48 6.613 2.986 8 4.412z"/&gt;');// eslint-disable-next-line
var BIconBookmarkPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkPlus','&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.777.416L8 13.101l-5.223 2.815A.5.5 0 0 1 2 15.5V2zm2-1a1 1 0 0 0-1 1v12.566l4.723-2.482a.5.5 0 0 1 .554 0L13 14.566V2a1 1 0 0 0-1-1H4z"/&gt;&lt;path d="M8 4a.5.5 0 0 1 .5.5V6H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V7H6a.5.5 0 0 1 0-1h1.5V4.5A.5.5 0 0 1 8 4z"/&gt;');// eslint-disable-next-line
var BIconBookmarkPlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkPlusFill','&lt;path fill-rule="evenodd" d="M2 15.5V2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.74.439L8 13.069l-5.26 2.87A.5.5 0 0 1 2 15.5zm6.5-11a.5.5 0 0 0-1 0V6H6a.5.5 0 0 0 0 1h1.5v1.5a.5.5 0 0 0 1 0V7H10a.5.5 0 0 0 0-1H8.5V4.5z"/&gt;');// eslint-disable-next-line
var BIconBookmarkStar=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkStar','&lt;path d="M7.84 4.1a.178.178 0 0 1 .32 0l.634 1.285a.178.178 0 0 0 .134.098l1.42.206c.145.021.204.2.098.303L9.42 6.993a.178.178 0 0 0-.051.158l.242 1.414a.178.178 0 0 1-.258.187l-1.27-.668a.178.178 0 0 0-.165 0l-1.27.668a.178.178 0 0 1-.257-.187l.242-1.414a.178.178 0 0 0-.05-.158l-1.03-1.001a.178.178 0 0 1 .098-.303l1.42-.206a.178.178 0 0 0 .134-.098L7.84 4.1z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.777.416L8 13.101l-5.223 2.815A.5.5 0 0 1 2 15.5V2zm2-1a1 1 0 0 0-1 1v12.566l4.723-2.482a.5.5 0 0 1 .554 0L13 14.566V2a1 1 0 0 0-1-1H4z"/&gt;');// eslint-disable-next-line
var BIconBookmarkStarFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkStarFill','&lt;path fill-rule="evenodd" d="M2 15.5V2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.74.439L8 13.069l-5.26 2.87A.5.5 0 0 1 2 15.5zM8.16 4.1a.178.178 0 0 0-.32 0l-.634 1.285a.178.178 0 0 1-.134.098l-1.42.206a.178.178 0 0 0-.098.303L6.58 6.993c.042.041.061.1.051.158L6.39 8.565a.178.178 0 0 0 .258.187l1.27-.668a.178.178 0 0 1 .165 0l1.27.668a.178.178 0 0 0 .257-.187L9.368 7.15a.178.178 0 0 1 .05-.158l1.028-1.001a.178.178 0 0 0-.098-.303l-1.42-.206a.178.178 0 0 1-.134-.098L8.16 4.1z"/&gt;');// eslint-disable-next-line
var BIconBookmarkX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkX','&lt;path fill-rule="evenodd" d="M6.146 5.146a.5.5 0 0 1 .708 0L8 6.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 7l1.147 1.146a.5.5 0 0 1-.708.708L8 7.707 6.854 8.854a.5.5 0 1 1-.708-.708L7.293 7 6.146 5.854a.5.5 0 0 1 0-.708z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.777.416L8 13.101l-5.223 2.815A.5.5 0 0 1 2 15.5V2zm2-1a1 1 0 0 0-1 1v12.566l4.723-2.482a.5.5 0 0 1 .554 0L13 14.566V2a1 1 0 0 0-1-1H4z"/&gt;');// eslint-disable-next-line
var BIconBookmarkXFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarkXFill','&lt;path fill-rule="evenodd" d="M2 15.5V2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v13.5a.5.5 0 0 1-.74.439L8 13.069l-5.26 2.87A.5.5 0 0 1 2 15.5zM6.854 5.146a.5.5 0 1 0-.708.708L7.293 7 6.146 8.146a.5.5 0 1 0 .708.708L8 7.707l1.146 1.147a.5.5 0 1 0 .708-.708L8.707 7l1.147-1.146a.5.5 0 0 0-.708-.708L8 6.293 6.854 5.146z"/&gt;');// eslint-disable-next-line
var BIconBookmarks=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bookmarks','&lt;path d="M2 4a2 2 0 0 1 2-2h6a2 2 0 0 1 2 2v11.5a.5.5 0 0 1-.777.416L7 13.101l-4.223 2.815A.5.5 0 0 1 2 15.5V4zm2-1a1 1 0 0 0-1 1v10.566l3.723-2.482a.5.5 0 0 1 .554 0L11 14.566V4a1 1 0 0 0-1-1H4z"/&gt;&lt;path d="M4.268 1H12a1 1 0 0 1 1 1v11.768l.223.148A.5.5 0 0 0 14 13.5V2a2 2 0 0 0-2-2H6a2 2 0 0 0-1.732 1z"/&gt;');// eslint-disable-next-line
var BIconBookmarksFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BookmarksFill','&lt;path d="M2 4a2 2 0 0 1 2-2h6a2 2 0 0 1 2 2v11.5a.5.5 0 0 1-.777.416L7 13.101l-4.223 2.815A.5.5 0 0 1 2 15.5V4z"/&gt;&lt;path d="M4.268 1A2 2 0 0 1 6 0h6a2 2 0 0 1 2 2v11.5a.5.5 0 0 1-.777.416L13 13.768V2a1 1 0 0 0-1-1H4.268z"/&gt;');// eslint-disable-next-line
var BIconBookshelf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bookshelf','&lt;path d="M2.5 0a.5.5 0 0 1 .5.5V2h10V.5a.5.5 0 0 1 1 0v15a.5.5 0 0 1-1 0V15H3v.5a.5.5 0 0 1-1 0V.5a.5.5 0 0 1 .5-.5zM3 14h10v-3H3v3zm0-4h10V7H3v3zm0-4h10V3H3v3z"/&gt;');// eslint-disable-next-line
var BIconBootstrap=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bootstrap','&lt;path d="M5.062 12h3.475c1.804 0 2.888-.908 2.888-2.396 0-1.102-.761-1.916-1.904-2.034v-.1c.832-.14 1.482-.93 1.482-1.816 0-1.3-.955-2.11-2.542-2.11H5.062V12zm1.313-4.875V4.658h1.78c.973 0 1.542.457 1.542 1.237 0 .802-.604 1.23-1.764 1.23H6.375zm0 3.762V8.162h1.822c1.236 0 1.887.463 1.887 1.348 0 .896-.627 1.377-1.811 1.377H6.375z"/&gt;&lt;path d="M0 4a4 4 0 0 1 4-4h8a4 4 0 0 1 4 4v8a4 4 0 0 1-4 4H4a4 4 0 0 1-4-4V4zm4-3a3 3 0 0 0-3 3v8a3 3 0 0 0 3 3h8a3 3 0 0 0 3-3V4a3 3 0 0 0-3-3H4z"/&gt;');// eslint-disable-next-line
var BIconBootstrapFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BootstrapFill','&lt;path d="M6.375 7.125V4.658h1.78c.973 0 1.542.457 1.542 1.237 0 .802-.604 1.23-1.764 1.23H6.375zm0 3.762h1.898c1.184 0 1.81-.48 1.81-1.377 0-.885-.65-1.348-1.886-1.348H6.375v2.725z"/&gt;&lt;path d="M4.002 0a4 4 0 0 0-4 4v8a4 4 0 0 0 4 4h8a4 4 0 0 0 4-4V4a4 4 0 0 0-4-4h-8zm1.06 12V3.545h3.399c1.587 0 2.543.809 2.543 2.11 0 .884-.65 1.675-1.483 1.816v.1c1.143.117 1.904.931 1.904 2.033 0 1.488-1.084 2.396-2.888 2.396H5.062z"/&gt;');// eslint-disable-next-line
var BIconBootstrapReboot=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BootstrapReboot','&lt;path d="M1.161 8a6.84 6.84 0 1 0 6.842-6.84.58.58 0 1 1 0-1.16 8 8 0 1 1-6.556 3.412l-.663-.577a.58.58 0 0 1 .227-.997l2.52-.69a.58.58 0 0 1 .728.633l-.332 2.592a.58.58 0 0 1-.956.364l-.643-.56A6.812 6.812 0 0 0 1.16 8z"/&gt;&lt;path d="M6.641 11.671V8.843h1.57l1.498 2.828h1.314L9.377 8.665c.897-.3 1.427-1.106 1.427-2.1 0-1.37-.943-2.246-2.456-2.246H5.5v7.352h1.141zm0-3.75V5.277h1.57c.881 0 1.416.499 1.416 1.32 0 .84-.504 1.324-1.386 1.324h-1.6z"/&gt;');// eslint-disable-next-line
var BIconBorder=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Border','&lt;path d="M0 0h.969v.5H1v.469H.969V1H.5V.969H0V0zm2.844 1h-.938V0h.938v1zm1.875 0H3.78V0h.938v1zm1.875 0h-.938V0h.938v1zm.937 0V.969H7.5V.5h.031V0h.938v.5H8.5v.469h-.031V1H7.53zm2.813 0h-.938V0h.938v1zm1.875 0h-.938V0h.938v1zm1.875 0h-.938V0h.938v1zM15.5 1h-.469V.969H15V.5h.031V0H16v.969h-.5V1zM1 1.906v.938H0v-.938h1zm6.5.938v-.938h1v.938h-1zm7.5 0v-.938h1v.938h-1zM1 3.78v.938H0V3.78h1zm6.5.938V3.78h1v.938h-1zm7.5 0V3.78h1v.938h-1zM1 5.656v.938H0v-.938h1zm6.5.938v-.938h1v.938h-1zm7.5 0v-.938h1v.938h-1zM.969 8.5H.5v-.031H0V7.53h.5V7.5h.469v.031H1v.938H.969V8.5zm1.875 0h-.938v-1h.938v1zm1.875 0H3.78v-1h.938v1zm1.875 0h-.938v-1h.938v1zm1.875-.031V8.5H7.53v-.031H7.5V7.53h.031V7.5h.938v.031H8.5v.938h-.031zm1.875.031h-.938v-1h.938v1zm1.875 0h-.938v-1h.938v1zm1.875 0h-.938v-1h.938v1zm1.406 0h-.469v-.031H15V7.53h.031V7.5h.469v.031h.5v.938h-.5V8.5zM0 10.344v-.938h1v.938H0zm7.5 0v-.938h1v.938h-1zm8.5-.938v.938h-1v-.938h1zM0 12.22v-.938h1v.938H0zm7.5 0v-.938h1v.938h-1zm8.5-.938v.938h-1v-.938h1zM0 14.094v-.938h1v.938H0zm7.5 0v-.938h1v.938h-1zm8.5-.938v.938h-1v-.938h1zM.969 16H0v-.969h.5V15h.469v.031H1v.469H.969v.5zm1.875 0h-.938v-1h.938v1zm1.875 0H3.78v-1h.938v1zm1.875 0h-.938v-1h.938v1zm.937 0v-.5H7.5v-.469h.031V15h.938v.031H8.5v.469h-.031v.5H7.53zm2.813 0h-.938v-1h.938v1zm1.875 0h-.938v-1h.938v1zm1.875 0h-.938v-1h.938v1zm.937 0v-.5H15v-.469h.031V15h.469v.031h.5V16h-.969z"/&gt;');// eslint-disable-next-line
var BIconBorderAll=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderAll','&lt;path d="M0 0h16v16H0V0zm1 1v6.5h6.5V1H1zm7.5 0v6.5H15V1H8.5zM15 8.5H8.5V15H15V8.5zM7.5 15V8.5H1V15h6.5z"/&gt;');// eslint-disable-next-line
var BIconBorderBottom=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderBottom','&lt;path d="M.969 0H0v.969h.5V1h.469V.969H1V.5H.969V0zm.937 1h.938V0h-.938v1zm1.875 0h.938V0H3.78v1zm1.875 0h.938V0h-.938v1zM7.531.969V1h.938V.969H8.5V.5h-.031V0H7.53v.5H7.5v.469h.031zM9.406 1h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.469V.969h.5V0h-.969v.5H15v.469h.031V1zM1 2.844v-.938H0v.938h1zm6.5-.938v.938h1v-.938h-1zm7.5 0v.938h1v-.938h-1zM1 4.719V3.78H0v.938h1zm6.5-.938v.938h1V3.78h-1zm7.5 0v.938h1V3.78h-1zM1 6.594v-.938H0v.938h1zm6.5-.938v.938h1v-.938h-1zm7.5 0v.938h1v-.938h-1zM.5 8.5h.469v-.031H1V7.53H.969V7.5H.5v.031H0v.938h.5V8.5zm1.406 0h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm2.813 0v-.031H8.5V7.53h-.031V7.5H7.53v.031H7.5v.938h.031V8.5h.938zm.937 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.469v-.031h.5V7.53h-.5V7.5h-.469v.031H15v.938h.031V8.5zM0 9.406v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zm-16 .937v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zm-16 .937v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zM0 15h16v1H0v-1z"/&gt;');// eslint-disable-next-line
var BIconBorderCenter=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderCenter','&lt;path d="M.969 0H0v.969h.5V1h.469V.969H1V.5H.969V0zm.937 1h.938V0h-.938v1zm1.875 0h.938V0H3.78v1zm1.875 0h.938V0h-.938v1zM7.531.969V1h.938V.969H8.5V.5h-.031V0H7.53v.5H7.5v.469h.031zM9.406 1h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.469V.969h.5V0h-.969v.5H15v.469h.031V1zM1 2.844v-.938H0v.938h1zm6.5-.938v.938h1v-.938h-1zm7.5 0v.938h1v-.938h-1zM1 4.719V3.78H0v.938h1zm6.5-.938v.938h1V3.78h-1zm7.5 0v.938h1V3.78h-1zM1 6.594v-.938H0v.938h1zm6.5-.938v.938h1v-.938h-1zm7.5 0v.938h1v-.938h-1zM0 8.5v-1h16v1H0zm0 .906v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zm-16 .937v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zm-16 .937v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zM0 16h.969v-.5H1v-.469H.969V15H.5v.031H0V16zm1.906 0h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm1.875-.5v.5h.938v-.5H8.5v-.469h-.031V15H7.53v.031H7.5v.469h.031zm1.875.5h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875-.5v.5H16v-.969h-.5V15h-.469v.031H15v.469h.031z"/&gt;');// eslint-disable-next-line
var BIconBorderInner=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderInner','&lt;path d="M.969 0H0v.969h.5V1h.469V.969H1V.5H.969V0zm.937 1h.938V0h-.938v1zm1.875 0h.938V0H3.78v1zm1.875 0h.938V0h-.938v1z"/&gt;&lt;path d="M8.5 7.5H16v1H8.5V16h-1V8.5H0v-1h7.5V0h1v7.5z"/&gt;&lt;path d="M9.406 1h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.469V.969h.5V0h-.969v.5H15v.469h.031V1zM1 2.844v-.938H0v.938h1zm14-.938v.938h1v-.938h-1zM1 4.719V3.78H0v.938h1zm14-.938v.938h1V3.78h-1zM1 6.594v-.938H0v.938h1zm14-.938v.938h1v-.938h-1zM0 9.406v.938h1v-.938H0zm16 .938v-.938h-1v.938h1zm-16 .937v.938h1v-.938H0zm16 .938v-.938h-1v.938h1zm-16 .937v.938h1v-.938H0zm16 .938v-.938h-1v.938h1zM0 16h.969v-.5H1v-.469H.969V15H.5v.031H0V16zm1.906 0h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm3.75 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875-.5v.5H16v-.969h-.5V15h-.469v.031H15v.469h.031z"/&gt;');// eslint-disable-next-line
var BIconBorderLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderLeft','&lt;path d="M0 0v16h1V0H0zm1.906 1h.938V0h-.938v1zm1.875 0h.938V0H3.78v1zm1.875 0h.938V0h-.938v1zM7.531.969V1h.938V.969H8.5V.5h-.031V0H7.53v.5H7.5v.469h.031zM9.406 1h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.469V.969h.5V0h-.969v.5H15v.469h.031V1zM7.5 1.906v.938h1v-.938h-1zm7.5 0v.938h1v-.938h-1zM7.5 3.781v.938h1V3.78h-1zm7.5 0v.938h1V3.78h-1zM7.5 5.656v.938h1v-.938h-1zm7.5 0v.938h1v-.938h-1zM1.906 8.5h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm2.813 0v-.031H8.5V7.53h-.031V7.5H7.53v.031H7.5v.938h.031V8.5h.938zm.937 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.469v-.031h.5V7.53h-.5V7.5h-.469v.031H15v.938h.031V8.5zM7.5 9.406v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zm-8.5.937v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zm-8.5.937v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zM1.906 16h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm1.875-.5v.5h.938v-.5H8.5v-.469h-.031V15H7.53v.031H7.5v.469h.031zm1.875.5h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875-.5v.5H16v-.969h-.5V15h-.469v.031H15v.469h.031z"/&gt;');// eslint-disable-next-line
var BIconBorderMiddle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderMiddle','&lt;path d="M.969 0H0v.969h.5V1h.469V.969H1V.5H.969V0zm.937 1h.938V0h-.938v1zm1.875 0h.938V0H3.78v1zm1.875 0h.938V0h-.938v1zM8.5 16h-1V0h1v16zm.906-15h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.469V.969h.5V0h-.969v.5H15v.469h.031V1zM1 2.844v-.938H0v.938h1zm14-.938v.938h1v-.938h-1zM1 4.719V3.78H0v.938h1zm14-.938v.938h1V3.78h-1zM1 6.594v-.938H0v.938h1zm14-.938v.938h1v-.938h-1zM.5 8.5h.469v-.031H1V7.53H.969V7.5H.5v.031H0v.938h.5V8.5zm1.406 0h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm3.75 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.469v-.031h.5V7.53h-.5V7.5h-.469v.031H15v.938h.031V8.5zM0 9.406v.938h1v-.938H0zm16 .938v-.938h-1v.938h1zm-16 .937v.938h1v-.938H0zm16 .938v-.938h-1v.938h1zm-16 .937v.938h1v-.938H0zm16 .938v-.938h-1v.938h1zM0 16h.969v-.5H1v-.469H.969V15H.5v.031H0V16zm1.906 0h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm3.75 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875-.5v.5H16v-.969h-.5V15h-.469v.031H15v.469h.031z"/&gt;');// eslint-disable-next-line
var BIconBorderOuter=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderOuter','&lt;path d="M7.5 1.906v.938h1v-.938h-1zm0 1.875v.938h1V3.78h-1zm0 1.875v.938h1v-.938h-1zM1.906 8.5h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm2.813 0v-.031H8.5V7.53h-.031V7.5H7.53v.031H7.5v.938h.031V8.5h.938zm.937 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zM7.5 9.406v.938h1v-.938h-1zm0 1.875v.938h1v-.938h-1zm0 1.875v.938h1v-.938h-1z"/&gt;&lt;path d="M0 0v16h16V0H0zm1 1h14v14H1V1z"/&gt;');// eslint-disable-next-line
var BIconBorderRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderRight','&lt;path d="M.969 0H0v.969h.5V1h.469V.969H1V.5H.969V0zm.937 1h.938V0h-.938v1zm1.875 0h.938V0H3.78v1zm1.875 0h.938V0h-.938v1zM7.531.969V1h.938V.969H8.5V.5h-.031V0H7.53v.5H7.5v.469h.031zM9.406 1h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zm1.875 0h.938V0h-.938v1zM16 0h-1v16h1V0zM1 2.844v-.938H0v.938h1zm6.5-.938v.938h1v-.938h-1zM1 4.719V3.78H0v.938h1zm6.5-.938v.938h1V3.78h-1zM1 6.594v-.938H0v.938h1zm6.5-.938v.938h1v-.938h-1zM.5 8.5h.469v-.031H1V7.53H.969V7.5H.5v.031H0v.938h.5V8.5zm1.406 0h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm2.813 0v-.031H8.5V7.53h-.031V7.5H7.53v.031H7.5v.938h.031V8.5h.938zm.937 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zM0 9.406v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zM0 11.281v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zM0 13.156v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zM0 16h.969v-.5H1v-.469H.969V15H.5v.031H0V16zm1.906 0h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm1.875-.5v.5h.938v-.5H8.5v-.469h-.031V15H7.53v.031H7.5v.469h.031zm1.875.5h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1z"/&gt;');// eslint-disable-next-line
var BIconBorderStyle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderStyle','&lt;path d="M1 3.5a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-13a.5.5 0 0 1-.5-.5v-1zm0 4a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-5a.5.5 0 0 1-.5-.5v-1zm0 4a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm8 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm-4 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm8 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm-4-4a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-5a.5.5 0 0 1-.5-.5v-1z"/&gt;');// eslint-disable-next-line
var BIconBorderTop=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderTop','&lt;path d="M0 0v1h16V0H0zm1 2.844v-.938H0v.938h1zm6.5-.938v.938h1v-.938h-1zm7.5 0v.938h1v-.938h-1zM1 4.719V3.78H0v.938h1zm6.5-.938v.938h1V3.78h-1zm7.5 0v.938h1V3.78h-1zM1 6.594v-.938H0v.938h1zm6.5-.938v.938h1v-.938h-1zm7.5 0v.938h1v-.938h-1zM.5 8.5h.469v-.031H1V7.53H.969V7.5H.5v.031H0v.938h.5V8.5zm1.406 0h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm2.813 0v-.031H8.5V7.53h-.031V7.5H7.53v.031H7.5v.938h.031V8.5h.938zm.937 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.469v-.031h.5V7.53h-.5V7.5h-.469v.031H15v.938h.031V8.5zM0 9.406v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zm-16 .937v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zm-16 .937v.938h1v-.938H0zm7.5 0v.938h1v-.938h-1zm8.5.938v-.938h-1v.938h1zM0 16h.969v-.5H1v-.469H.969V15H.5v.031H0V16zm1.906 0h.938v-1h-.938v1zm1.875 0h.938v-1H3.78v1zm1.875 0h.938v-1h-.938v1zm1.875-.5v.5h.938v-.5H8.5v-.469h-.031V15H7.53v.031H7.5v.469h.031zm1.875.5h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875 0h.938v-1h-.938v1zm1.875-.5v.5H16v-.969h-.5V15h-.469v.031H15v.469h.031z"/&gt;');// eslint-disable-next-line
var BIconBorderWidth=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BorderWidth','&lt;path d="M0 3.5A.5.5 0 0 1 .5 3h15a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5H.5a.5.5 0 0 1-.5-.5v-2zm0 5A.5.5 0 0 1 .5 8h15a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H.5a.5.5 0 0 1-.5-.5v-1zm0 4a.5.5 0 0 1 .5-.5h15a.5.5 0 0 1 0 1H.5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconBoundingBox=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoundingBox','&lt;path d="M5 2V0H0v5h2v6H0v5h5v-2h6v2h5v-5h-2V5h2V0h-5v2H5zm6 1v2h2v6h-2v2H5v-2H3V5h2V3h6zm1-2h3v3h-3V1zm3 11v3h-3v-3h3zM4 15H1v-3h3v3zM1 4V1h3v3H1z"/&gt;');// eslint-disable-next-line
var BIconBoundingBoxCircles=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoundingBoxCircles','&lt;path d="M2 1a1 1 0 1 0 0 2 1 1 0 0 0 0-2zM0 2a2 2 0 0 1 3.937-.5h8.126A2 2 0 1 1 14.5 3.937v8.126a2 2 0 1 1-2.437 2.437H3.937A2 2 0 1 1 1.5 12.063V3.937A2 2 0 0 1 0 2zm2.5 1.937v8.126c.703.18 1.256.734 1.437 1.437h8.126a2.004 2.004 0 0 1 1.437-1.437V3.937A2.004 2.004 0 0 1 12.063 2.5H3.937A2.004 2.004 0 0 1 2.5 3.937zM14 1a1 1 0 1 0 0 2 1 1 0 0 0 0-2zM2 13a1 1 0 1 0 0 2 1 1 0 0 0 0-2zm12 0a1 1 0 1 0 0 2 1 1 0 0 0 0-2z"/&gt;');// eslint-disable-next-line
var BIconBox=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Box','&lt;path d="M8.186 1.113a.5.5 0 0 0-.372 0L1.846 3.5 8 5.961 14.154 3.5 8.186 1.113zM15 4.239l-6.5 2.6v7.922l6.5-2.6V4.24zM7.5 14.762V6.838L1 4.239v7.923l6.5 2.6zM7.443.184a1.5 1.5 0 0 1 1.114 0l7.129 2.852A.5.5 0 0 1 16 3.5v8.662a1 1 0 0 1-.629.928l-7.185 2.874a.5.5 0 0 1-.372 0L.63 13.09a1 1 0 0 1-.63-.928V3.5a.5.5 0 0 1 .314-.464L7.443.184z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowDown','&lt;path fill-rule="evenodd" d="M3.5 10a.5.5 0 0 1-.5-.5v-8a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-.5.5h-2a.5.5 0 0 0 0 1h2A1.5 1.5 0 0 0 14 9.5v-8A1.5 1.5 0 0 0 12.5 0h-9A1.5 1.5 0 0 0 2 1.5v8A1.5 1.5 0 0 0 3.5 11h2a.5.5 0 0 0 0-1h-2z"/&gt;&lt;path fill-rule="evenodd" d="M7.646 15.854a.5.5 0 0 0 .708 0l3-3a.5.5 0 0 0-.708-.708L8.5 14.293V5.5a.5.5 0 0 0-1 0v8.793l-2.146-2.147a.5.5 0 0 0-.708.708l3 3z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowDownLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowDownLeft','&lt;path fill-rule="evenodd" d="M7.364 12.5a.5.5 0 0 0 .5.5H14.5a1.5 1.5 0 0 0 1.5-1.5v-10A1.5 1.5 0 0 0 14.5 0h-10A1.5 1.5 0 0 0 3 1.5v6.636a.5.5 0 1 0 1 0V1.5a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v10a.5.5 0 0 1-.5.5H7.864a.5.5 0 0 0-.5.5z"/&gt;&lt;path fill-rule="evenodd" d="M0 15.5a.5.5 0 0 0 .5.5h5a.5.5 0 0 0 0-1H1.707l8.147-8.146a.5.5 0 0 0-.708-.708L1 14.293V10.5a.5.5 0 0 0-1 0v5z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowDownRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowDownRight','&lt;path fill-rule="evenodd" d="M8.636 12.5a.5.5 0 0 1-.5.5H1.5A1.5 1.5 0 0 1 0 11.5v-10A1.5 1.5 0 0 1 1.5 0h10A1.5 1.5 0 0 1 13 1.5v6.636a.5.5 0 0 1-1 0V1.5a.5.5 0 0 0-.5-.5h-10a.5.5 0 0 0-.5.5v10a.5.5 0 0 0 .5.5h6.636a.5.5 0 0 1 .5.5z"/&gt;&lt;path fill-rule="evenodd" d="M16 15.5a.5.5 0 0 1-.5.5h-5a.5.5 0 0 1 0-1h3.793L6.146 6.854a.5.5 0 1 1 .708-.708L15 14.293V10.5a.5.5 0 0 1 1 0v5z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowInDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowInDown','&lt;path fill-rule="evenodd" d="M3.5 6a.5.5 0 0 0-.5.5v8a.5.5 0 0 0 .5.5h9a.5.5 0 0 0 .5-.5v-8a.5.5 0 0 0-.5-.5h-2a.5.5 0 0 1 0-1h2A1.5 1.5 0 0 1 14 6.5v8a1.5 1.5 0 0 1-1.5 1.5h-9A1.5 1.5 0 0 1 2 14.5v-8A1.5 1.5 0 0 1 3.5 5h2a.5.5 0 0 1 0 1h-2z"/&gt;&lt;path fill-rule="evenodd" d="M7.646 11.854a.5.5 0 0 0 .708 0l3-3a.5.5 0 0 0-.708-.708L8.5 10.293V1.5a.5.5 0 0 0-1 0v8.793L5.354 8.146a.5.5 0 1 0-.708.708l3 3z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowInDownLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowInDownLeft','&lt;path fill-rule="evenodd" d="M9.636 2.5a.5.5 0 0 0-.5-.5H2.5A1.5 1.5 0 0 0 1 3.5v10A1.5 1.5 0 0 0 2.5 15h10a1.5 1.5 0 0 0 1.5-1.5V6.864a.5.5 0 0 0-1 0V13.5a.5.5 0 0 1-.5.5h-10a.5.5 0 0 1-.5-.5v-10a.5.5 0 0 1 .5-.5h6.636a.5.5 0 0 0 .5-.5z"/&gt;&lt;path fill-rule="evenodd" d="M5 10.5a.5.5 0 0 0 .5.5h5a.5.5 0 0 0 0-1H6.707l8.147-8.146a.5.5 0 0 0-.708-.708L6 9.293V5.5a.5.5 0 0 0-1 0v5z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowInDownRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowInDownRight','&lt;path fill-rule="evenodd" d="M6.364 2.5a.5.5 0 0 1 .5-.5H13.5A1.5 1.5 0 0 1 15 3.5v10a1.5 1.5 0 0 1-1.5 1.5h-10A1.5 1.5 0 0 1 2 13.5V6.864a.5.5 0 1 1 1 0V13.5a.5.5 0 0 0 .5.5h10a.5.5 0 0 0 .5-.5v-10a.5.5 0 0 0-.5-.5H6.864a.5.5 0 0 1-.5-.5z"/&gt;&lt;path fill-rule="evenodd" d="M11 10.5a.5.5 0 0 1-.5.5h-5a.5.5 0 0 1 0-1h3.793L1.146 1.854a.5.5 0 1 1 .708-.708L10 9.293V5.5a.5.5 0 0 1 1 0v5z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowInLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowInLeft','&lt;path fill-rule="evenodd" d="M10 3.5a.5.5 0 0 0-.5-.5h-8a.5.5 0 0 0-.5.5v9a.5.5 0 0 0 .5.5h8a.5.5 0 0 0 .5-.5v-2a.5.5 0 0 1 1 0v2A1.5 1.5 0 0 1 9.5 14h-8A1.5 1.5 0 0 1 0 12.5v-9A1.5 1.5 0 0 1 1.5 2h8A1.5 1.5 0 0 1 11 3.5v2a.5.5 0 0 1-1 0v-2z"/&gt;&lt;path fill-rule="evenodd" d="M4.146 8.354a.5.5 0 0 1 0-.708l3-3a.5.5 0 1 1 .708.708L5.707 7.5H14.5a.5.5 0 0 1 0 1H5.707l2.147 2.146a.5.5 0 0 1-.708.708l-3-3z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowInRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowInRight','&lt;path fill-rule="evenodd" d="M6 3.5a.5.5 0 0 1 .5-.5h8a.5.5 0 0 1 .5.5v9a.5.5 0 0 1-.5.5h-8a.5.5 0 0 1-.5-.5v-2a.5.5 0 0 0-1 0v2A1.5 1.5 0 0 0 6.5 14h8a1.5 1.5 0 0 0 1.5-1.5v-9A1.5 1.5 0 0 0 14.5 2h-8A1.5 1.5 0 0 0 5 3.5v2a.5.5 0 0 0 1 0v-2z"/&gt;&lt;path fill-rule="evenodd" d="M11.854 8.354a.5.5 0 0 0 0-.708l-3-3a.5.5 0 1 0-.708.708L10.293 7.5H1.5a.5.5 0 0 0 0 1h8.793l-2.147 2.146a.5.5 0 0 0 .708.708l3-3z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowInUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowInUp','&lt;path fill-rule="evenodd" d="M3.5 10a.5.5 0 0 1-.5-.5v-8a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-.5.5h-2a.5.5 0 0 0 0 1h2A1.5 1.5 0 0 0 14 9.5v-8A1.5 1.5 0 0 0 12.5 0h-9A1.5 1.5 0 0 0 2 1.5v8A1.5 1.5 0 0 0 3.5 11h2a.5.5 0 0 0 0-1h-2z"/&gt;&lt;path fill-rule="evenodd" d="M7.646 4.146a.5.5 0 0 1 .708 0l3 3a.5.5 0 0 1-.708.708L8.5 5.707V14.5a.5.5 0 0 1-1 0V5.707L5.354 7.854a.5.5 0 1 1-.708-.708l3-3z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowInUpLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowInUpLeft','&lt;path fill-rule="evenodd" d="M9.636 13.5a.5.5 0 0 1-.5.5H2.5A1.5 1.5 0 0 1 1 12.5v-10A1.5 1.5 0 0 1 2.5 1h10A1.5 1.5 0 0 1 14 2.5v6.636a.5.5 0 0 1-1 0V2.5a.5.5 0 0 0-.5-.5h-10a.5.5 0 0 0-.5.5v10a.5.5 0 0 0 .5.5h6.636a.5.5 0 0 1 .5.5z"/&gt;&lt;path fill-rule="evenodd" d="M5 5.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1H6.707l8.147 8.146a.5.5 0 0 1-.708.708L6 6.707V10.5a.5.5 0 0 1-1 0v-5z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowInUpRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowInUpRight','&lt;path fill-rule="evenodd" d="M6.364 13.5a.5.5 0 0 0 .5.5H13.5a1.5 1.5 0 0 0 1.5-1.5v-10A1.5 1.5 0 0 0 13.5 1h-10A1.5 1.5 0 0 0 2 2.5v6.636a.5.5 0 1 0 1 0V2.5a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v10a.5.5 0 0 1-.5.5H6.864a.5.5 0 0 0-.5.5z"/&gt;&lt;path fill-rule="evenodd" d="M11 5.5a.5.5 0 0 0-.5-.5h-5a.5.5 0 0 0 0 1h3.793l-8.147 8.146a.5.5 0 0 0 .708.708L10 6.707V10.5a.5.5 0 0 0 1 0v-5z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowLeft','&lt;path fill-rule="evenodd" d="M6 12.5a.5.5 0 0 0 .5.5h8a.5.5 0 0 0 .5-.5v-9a.5.5 0 0 0-.5-.5h-8a.5.5 0 0 0-.5.5v2a.5.5 0 0 1-1 0v-2A1.5 1.5 0 0 1 6.5 2h8A1.5 1.5 0 0 1 16 3.5v9a1.5 1.5 0 0 1-1.5 1.5h-8A1.5 1.5 0 0 1 5 12.5v-2a.5.5 0 0 1 1 0v2z"/&gt;&lt;path fill-rule="evenodd" d="M.146 8.354a.5.5 0 0 1 0-.708l3-3a.5.5 0 1 1 .708.708L1.707 7.5H10.5a.5.5 0 0 1 0 1H1.707l2.147 2.146a.5.5 0 0 1-.708.708l-3-3z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowRight','&lt;path fill-rule="evenodd" d="M10 12.5a.5.5 0 0 1-.5.5h-8a.5.5 0 0 1-.5-.5v-9a.5.5 0 0 1 .5-.5h8a.5.5 0 0 1 .5.5v2a.5.5 0 0 0 1 0v-2A1.5 1.5 0 0 0 9.5 2h-8A1.5 1.5 0 0 0 0 3.5v9A1.5 1.5 0 0 0 1.5 14h8a1.5 1.5 0 0 0 1.5-1.5v-2a.5.5 0 0 0-1 0v2z"/&gt;&lt;path fill-rule="evenodd" d="M15.854 8.354a.5.5 0 0 0 0-.708l-3-3a.5.5 0 0 0-.708.708L14.293 7.5H5.5a.5.5 0 0 0 0 1h8.793l-2.147 2.146a.5.5 0 0 0 .708.708l3-3z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowUp','&lt;path fill-rule="evenodd" d="M3.5 6a.5.5 0 0 0-.5.5v8a.5.5 0 0 0 .5.5h9a.5.5 0 0 0 .5-.5v-8a.5.5 0 0 0-.5-.5h-2a.5.5 0 0 1 0-1h2A1.5 1.5 0 0 1 14 6.5v8a1.5 1.5 0 0 1-1.5 1.5h-9A1.5 1.5 0 0 1 2 14.5v-8A1.5 1.5 0 0 1 3.5 5h2a.5.5 0 0 1 0 1h-2z"/&gt;&lt;path fill-rule="evenodd" d="M7.646.146a.5.5 0 0 1 .708 0l3 3a.5.5 0 0 1-.708.708L8.5 1.707V10.5a.5.5 0 0 1-1 0V1.707L5.354 3.854a.5.5 0 1 1-.708-.708l3-3z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowUpLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowUpLeft','&lt;path fill-rule="evenodd" d="M7.364 3.5a.5.5 0 0 1 .5-.5H14.5A1.5 1.5 0 0 1 16 4.5v10a1.5 1.5 0 0 1-1.5 1.5h-10A1.5 1.5 0 0 1 3 14.5V7.864a.5.5 0 1 1 1 0V14.5a.5.5 0 0 0 .5.5h10a.5.5 0 0 0 .5-.5v-10a.5.5 0 0 0-.5-.5H7.864a.5.5 0 0 1-.5-.5z"/&gt;&lt;path fill-rule="evenodd" d="M0 .5A.5.5 0 0 1 .5 0h5a.5.5 0 0 1 0 1H1.707l8.147 8.146a.5.5 0 0 1-.708.708L1 1.707V5.5a.5.5 0 0 1-1 0v-5z"/&gt;');// eslint-disable-next-line
var BIconBoxArrowUpRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxArrowUpRight','&lt;path fill-rule="evenodd" d="M8.636 3.5a.5.5 0 0 0-.5-.5H1.5A1.5 1.5 0 0 0 0 4.5v10A1.5 1.5 0 0 0 1.5 16h10a1.5 1.5 0 0 0 1.5-1.5V7.864a.5.5 0 0 0-1 0V14.5a.5.5 0 0 1-.5.5h-10a.5.5 0 0 1-.5-.5v-10a.5.5 0 0 1 .5-.5h6.636a.5.5 0 0 0 .5-.5z"/&gt;&lt;path fill-rule="evenodd" d="M16 .5a.5.5 0 0 0-.5-.5h-5a.5.5 0 0 0 0 1h3.793L6.146 9.146a.5.5 0 1 0 .708.708L15 1.707V5.5a.5.5 0 0 0 1 0v-5z"/&gt;');// eslint-disable-next-line
var BIconBoxSeam=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BoxSeam','&lt;path d="M8.186 1.113a.5.5 0 0 0-.372 0L1.846 3.5l2.404.961L10.404 2l-2.218-.887zm3.564 1.426L5.596 5 8 5.961 14.154 3.5l-2.404-.961zm3.25 1.7-6.5 2.6v7.922l6.5-2.6V4.24zM7.5 14.762V6.838L1 4.239v7.923l6.5 2.6zM7.443.184a1.5 1.5 0 0 1 1.114 0l7.129 2.852A.5.5 0 0 1 16 3.5v8.662a1 1 0 0 1-.629.928l-7.185 2.874a.5.5 0 0 1-.372 0L.63 13.09a1 1 0 0 1-.63-.928V3.5a.5.5 0 0 1 .314-.464L7.443.184z"/&gt;');// eslint-disable-next-line
var BIconBraces=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Braces','&lt;path d="M2.114 8.063V7.9c1.005-.102 1.497-.615 1.497-1.6V4.503c0-1.094.39-1.538 1.354-1.538h.273V2h-.376C3.25 2 2.49 2.759 2.49 4.352v1.524c0 1.094-.376 1.456-1.49 1.456v1.299c1.114 0 1.49.362 1.49 1.456v1.524c0 1.593.759 2.352 2.372 2.352h.376v-.964h-.273c-.964 0-1.354-.444-1.354-1.538V9.663c0-.984-.492-1.497-1.497-1.6zM13.886 7.9v.163c-1.005.103-1.497.616-1.497 1.6v1.798c0 1.094-.39 1.538-1.354 1.538h-.273v.964h.376c1.613 0 2.372-.759 2.372-2.352v-1.524c0-1.094.376-1.456 1.49-1.456V7.332c-1.114 0-1.49-.362-1.49-1.456V4.352C13.51 2.759 12.75 2 11.138 2h-.376v.964h.273c.964 0 1.354.444 1.354 1.538V6.3c0 .984.492 1.497 1.497 1.6z"/&gt;');// eslint-disable-next-line
var BIconBricks=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bricks','&lt;path d="M0 .5A.5.5 0 0 1 .5 0h15a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-.5.5H14v2h1.5a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-.5.5H14v2h1.5a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-.5.5H.5a.5.5 0 0 1-.5-.5v-3a.5.5 0 0 1 .5-.5H2v-2H.5a.5.5 0 0 1-.5-.5v-3A.5.5 0 0 1 .5 6H2V4H.5a.5.5 0 0 1-.5-.5v-3zM3 4v2h4.5V4H3zm5.5 0v2H13V4H8.5zM3 10v2h4.5v-2H3zm5.5 0v2H13v-2H8.5zM1 1v2h3.5V1H1zm4.5 0v2h5V1h-5zm6 0v2H15V1h-3.5zM1 7v2h3.5V7H1zm4.5 0v2h5V7h-5zm6 0v2H15V7h-3.5zM1 13v2h3.5v-2H1zm4.5 0v2h5v-2h-5zm6 0v2H15v-2h-3.5z"/&gt;');// eslint-disable-next-line
var BIconBriefcase=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Briefcase','&lt;path d="M6.5 1A1.5 1.5 0 0 0 5 2.5V3H1.5A1.5 1.5 0 0 0 0 4.5v8A1.5 1.5 0 0 0 1.5 14h13a1.5 1.5 0 0 0 1.5-1.5v-8A1.5 1.5 0 0 0 14.5 3H11v-.5A1.5 1.5 0 0 0 9.5 1h-3zm0 1h3a.5.5 0 0 1 .5.5V3H6v-.5a.5.5 0 0 1 .5-.5zm1.886 6.914L15 7.151V12.5a.5.5 0 0 1-.5.5h-13a.5.5 0 0 1-.5-.5V7.15l6.614 1.764a1.5 1.5 0 0 0 .772 0zM1.5 4h13a.5.5 0 0 1 .5.5v1.616L8.129 7.948a.5.5 0 0 1-.258 0L1 6.116V4.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconBriefcaseFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BriefcaseFill','&lt;path d="M6.5 1A1.5 1.5 0 0 0 5 2.5V3H1.5A1.5 1.5 0 0 0 0 4.5v1.384l7.614 2.03a1.5 1.5 0 0 0 .772 0L16 5.884V4.5A1.5 1.5 0 0 0 14.5 3H11v-.5A1.5 1.5 0 0 0 9.5 1h-3zm0 1h3a.5.5 0 0 1 .5.5V3H6v-.5a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M0 12.5A1.5 1.5 0 0 0 1.5 14h13a1.5 1.5 0 0 0 1.5-1.5V6.85L8.129 8.947a.5.5 0 0 1-.258 0L0 6.85v5.65z"/&gt;');// eslint-disable-next-line
var BIconBrightnessAltHigh=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BrightnessAltHigh','&lt;path d="M8 3a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 3zm8 8a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1 0-1h2a.5.5 0 0 1 .5.5zm-13.5.5a.5.5 0 0 0 0-1h-2a.5.5 0 0 0 0 1h2zm11.157-6.157a.5.5 0 0 1 0 .707l-1.414 1.414a.5.5 0 1 1-.707-.707l1.414-1.414a.5.5 0 0 1 .707 0zm-9.9 2.121a.5.5 0 0 0 .707-.707L3.05 5.343a.5.5 0 1 0-.707.707l1.414 1.414zM8 7a4 4 0 0 0-4 4 .5.5 0 0 0 .5.5h7a.5.5 0 0 0 .5-.5 4 4 0 0 0-4-4zm0 1a3 3 0 0 1 2.959 2.5H5.04A3 3 0 0 1 8 8z"/&gt;');// eslint-disable-next-line
var BIconBrightnessAltHighFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BrightnessAltHighFill','&lt;path d="M8 3a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 3zm8 8a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1 0-1h2a.5.5 0 0 1 .5.5zm-13.5.5a.5.5 0 0 0 0-1h-2a.5.5 0 0 0 0 1h2zm11.157-6.157a.5.5 0 0 1 0 .707l-1.414 1.414a.5.5 0 1 1-.707-.707l1.414-1.414a.5.5 0 0 1 .707 0zm-9.9 2.121a.5.5 0 0 0 .707-.707L3.05 5.343a.5.5 0 1 0-.707.707l1.414 1.414zM8 7a4 4 0 0 0-4 4 .5.5 0 0 0 .5.5h7a.5.5 0 0 0 .5-.5 4 4 0 0 0-4-4z"/&gt;');// eslint-disable-next-line
var BIconBrightnessAltLow=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BrightnessAltLow','&lt;path d="M8.5 5.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm5 6a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zM2 11a.5.5 0 1 0 1 0 .5.5 0 0 0-1 0zm10.243-3.536a.5.5 0 1 1-.707-.707.5.5 0 0 1 .707.707zm-8.486-.707a.5.5 0 1 0 .707.707.5.5 0 0 0-.707-.707zM8 7a4 4 0 0 0-4 4 .5.5 0 0 0 .5.5h7a.5.5 0 0 0 .5-.5 4 4 0 0 0-4-4zm0 1a3 3 0 0 1 2.959 2.5H5.04A3 3 0 0 1 8 8z"/&gt;');// eslint-disable-next-line
var BIconBrightnessAltLowFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BrightnessAltLowFill','&lt;path d="M8.5 5.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm5 6a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zM2 11a.5.5 0 1 0 1 0 .5.5 0 0 0-1 0zm10.243-3.536a.5.5 0 1 1-.707-.707.5.5 0 0 1 .707.707zm-8.486-.707a.5.5 0 1 0 .707.707.5.5 0 0 0-.707-.707zM8 7a4 4 0 0 0-4 4 .5.5 0 0 0 .5.5h7a.5.5 0 0 0 .5-.5 4 4 0 0 0-4-4z"/&gt;');// eslint-disable-next-line
var BIconBrightnessHigh=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BrightnessHigh','&lt;path d="M8 11a3 3 0 1 1 0-6 3 3 0 0 1 0 6zm0 1a4 4 0 1 0 0-8 4 4 0 0 0 0 8zM8 0a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 0zm0 13a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 13zm8-5a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1 0-1h2a.5.5 0 0 1 .5.5zM3 8a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1 0-1h2A.5.5 0 0 1 3 8zm10.657-5.657a.5.5 0 0 1 0 .707l-1.414 1.415a.5.5 0 1 1-.707-.708l1.414-1.414a.5.5 0 0 1 .707 0zm-9.193 9.193a.5.5 0 0 1 0 .707L3.05 13.657a.5.5 0 0 1-.707-.707l1.414-1.414a.5.5 0 0 1 .707 0zm9.193 2.121a.5.5 0 0 1-.707 0l-1.414-1.414a.5.5 0 0 1 .707-.707l1.414 1.414a.5.5 0 0 1 0 .707zM4.464 4.465a.5.5 0 0 1-.707 0L2.343 3.05a.5.5 0 1 1 .707-.707l1.414 1.414a.5.5 0 0 1 0 .708z"/&gt;');// eslint-disable-next-line
var BIconBrightnessHighFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BrightnessHighFill','&lt;path d="M12 8a4 4 0 1 1-8 0 4 4 0 0 1 8 0zM8 0a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 0zm0 13a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 13zm8-5a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1 0-1h2a.5.5 0 0 1 .5.5zM3 8a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1 0-1h2A.5.5 0 0 1 3 8zm10.657-5.657a.5.5 0 0 1 0 .707l-1.414 1.415a.5.5 0 1 1-.707-.708l1.414-1.414a.5.5 0 0 1 .707 0zm-9.193 9.193a.5.5 0 0 1 0 .707L3.05 13.657a.5.5 0 0 1-.707-.707l1.414-1.414a.5.5 0 0 1 .707 0zm9.193 2.121a.5.5 0 0 1-.707 0l-1.414-1.414a.5.5 0 0 1 .707-.707l1.414 1.414a.5.5 0 0 1 0 .707zM4.464 4.465a.5.5 0 0 1-.707 0L2.343 3.05a.5.5 0 1 1 .707-.707l1.414 1.414a.5.5 0 0 1 0 .708z"/&gt;');// eslint-disable-next-line
var BIconBrightnessLow=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BrightnessLow','&lt;path d="M8 11a3 3 0 1 1 0-6 3 3 0 0 1 0 6zm0 1a4 4 0 1 0 0-8 4 4 0 0 0 0 8zm.5-9.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm0 11a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm5-5a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm-11 0a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm9.743-4.036a.5.5 0 1 1-.707-.707.5.5 0 0 1 .707.707zm-7.779 7.779a.5.5 0 1 1-.707-.707.5.5 0 0 1 .707.707zm7.072 0a.5.5 0 1 1 .707-.707.5.5 0 0 1-.707.707zM3.757 4.464a.5.5 0 1 1 .707-.707.5.5 0 0 1-.707.707z"/&gt;');// eslint-disable-next-line
var BIconBrightnessLowFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BrightnessLowFill','&lt;path d="M12 8a4 4 0 1 1-8 0 4 4 0 0 1 8 0zM8.5 2.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm0 11a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm5-5a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm-11 0a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm9.743-4.036a.5.5 0 1 1-.707-.707.5.5 0 0 1 .707.707zm-7.779 7.779a.5.5 0 1 1-.707-.707.5.5 0 0 1 .707.707zm7.072 0a.5.5 0 1 1 .707-.707.5.5 0 0 1-.707.707zM3.757 4.464a.5.5 0 1 1 .707-.707.5.5 0 0 1-.707.707z"/&gt;');// eslint-disable-next-line
var BIconBroadcast=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Broadcast','&lt;path d="M3.05 3.05a7 7 0 0 0 0 9.9.5.5 0 0 1-.707.707 8 8 0 0 1 0-11.314.5.5 0 0 1 .707.707zm2.122 2.122a4 4 0 0 0 0 5.656.5.5 0 1 1-.708.708 5 5 0 0 1 0-7.072.5.5 0 0 1 .708.708zm5.656-.708a.5.5 0 0 1 .708 0 5 5 0 0 1 0 7.072.5.5 0 1 1-.708-.708 4 4 0 0 0 0-5.656.5.5 0 0 1 0-.708zm2.122-2.12a.5.5 0 0 1 .707 0 8 8 0 0 1 0 11.313.5.5 0 0 1-.707-.707 7 7 0 0 0 0-9.9.5.5 0 0 1 0-.707zM10 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0z"/&gt;');// eslint-disable-next-line
var BIconBroadcastPin=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BroadcastPin','&lt;path d="M3.05 3.05a7 7 0 0 0 0 9.9.5.5 0 0 1-.707.707 8 8 0 0 1 0-11.314.5.5 0 0 1 .707.707zm2.122 2.122a4 4 0 0 0 0 5.656.5.5 0 1 1-.708.708 5 5 0 0 1 0-7.072.5.5 0 0 1 .708.708zm5.656-.708a.5.5 0 0 1 .708 0 5 5 0 0 1 0 7.072.5.5 0 1 1-.708-.708 4 4 0 0 0 0-5.656.5.5 0 0 1 0-.708zm2.122-2.12a.5.5 0 0 1 .707 0 8 8 0 0 1 0 11.313.5.5 0 0 1-.707-.707 7 7 0 0 0 0-9.9.5.5 0 0 1 0-.707zM6 8a2 2 0 1 1 2.5 1.937V15.5a.5.5 0 0 1-1 0V9.937A2 2 0 0 1 6 8z"/&gt;');// eslint-disable-next-line
var BIconBrush=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Brush','&lt;path d="M15.825.12a.5.5 0 0 1 .132.584c-1.53 3.43-4.743 8.17-7.095 10.64a6.067 6.067 0 0 1-2.373 1.534c-.018.227-.06.538-.16.868-.201.659-.667 1.479-1.708 1.74a8.118 8.118 0 0 1-3.078.132 3.659 3.659 0 0 1-.562-.135 1.382 1.382 0 0 1-.466-.247.714.714 0 0 1-.204-.288.622.622 0 0 1 .004-.443c.095-.245.316-.38.461-.452.394-.197.625-.453.867-.826.095-.144.184-.297.287-.472l.117-.198c.151-.255.326-.54.546-.848.528-.739 1.201-.925 1.746-.896.126.007.243.025.348.048.062-.172.142-.38.238-.608.261-.619.658-1.419 1.187-2.069 2.176-2.67 6.18-6.206 9.117-8.104a.5.5 0 0 1 .596.04zM4.705 11.912a1.23 1.23 0 0 0-.419-.1c-.246-.013-.573.05-.879.479-.197.275-.355.532-.5.777l-.105.177c-.106.181-.213.362-.32.528a3.39 3.39 0 0 1-.76.861c.69.112 1.736.111 2.657-.12.559-.139.843-.569.993-1.06a3.122 3.122 0 0 0 .126-.75l-.793-.792zm1.44.026c.12-.04.277-.1.458-.183a5.068 5.068 0 0 0 1.535-1.1c1.9-1.996 4.412-5.57 6.052-8.631-2.59 1.927-5.566 4.66-7.302 6.792-.442.543-.795 1.243-1.042 1.826-.121.288-.214.54-.275.72v.001l.575.575zm-4.973 3.04.007-.005a.031.031 0 0 1-.007.004zm3.582-3.043.002.001h-.002z"/&gt;');// eslint-disable-next-line
var BIconBrushFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BrushFill','&lt;path d="M15.825.12a.5.5 0 0 1 .132.584c-1.53 3.43-4.743 8.17-7.095 10.64a6.067 6.067 0 0 1-2.373 1.534c-.018.227-.06.538-.16.868-.201.659-.667 1.479-1.708 1.74a8.118 8.118 0 0 1-3.078.132 3.659 3.659 0 0 1-.562-.135 1.382 1.382 0 0 1-.466-.247.714.714 0 0 1-.204-.288.622.622 0 0 1 .004-.443c.095-.245.316-.38.461-.452.394-.197.625-.453.867-.826.095-.144.184-.297.287-.472l.117-.198c.151-.255.326-.54.546-.848.528-.739 1.201-.925 1.746-.896.126.007.243.025.348.048.062-.172.142-.38.238-.608.261-.619.658-1.419 1.187-2.069 2.176-2.67 6.18-6.206 9.117-8.104a.5.5 0 0 1 .596.04z"/&gt;');// eslint-disable-next-line
var BIconBucket=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bucket','&lt;path d="M2.522 5H2a.5.5 0 0 0-.494.574l1.372 9.149A1.5 1.5 0 0 0 4.36 16h7.278a1.5 1.5 0 0 0 1.483-1.277l1.373-9.149A.5.5 0 0 0 14 5h-.522A5.5 5.5 0 0 0 2.522 5zm1.005 0a4.5 4.5 0 0 1 8.945 0H3.527zm9.892 1-1.286 8.574a.5.5 0 0 1-.494.426H4.36a.5.5 0 0 1-.494-.426L2.58 6h10.838z"/&gt;');// eslint-disable-next-line
var BIconBucketFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BucketFill','&lt;path d="M2.522 5H2a.5.5 0 0 0-.494.574l1.372 9.149A1.5 1.5 0 0 0 4.36 16h7.278a1.5 1.5 0 0 0 1.483-1.277l1.373-9.149A.5.5 0 0 0 14 5h-.522A5.5 5.5 0 0 0 2.522 5zm1.005 0a4.5 4.5 0 0 1 8.945 0H3.527z"/&gt;');// eslint-disable-next-line
var BIconBug=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bug','&lt;path d="M4.355.522a.5.5 0 0 1 .623.333l.291.956A4.979 4.979 0 0 1 8 1c1.007 0 1.946.298 2.731.811l.29-.956a.5.5 0 1 1 .957.29l-.41 1.352A4.985 4.985 0 0 1 13 6h.5a.5.5 0 0 0 .5-.5V5a.5.5 0 0 1 1 0v.5A1.5 1.5 0 0 1 13.5 7H13v1h1.5a.5.5 0 0 1 0 1H13v1h.5a1.5 1.5 0 0 1 1.5 1.5v.5a.5.5 0 1 1-1 0v-.5a.5.5 0 0 0-.5-.5H13a5 5 0 0 1-10 0h-.5a.5.5 0 0 0-.5.5v.5a.5.5 0 1 1-1 0v-.5A1.5 1.5 0 0 1 2.5 10H3V9H1.5a.5.5 0 0 1 0-1H3V7h-.5A1.5 1.5 0 0 1 1 5.5V5a.5.5 0 0 1 1 0v.5a.5.5 0 0 0 .5.5H3c0-1.364.547-2.601 1.432-3.503l-.41-1.352a.5.5 0 0 1 .333-.623zM4 7v4a4 4 0 0 0 3.5 3.97V7H4zm4.5 0v7.97A4 4 0 0 0 12 11V7H8.5zM12 6a3.989 3.989 0 0 0-1.334-2.982A3.983 3.983 0 0 0 8 2a3.983 3.983 0 0 0-2.667 1.018A3.989 3.989 0 0 0 4 6h8z"/&gt;');// eslint-disable-next-line
var BIconBugFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('BugFill','&lt;path d="M4.978.855a.5.5 0 1 0-.956.29l.41 1.352A4.985 4.985 0 0 0 3 6h10a4.985 4.985 0 0 0-1.432-3.503l.41-1.352a.5.5 0 1 0-.956-.29l-.291.956A4.978 4.978 0 0 0 8 1a4.979 4.979 0 0 0-2.731.811l-.29-.956z"/&gt;&lt;path d="M13 6v1H8.5v8.975A5 5 0 0 0 13 11h.5a.5.5 0 0 1 .5.5v.5a.5.5 0 1 0 1 0v-.5a1.5 1.5 0 0 0-1.5-1.5H13V9h1.5a.5.5 0 0 0 0-1H13V7h.5A1.5 1.5 0 0 0 15 5.5V5a.5.5 0 0 0-1 0v.5a.5.5 0 0 1-.5.5H13zm-5.5 9.975V7H3V6h-.5a.5.5 0 0 1-.5-.5V5a.5.5 0 0 0-1 0v.5A1.5 1.5 0 0 0 2.5 7H3v1H1.5a.5.5 0 0 0 0 1H3v1h-.5A1.5 1.5 0 0 0 1 11.5v.5a.5.5 0 1 0 1 0v-.5a.5.5 0 0 1 .5-.5H3a5 5 0 0 0 4.5 4.975z"/&gt;');// eslint-disable-next-line
var BIconBuilding=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Building','&lt;path fill-rule="evenodd" d="M14.763.075A.5.5 0 0 1 15 .5v15a.5.5 0 0 1-.5.5h-3a.5.5 0 0 1-.5-.5V14h-1v1.5a.5.5 0 0 1-.5.5h-9a.5.5 0 0 1-.5-.5V10a.5.5 0 0 1 .342-.474L6 7.64V4.5a.5.5 0 0 1 .276-.447l8-4a.5.5 0 0 1 .487.022zM6 8.694 1 10.36V15h5V8.694zM7 15h2v-1.5a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5V15h2V1.309l-7 3.5V15z"/&gt;&lt;path d="M2 11h1v1H2v-1zm2 0h1v1H4v-1zm-2 2h1v1H2v-1zm2 0h1v1H4v-1zm4-4h1v1H8V9zm2 0h1v1h-1V9zm-2 2h1v1H8v-1zm2 0h1v1h-1v-1zm2-2h1v1h-1V9zm0 2h1v1h-1v-1zM8 7h1v1H8V7zm2 0h1v1h-1V7zm2 0h1v1h-1V7zM8 5h1v1H8V5zm2 0h1v1h-1V5zm2 0h1v1h-1V5zm0-2h1v1h-1V3z"/&gt;');// eslint-disable-next-line
var BIconBullseye=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Bullseye','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M8 13A5 5 0 1 1 8 3a5 5 0 0 1 0 10zm0 1A6 6 0 1 0 8 2a6 6 0 0 0 0 12z"/&gt;&lt;path d="M8 11a3 3 0 1 1 0-6 3 3 0 0 1 0 6zm0 1a4 4 0 1 0 0-8 4 4 0 0 0 0 8z"/&gt;&lt;path d="M9.5 8a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;');// eslint-disable-next-line
var BIconCalculator=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calculator','&lt;path d="M12 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h8zM4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4z"/&gt;&lt;path d="M4 2.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-2zm0 4a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm0 3a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm0 3a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm3-6a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm0 3a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm0 3a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm3-6a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm0 3a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-4z"/&gt;');// eslint-disable-next-line
var BIconCalculatorFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalculatorFill','&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm2 .5v2a.5.5 0 0 0 .5.5h7a.5.5 0 0 0 .5-.5v-2a.5.5 0 0 0-.5-.5h-7a.5.5 0 0 0-.5.5zm0 4v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5zM4.5 9a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zM4 12.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5zM7.5 6a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zM7 9.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5zm.5 2.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zM10 6.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5zm.5 2.5a.5.5 0 0 0-.5.5v4a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-4a.5.5 0 0 0-.5-.5h-1z"/&gt;');// eslint-disable-next-line
var BIconCalendar=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendar2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4z"/&gt;');// eslint-disable-next-line
var BIconCalendar2Check=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2Check','&lt;path d="M10.854 8.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 0 1 .708-.708L7.5 10.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4z"/&gt;');// eslint-disable-next-line
var BIconCalendar2CheckFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2CheckFill','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zm9.954 3H2.545c-.3 0-.545.224-.545.5v1c0 .276.244.5.545.5h10.91c.3 0 .545-.224.545-.5v-1c0-.276-.244-.5-.546-.5zm-2.6 5.854a.5.5 0 0 0-.708-.708L7.5 10.793 6.354 9.646a.5.5 0 1 0-.708.708l1.5 1.5a.5.5 0 0 0 .708 0l3-3z"/&gt;');// eslint-disable-next-line
var BIconCalendar2Date=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2Date','&lt;path d="M6.445 12.688V7.354h-.633A12.6 12.6 0 0 0 4.5 8.16v.695c.375-.257.969-.62 1.258-.777h.012v4.61h.675zm1.188-1.305c.047.64.594 1.406 1.703 1.406 1.258 0 2-1.066 2-2.871 0-1.934-.781-2.668-1.953-2.668-.926 0-1.797.672-1.797 1.809 0 1.16.824 1.77 1.676 1.77.746 0 1.23-.376 1.383-.79h.027c-.004 1.316-.461 2.164-1.305 2.164-.664 0-1.008-.45-1.05-.82h-.684zm2.953-2.317c0 .696-.559 1.18-1.184 1.18-.601 0-1.144-.383-1.144-1.2 0-.823.582-1.21 1.168-1.21.633 0 1.16.398 1.16 1.23z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4z"/&gt;');// eslint-disable-next-line
var BIconCalendar2DateFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2DateFill','&lt;path d="M9.402 10.246c.625 0 1.184-.484 1.184-1.18 0-.832-.527-1.23-1.16-1.23-.586 0-1.168.387-1.168 1.21 0 .817.543 1.2 1.144 1.2z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zm9.954 3H2.545c-.3 0-.545.224-.545.5v1c0 .276.244.5.545.5h10.91c.3 0 .545-.224.545-.5v-1c0-.276-.244-.5-.546-.5zm-4.118 9.79c1.258 0 2-1.067 2-2.872 0-1.934-.781-2.668-1.953-2.668-.926 0-1.797.672-1.797 1.809 0 1.16.824 1.77 1.676 1.77.746 0 1.23-.376 1.383-.79h.027c-.004 1.316-.461 2.164-1.305 2.164-.664 0-1.008-.45-1.05-.82h-.684c.047.64.594 1.406 1.703 1.406zm-2.89-5.435h-.633A12.6 12.6 0 0 0 4.5 8.16v.695c.375-.257.969-.62 1.258-.777h.012v4.61h.675V7.354z"/&gt;');// eslint-disable-next-line
var BIconCalendar2Day=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2Day','&lt;path d="M4.684 12.523v-2.3h2.261v-.61H4.684V7.801h2.464v-.61H4v5.332h.684zm3.296 0h.676V9.98c0-.554.227-1.007.953-1.007.125 0 .258.004.329.015v-.613a1.806 1.806 0 0 0-.254-.02c-.582 0-.891.32-1.012.567h-.02v-.504H7.98v4.105zm2.805-5.093c0 .238.192.425.43.425a.428.428 0 1 0 0-.855.426.426 0 0 0-.43.43zm.094 5.093h.672V8.418h-.672v4.105z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4z"/&gt;');// eslint-disable-next-line
var BIconCalendar2DayFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2DayFill','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zm9.954 3H2.545c-.3 0-.545.224-.545.5v1c0 .276.244.5.545.5h10.91c.3 0 .545-.224.545-.5v-1c0-.276-.244-.5-.546-.5zm-2.24 4.855a.428.428 0 1 0 0-.855.426.426 0 0 0-.429.43c0 .238.192.425.43.425zm.337.563h-.672v4.105h.672V8.418zm-6.867 4.105v-2.3h2.261v-.61H4.684V7.801h2.464v-.61H4v5.332h.684zm3.296 0h.676V9.98c0-.554.227-1.007.953-1.007.125 0 .258.004.329.015v-.613a1.806 1.806 0 0 0-.254-.02c-.582 0-.891.32-1.012.567h-.02v-.504H7.98v4.105z"/&gt;');// eslint-disable-next-line
var BIconCalendar2Event=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2Event','&lt;path d="M11 7.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4z"/&gt;');// eslint-disable-next-line
var BIconCalendar2EventFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2EventFill','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zm9.954 3H2.545c-.3 0-.545.224-.545.5v1c0 .276.244.5.545.5h10.91c.3 0 .545-.224.545-.5v-1c0-.276-.244-.5-.546-.5zM11.5 7a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1z"/&gt;');// eslint-disable-next-line
var BIconCalendar2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2Fill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v11a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zM2.545 3h10.91c.3 0 .545.224.545.5v1c0 .276-.244.5-.546.5H2.545C2.245 5 2 4.776 2 4.5v-1c0-.276.244-.5.545-.5z"/&gt;');// eslint-disable-next-line
var BIconCalendar2Minus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2Minus','&lt;path d="M5.5 10.5A.5.5 0 0 1 6 10h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4z"/&gt;');// eslint-disable-next-line
var BIconCalendar2MinusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2MinusFill','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zm9.954 3H2.545c-.3 0-.545.224-.545.5v1c0 .276.244.5.545.5h10.91c.3 0 .545-.224.545-.5v-1c0-.276-.244-.5-.546-.5zM6 10a.5.5 0 0 0 0 1h4a.5.5 0 0 0 0-1H6z"/&gt;');// eslint-disable-next-line
var BIconCalendar2Month=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2Month','&lt;path d="m2.56 12.332.54-1.602h1.984l.54 1.602h.718L4.444 7h-.696L1.85 12.332h.71zm1.544-4.527L4.9 10.18H3.284l.8-2.375h.02zm5.746.422h-.676v2.543c0 .652-.414 1.023-1.004 1.023-.539 0-.98-.246-.98-1.012V8.227h-.676v2.746c0 .941.606 1.425 1.453 1.425.656 0 1.043-.28 1.188-.605h.027v.539h.668V8.227zm2.258 5.046c-.563 0-.91-.304-.985-.636h-.687c.094.683.625 1.199 1.668 1.199.93 0 1.746-.527 1.746-1.578V8.227h-.649v.578h-.019c-.191-.348-.637-.64-1.195-.64-.965 0-1.64.679-1.64 1.886v.34c0 1.23.683 1.902 1.64 1.902.558 0 1.008-.293 1.172-.648h.02v.605c0 .645-.423 1.023-1.071 1.023zm.008-4.53c.648 0 1.062.527 1.062 1.359v.253c0 .848-.39 1.364-1.062 1.364-.692 0-1.098-.512-1.098-1.364v-.253c0-.868.406-1.36 1.098-1.36z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4z"/&gt;');// eslint-disable-next-line
var BIconCalendar2MonthFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2MonthFill','&lt;path d="M4.104 7.805 4.9 10.18H3.284l.8-2.375h.02zm9.074 2.297c0-.832-.414-1.36-1.062-1.36-.692 0-1.098.492-1.098 1.36v.253c0 .852.406 1.364 1.098 1.364.671 0 1.062-.516 1.062-1.364v-.253z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zm9.954 3H2.545c-.3 0-.545.224-.545.5v1c0 .276.244.5.545.5h10.91c.3 0 .545-.224.545-.5v-1c0-.276-.244-.5-.546-.5zM2.561 12.332 3.1 10.73h1.984l.54 1.602h.718L4.444 7h-.696L1.85 12.332h.71zM9.85 8.227h-.676v2.543c0 .652-.414 1.023-1.004 1.023-.539 0-.98-.246-.98-1.012V8.227h-.676v2.746c0 .941.606 1.425 1.453 1.425.656 0 1.043-.28 1.188-.605h.027v.539h.668V8.227zm1.273 4.41h-.687c.094.683.625 1.199 1.668 1.199.93 0 1.746-.527 1.746-1.578V8.227h-.649v.578h-.019c-.191-.348-.637-.64-1.195-.64-.965 0-1.64.679-1.64 1.886v.34c0 1.23.683 1.902 1.64 1.902.558 0 1.008-.293 1.172-.648h.02v.605c0 .645-.423 1.023-1.071 1.023-.563 0-.91-.304-.985-.636z"/&gt;');// eslint-disable-next-line
var BIconCalendar2Plus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2Plus','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4zM8 8a.5.5 0 0 1 .5.5V10H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V11H6a.5.5 0 0 1 0-1h1.5V8.5A.5.5 0 0 1 8 8z"/&gt;');// eslint-disable-next-line
var BIconCalendar2PlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2PlusFill','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 3.5v1c0 .276.244.5.545.5h10.91c.3 0 .545-.224.545-.5v-1c0-.276-.244-.5-.546-.5H2.545c-.3 0-.545.224-.545.5zm6.5 5a.5.5 0 0 0-1 0V10H6a.5.5 0 0 0 0 1h1.5v1.5a.5.5 0 0 0 1 0V11H10a.5.5 0 0 0 0-1H8.5V8.5z"/&gt;');// eslint-disable-next-line
var BIconCalendar2Range=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2Range','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4zM9 8a1 1 0 0 1 1-1h5v2h-5a1 1 0 0 1-1-1zm-8 2h4a1 1 0 1 1 0 2H1v-2z"/&gt;');// eslint-disable-next-line
var BIconCalendar2RangeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2RangeFill','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zm9.954 3H2.545c-.3 0-.545.224-.545.5v1c0 .276.244.5.545.5h10.91c.3 0 .545-.224.545-.5v-1c0-.276-.244-.5-.546-.5zM10 7a1 1 0 0 0 0 2h5V7h-5zm-4 4a1 1 0 0 0-1-1H1v2h4a1 1 0 0 0 1-1z"/&gt;');// eslint-disable-next-line
var BIconCalendar2Week=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2Week','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4zM11 7.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm-3 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm-5 3a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm3 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1z"/&gt;');// eslint-disable-next-line
var BIconCalendar2WeekFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2WeekFill','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zm9.954 3H2.545c-.3 0-.545.224-.545.5v1c0 .276.244.5.545.5h10.91c.3 0 .545-.224.545-.5v-1c0-.276-.244-.5-.546-.5zM8.5 7a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zm3 0a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zM3 10.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5zm3.5-.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1z"/&gt;');// eslint-disable-next-line
var BIconCalendar2X=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2X','&lt;path d="M6.146 8.146a.5.5 0 0 1 .708 0L8 9.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 10l1.147 1.146a.5.5 0 0 1-.708.708L8 10.707l-1.146 1.147a.5.5 0 0 1-.708-.708L7.293 10 6.146 8.854a.5.5 0 0 1 0-.708z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2z"/&gt;&lt;path d="M2.5 4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H3a.5.5 0 0 1-.5-.5V4z"/&gt;');// eslint-disable-next-line
var BIconCalendar2XFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar2XFill','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zm9.954 3H2.545c-.3 0-.545.224-.545.5v1c0 .276.244.5.545.5h10.91c.3 0 .545-.224.545-.5v-1c0-.276-.244-.5-.546-.5zm-6.6 5.146a.5.5 0 1 0-.708.708L7.293 10l-1.147 1.146a.5.5 0 0 0 .708.708L8 10.707l1.146 1.147a.5.5 0 0 0 .708-.708L8.707 10l1.147-1.146a.5.5 0 0 0-.708-.708L8 9.293 6.854 8.146z"/&gt;');// eslint-disable-next-line
var BIconCalendar3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar3','&lt;path d="M14 0H2a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM1 3.857C1 3.384 1.448 3 2 3h12c.552 0 1 .384 1 .857v10.286c0 .473-.448.857-1 .857H2c-.552 0-1-.384-1-.857V3.857z"/&gt;&lt;path d="M6.5 7a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm3 0a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm3 0a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm-9 3a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm3 0a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm3 0a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm3 0a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm-9 3a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm3 0a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm3 0a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconCalendar3Event=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar3Event','&lt;path d="M14 0H2a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM1 3.857C1 3.384 1.448 3 2 3h12c.552 0 1 .384 1 .857v10.286c0 .473-.448.857-1 .857H2c-.552 0-1-.384-1-.857V3.857z"/&gt;&lt;path d="M12 7a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconCalendar3EventFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar3EventFill','&lt;path fill-rule="evenodd" d="M2 0a2 2 0 0 0-2 2h16a2 2 0 0 0-2-2H2zM0 14V3h16v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2zm12-8a1 1 0 1 0 2 0 1 1 0 0 0-2 0z"/&gt;');// eslint-disable-next-line
var BIconCalendar3Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar3Fill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2H0zm0 1v11a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V3H0z"/&gt;');// eslint-disable-next-line
var BIconCalendar3Range=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar3Range','&lt;path d="M14 0H2a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM1 3.857C1 3.384 1.448 3 2 3h12c.552 0 1 .384 1 .857v10.286c0 .473-.448.857-1 .857H2c-.552 0-1-.384-1-.857V3.857z"/&gt;&lt;path d="M7 10a1 1 0 0 0 0-2H1v2h6zm2-3h6V5H9a1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconCalendar3RangeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar3RangeFill','&lt;path fill-rule="evenodd" d="M2 0a2 2 0 0 0-2 2h16a2 2 0 0 0-2-2H2zM0 8V3h16v2h-6a1 1 0 1 0 0 2h6v7a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2v-4h6a1 1 0 1 0 0-2H0z"/&gt;');// eslint-disable-next-line
var BIconCalendar3Week=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar3Week','&lt;path d="M14 0H2a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM1 3.857C1 3.384 1.448 3 2 3h12c.552 0 1 .384 1 .857v10.286c0 .473-.448.857-1 .857H2c-.552 0-1-.384-1-.857V3.857z"/&gt;&lt;path d="M12 7a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm-5 3a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm2-3a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm-5 3a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconCalendar3WeekFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar3WeekFill','&lt;path fill-rule="evenodd" d="M2 0a2 2 0 0 0-2 2h16a2 2 0 0 0-2-2H2zM0 14V3h16v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2zm12-8a1 1 0 1 0 2 0 1 1 0 0 0-2 0zM5 9a1 1 0 1 0 2 0 1 1 0 0 0-2 0zm5-2a1 1 0 1 1 0-2 1 1 0 0 1 0 2zM2 9a1 1 0 1 0 2 0 1 1 0 0 0-2 0z"/&gt;');// eslint-disable-next-line
var BIconCalendar4=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar4','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v1h14V3a1 1 0 0 0-1-1H2zm13 3H1v9a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V5z"/&gt;');// eslint-disable-next-line
var BIconCalendar4Event=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar4Event','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v1h14V3a1 1 0 0 0-1-1H2zm13 3H1v9a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V5z"/&gt;&lt;path d="M11 7.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1z"/&gt;');// eslint-disable-next-line
var BIconCalendar4Range=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar4Range','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v1h14V3a1 1 0 0 0-1-1H2zm13 3H1v9a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V5z"/&gt;&lt;path d="M9 7.5a.5.5 0 0 1 .5-.5H15v2H9.5a.5.5 0 0 1-.5-.5v-1zm-2 3v1a.5.5 0 0 1-.5.5H1v-2h5.5a.5.5 0 0 1 .5.5z"/&gt;');// eslint-disable-next-line
var BIconCalendar4Week=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Calendar4Week','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM2 2a1 1 0 0 0-1 1v1h14V3a1 1 0 0 0-1-1H2zm13 3H1v9a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V5z"/&gt;&lt;path d="M11 7.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm-3 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm-2 3a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm-3 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1z"/&gt;');// eslint-disable-next-line
var BIconCalendarCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarCheck','&lt;path d="M10.854 7.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7.5 9.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendarCheckFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarCheckFill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v1h16V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zM16 14V5H0v9a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2zm-5.146-5.146-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 0 1 .708-.708L7.5 10.793l2.646-2.647a.5.5 0 0 1 .708.708z"/&gt;');// eslint-disable-next-line
var BIconCalendarDate=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarDate','&lt;path d="M6.445 11.688V6.354h-.633A12.6 12.6 0 0 0 4.5 7.16v.695c.375-.257.969-.62 1.258-.777h.012v4.61h.675zm1.188-1.305c.047.64.594 1.406 1.703 1.406 1.258 0 2-1.066 2-2.871 0-1.934-.781-2.668-1.953-2.668-.926 0-1.797.672-1.797 1.809 0 1.16.824 1.77 1.676 1.77.746 0 1.23-.376 1.383-.79h.027c-.004 1.316-.461 2.164-1.305 2.164-.664 0-1.008-.45-1.05-.82h-.684zm2.953-2.317c0 .696-.559 1.18-1.184 1.18-.601 0-1.144-.383-1.144-1.2 0-.823.582-1.21 1.168-1.21.633 0 1.16.398 1.16 1.23z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendarDateFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarDateFill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v1h16V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zm5.402 9.746c.625 0 1.184-.484 1.184-1.18 0-.832-.527-1.23-1.16-1.23-.586 0-1.168.387-1.168 1.21 0 .817.543 1.2 1.144 1.2z"/&gt;&lt;path d="M16 14V5H0v9a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2zm-6.664-1.21c-1.11 0-1.656-.767-1.703-1.407h.683c.043.37.387.82 1.051.82.844 0 1.301-.848 1.305-2.164h-.027c-.153.414-.637.79-1.383.79-.852 0-1.676-.61-1.676-1.77 0-1.137.871-1.809 1.797-1.809 1.172 0 1.953.734 1.953 2.668 0 1.805-.742 2.871-2 2.871zm-2.89-5.435v5.332H5.77V8.079h-.012c-.29.156-.883.52-1.258.777V8.16a12.6 12.6 0 0 1 1.313-.805h.632z"/&gt;');// eslint-disable-next-line
var BIconCalendarDay=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarDay','&lt;path d="M4.684 11.523v-2.3h2.261v-.61H4.684V6.801h2.464v-.61H4v5.332h.684zm3.296 0h.676V8.98c0-.554.227-1.007.953-1.007.125 0 .258.004.329.015v-.613a1.806 1.806 0 0 0-.254-.02c-.582 0-.891.32-1.012.567h-.02v-.504H7.98v4.105zm2.805-5.093c0 .238.192.425.43.425a.428.428 0 1 0 0-.855.426.426 0 0 0-.43.43zm.094 5.093h.672V7.418h-.672v4.105z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendarDayFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarDayFill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v1h16V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zM16 14a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V5h16v9zm-4.785-6.145a.428.428 0 1 0 0-.855.426.426 0 0 0-.43.43c0 .238.192.425.43.425zm.336.563h-.672v4.105h.672V8.418zm-6.867 4.105v-2.3h2.261v-.61H4.684V7.801h2.464v-.61H4v5.332h.684zm3.296 0h.676V9.98c0-.554.227-1.007.953-1.007.125 0 .258.004.329.015v-.613a1.806 1.806 0 0 0-.254-.02c-.582 0-.891.32-1.012.567h-.02v-.504H7.98v4.105z"/&gt;');// eslint-disable-next-line
var BIconCalendarEvent=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarEvent','&lt;path d="M11 6.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendarEventFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarEventFill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v1h16V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zM16 14V5H0v9a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2zm-3.5-7h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconCalendarFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarFill','&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V5h16V4H0V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconCalendarMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarMinus','&lt;path d="M5.5 9.5A.5.5 0 0 1 6 9h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendarMinusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarMinusFill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v1h16V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zM16 14V5H0v9a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2zM6 10h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconCalendarMonth=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarMonth','&lt;path d="M2.56 11.332 3.1 9.73h1.984l.54 1.602h.718L4.444 6h-.696L1.85 11.332h.71zm1.544-4.527L4.9 9.18H3.284l.8-2.375h.02zm5.746.422h-.676V9.77c0 .652-.414 1.023-1.004 1.023-.539 0-.98-.246-.98-1.012V7.227h-.676v2.746c0 .941.606 1.425 1.453 1.425.656 0 1.043-.28 1.188-.605h.027v.539h.668V7.227zm2.258 5.046c-.563 0-.91-.304-.985-.636h-.687c.094.683.625 1.199 1.668 1.199.93 0 1.746-.527 1.746-1.578V7.227h-.649v.578h-.019c-.191-.348-.637-.64-1.195-.64-.965 0-1.64.679-1.64 1.886v.34c0 1.23.683 1.902 1.64 1.902.558 0 1.008-.293 1.172-.648h.02v.605c0 .645-.423 1.023-1.071 1.023zm.008-4.53c.648 0 1.062.527 1.062 1.359v.253c0 .848-.39 1.364-1.062 1.364-.692 0-1.098-.512-1.098-1.364v-.253c0-.868.406-1.36 1.098-1.36z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendarMonthFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarMonthFill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v1h16V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zm.104 7.305L4.9 10.18H3.284l.8-2.375h.02zm9.074 2.297c0-.832-.414-1.36-1.062-1.36-.692 0-1.098.492-1.098 1.36v.253c0 .852.406 1.364 1.098 1.364.671 0 1.062-.516 1.062-1.364v-.253z"/&gt;&lt;path d="M16 14V5H0v9a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2zM2.56 12.332h-.71L3.748 7h.696l1.898 5.332h-.719l-.539-1.602H3.1l-.54 1.602zm7.29-4.105v4.105h-.668v-.539h-.027c-.145.324-.532.605-1.188.605-.847 0-1.453-.484-1.453-1.425V8.227h.676v2.554c0 .766.441 1.012.98 1.012.59 0 1.004-.371 1.004-1.023V8.227h.676zm1.273 4.41c.075.332.422.636.985.636.648 0 1.07-.378 1.07-1.023v-.605h-.02c-.163.355-.613.648-1.171.648-.957 0-1.64-.672-1.64-1.902v-.34c0-1.207.675-1.887 1.64-1.887.558 0 1.004.293 1.195.64h.02v-.577h.648v4.03c0 1.052-.816 1.579-1.746 1.579-1.043 0-1.574-.516-1.668-1.2h.687z"/&gt;');// eslint-disable-next-line
var BIconCalendarPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarPlus','&lt;path d="M8 7a.5.5 0 0 1 .5.5V9H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V10H6a.5.5 0 0 1 0-1h1.5V7.5A.5.5 0 0 1 8 7z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendarPlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarPlusFill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v1h16V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zM16 14V5H0v9a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2zM8.5 8.5V10H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V11H6a.5.5 0 0 1 0-1h1.5V8.5a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconCalendarRange=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarRange','&lt;path d="M9 7a1 1 0 0 1 1-1h5v2h-5a1 1 0 0 1-1-1zM1 9h4a1 1 0 0 1 0 2H1V9z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendarRangeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarRangeFill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v1h16V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zM16 7V5H0v5h5a1 1 0 1 1 0 2H0v2a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V9h-6a1 1 0 1 1 0-2h6z"/&gt;');// eslint-disable-next-line
var BIconCalendarWeek=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarWeek','&lt;path d="M11 6.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm-3 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm-5 3a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm3 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendarWeekFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarWeekFill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v1h16V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zM16 14V5H0v9a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2zM9.5 7h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1a.5.5 0 0 1 .5-.5zm3 0h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1a.5.5 0 0 1 .5-.5zM2 10.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm3.5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconCalendarX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarX','&lt;path d="M6.146 7.146a.5.5 0 0 1 .708 0L8 8.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 9l1.147 1.146a.5.5 0 0 1-.708.708L8 9.707l-1.146 1.147a.5.5 0 0 1-.708-.708L7.293 9 6.146 7.854a.5.5 0 0 1 0-.708z"/&gt;&lt;path d="M3.5 0a.5.5 0 0 1 .5.5V1h8V.5a.5.5 0 0 1 1 0V1h1a2 2 0 0 1 2 2v11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h1V.5a.5.5 0 0 1 .5-.5zM1 4v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4H1z"/&gt;');// eslint-disable-next-line
var BIconCalendarXFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CalendarXFill','&lt;path d="M4 .5a.5.5 0 0 0-1 0V1H2a2 2 0 0 0-2 2v1h16V3a2 2 0 0 0-2-2h-1V.5a.5.5 0 0 0-1 0V1H4V.5zM16 14V5H0v9a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2zM6.854 8.146 8 9.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 10l1.147 1.146a.5.5 0 0 1-.708.708L8 10.707l-1.146 1.147a.5.5 0 0 1-.708-.708L7.293 10 6.146 8.854a.5.5 0 1 1 .708-.708z"/&gt;');// eslint-disable-next-line
var BIconCamera=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Camera','&lt;path d="M15 12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h1.172a3 3 0 0 0 2.12-.879l.83-.828A1 1 0 0 1 6.827 3h2.344a1 1 0 0 1 .707.293l.828.828A3 3 0 0 0 12.828 5H14a1 1 0 0 1 1 1v6zM2 4a2 2 0 0 0-2 2v6a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2h-1.172a2 2 0 0 1-1.414-.586l-.828-.828A2 2 0 0 0 9.172 2H6.828a2 2 0 0 0-1.414.586l-.828.828A2 2 0 0 1 3.172 4H2z"/&gt;&lt;path d="M8 11a2.5 2.5 0 1 1 0-5 2.5 2.5 0 0 1 0 5zm0 1a3.5 3.5 0 1 0 0-7 3.5 3.5 0 0 0 0 7zM3 6.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconCamera2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Camera2','&lt;path d="M5 8c0-1.657 2.343-3 4-3V4a4 4 0 0 0-4 4z"/&gt;&lt;path d="M12.318 3h2.015C15.253 3 16 3.746 16 4.667v6.666c0 .92-.746 1.667-1.667 1.667h-2.015A5.97 5.97 0 0 1 9 14a5.972 5.972 0 0 1-3.318-1H1.667C.747 13 0 12.254 0 11.333V4.667C0 3.747.746 3 1.667 3H2a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1h.682A5.97 5.97 0 0 1 9 2c1.227 0 2.367.368 3.318 1zM2 4.5a.5.5 0 1 0-1 0 .5.5 0 0 0 1 0zM14 8A5 5 0 1 0 4 8a5 5 0 0 0 10 0z"/&gt;');// eslint-disable-next-line
var BIconCameraFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CameraFill','&lt;path d="M10.5 8.5a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0z"/&gt;&lt;path d="M2 4a2 2 0 0 0-2 2v6a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2h-1.172a2 2 0 0 1-1.414-.586l-.828-.828A2 2 0 0 0 9.172 2H6.828a2 2 0 0 0-1.414.586l-.828.828A2 2 0 0 1 3.172 4H2zm.5 2a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm9 2.5a3.5 3.5 0 1 1-7 0 3.5 3.5 0 0 1 7 0z"/&gt;');// eslint-disable-next-line
var BIconCameraReels=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CameraReels','&lt;path d="M6 3a3 3 0 1 1-6 0 3 3 0 0 1 6 0zM1 3a2 2 0 1 0 4 0 2 2 0 0 0-4 0z"/&gt;&lt;path d="M9 6h.5a2 2 0 0 1 1.983 1.738l3.11-1.382A1 1 0 0 1 16 7.269v7.462a1 1 0 0 1-1.406.913l-3.111-1.382A2 2 0 0 1 9.5 16H2a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h7zm6 8.73V7.27l-3.5 1.555v4.35l3.5 1.556zM1 8v6a1 1 0 0 0 1 1h7.5a1 1 0 0 0 1-1V8a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1z"/&gt;&lt;path d="M9 6a3 3 0 1 0 0-6 3 3 0 0 0 0 6zM7 3a2 2 0 1 1 4 0 2 2 0 0 1-4 0z"/&gt;');// eslint-disable-next-line
var BIconCameraReelsFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CameraReelsFill','&lt;path d="M6 3a3 3 0 1 1-6 0 3 3 0 0 1 6 0z"/&gt;&lt;path d="M9 6a3 3 0 1 1 0-6 3 3 0 0 1 0 6z"/&gt;&lt;path d="M9 6h.5a2 2 0 0 1 1.983 1.738l3.11-1.382A1 1 0 0 1 16 7.269v7.462a1 1 0 0 1-1.406.913l-3.111-1.382A2 2 0 0 1 9.5 16H2a2 2 0 0 1-2-2V8a2 2 0 0 1 2-2h7z"/&gt;');// eslint-disable-next-line
var BIconCameraVideo=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CameraVideo','&lt;path fill-rule="evenodd" d="M0 5a2 2 0 0 1 2-2h7.5a2 2 0 0 1 1.983 1.738l3.11-1.382A1 1 0 0 1 16 4.269v7.462a1 1 0 0 1-1.406.913l-3.111-1.382A2 2 0 0 1 9.5 13H2a2 2 0 0 1-2-2V5zm11.5 5.175 3.5 1.556V4.269l-3.5 1.556v4.35zM2 4a1 1 0 0 0-1 1v6a1 1 0 0 0 1 1h7.5a1 1 0 0 0 1-1V5a1 1 0 0 0-1-1H2z"/&gt;');// eslint-disable-next-line
var BIconCameraVideoFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CameraVideoFill','&lt;path fill-rule="evenodd" d="M0 5a2 2 0 0 1 2-2h7.5a2 2 0 0 1 1.983 1.738l3.11-1.382A1 1 0 0 1 16 4.269v7.462a1 1 0 0 1-1.406.913l-3.111-1.382A2 2 0 0 1 9.5 13H2a2 2 0 0 1-2-2V5z"/&gt;');// eslint-disable-next-line
var BIconCameraVideoOff=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CameraVideoOff','&lt;path fill-rule="evenodd" d="M10.961 12.365a1.99 1.99 0 0 0 .522-1.103l3.11 1.382A1 1 0 0 0 16 11.731V4.269a1 1 0 0 0-1.406-.913l-3.111 1.382A2 2 0 0 0 9.5 3H4.272l.714 1H9.5a1 1 0 0 1 1 1v6a1 1 0 0 1-.144.518l.605.847zM1.428 4.18A.999.999 0 0 0 1 5v6a1 1 0 0 0 1 1h5.014l.714 1H2a2 2 0 0 1-2-2V5c0-.675.334-1.272.847-1.634l.58.814zM15 11.73l-3.5-1.555v-4.35L15 4.269v7.462zm-4.407 3.56-10-14 .814-.58 10 14-.814.58z"/&gt;');// eslint-disable-next-line
var BIconCameraVideoOffFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CameraVideoOffFill','&lt;path fill-rule="evenodd" d="M10.961 12.365a1.99 1.99 0 0 0 .522-1.103l3.11 1.382A1 1 0 0 0 16 11.731V4.269a1 1 0 0 0-1.406-.913l-3.111 1.382A2 2 0 0 0 9.5 3H4.272l6.69 9.365zm-10.114-9A2.001 2.001 0 0 0 0 5v6a2 2 0 0 0 2 2h5.728L.847 3.366zm9.746 11.925-10-14 .814-.58 10 14-.814.58z"/&gt;');// eslint-disable-next-line
var BIconCapslock=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Capslock','&lt;path fill-rule="evenodd" d="M7.27 1.047a1 1 0 0 1 1.46 0l6.345 6.77c.6.638.146 1.683-.73 1.683H11.5v1a1 1 0 0 1-1 1h-5a1 1 0 0 1-1-1v-1H1.654C.78 9.5.326 8.455.924 7.816L7.27 1.047zM14.346 8.5 8 1.731 1.654 8.5H4.5a1 1 0 0 1 1 1v1h5v-1a1 1 0 0 1 1-1h2.846zm-9.846 5a1 1 0 0 1 1-1h5a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1h-5a1 1 0 0 1-1-1v-1zm6 0h-5v1h5v-1z"/&gt;');// eslint-disable-next-line
var BIconCapslockFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CapslockFill','&lt;path d="M7.27 1.047a1 1 0 0 1 1.46 0l6.345 6.77c.6.638.146 1.683-.73 1.683H11.5v1a1 1 0 0 1-1 1h-5a1 1 0 0 1-1-1v-1H1.654C.78 9.5.326 8.455.924 7.816L7.27 1.047zM4.5 13.5a1 1 0 0 1 1-1h5a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1h-5a1 1 0 0 1-1-1v-1z"/&gt;');// eslint-disable-next-line
var BIconCardChecklist=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CardChecklist','&lt;path d="M14.5 3a.5.5 0 0 1 .5.5v9a.5.5 0 0 1-.5.5h-13a.5.5 0 0 1-.5-.5v-9a.5.5 0 0 1 .5-.5h13zm-13-1A1.5 1.5 0 0 0 0 3.5v9A1.5 1.5 0 0 0 1.5 14h13a1.5 1.5 0 0 0 1.5-1.5v-9A1.5 1.5 0 0 0 14.5 2h-13z"/&gt;&lt;path d="M7 5.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm-1.496-.854a.5.5 0 0 1 0 .708l-1.5 1.5a.5.5 0 0 1-.708 0l-.5-.5a.5.5 0 1 1 .708-.708l.146.147 1.146-1.147a.5.5 0 0 1 .708 0zM7 9.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm-1.496-.854a.5.5 0 0 1 0 .708l-1.5 1.5a.5.5 0 0 1-.708 0l-.5-.5a.5.5 0 0 1 .708-.708l.146.147 1.146-1.147a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconCardHeading=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CardHeading','&lt;path d="M14.5 3a.5.5 0 0 1 .5.5v9a.5.5 0 0 1-.5.5h-13a.5.5 0 0 1-.5-.5v-9a.5.5 0 0 1 .5-.5h13zm-13-1A1.5 1.5 0 0 0 0 3.5v9A1.5 1.5 0 0 0 1.5 14h13a1.5 1.5 0 0 0 1.5-1.5v-9A1.5 1.5 0 0 0 14.5 2h-13z"/&gt;&lt;path d="M3 8.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5zm0-5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-9a.5.5 0 0 1-.5-.5v-1z"/&gt;');// eslint-disable-next-line
var BIconCardImage=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CardImage','&lt;path d="M6.002 5.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;&lt;path d="M1.5 2A1.5 1.5 0 0 0 0 3.5v9A1.5 1.5 0 0 0 1.5 14h13a1.5 1.5 0 0 0 1.5-1.5v-9A1.5 1.5 0 0 0 14.5 2h-13zm13 1a.5.5 0 0 1 .5.5v6l-3.775-1.947a.5.5 0 0 0-.577.093l-3.71 3.71-2.66-1.772a.5.5 0 0 0-.63.062L1.002 12v.54A.505.505 0 0 1 1 12.5v-9a.5.5 0 0 1 .5-.5h13z"/&gt;');// eslint-disable-next-line
var BIconCardList=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CardList','&lt;path d="M14.5 3a.5.5 0 0 1 .5.5v9a.5.5 0 0 1-.5.5h-13a.5.5 0 0 1-.5-.5v-9a.5.5 0 0 1 .5-.5h13zm-13-1A1.5 1.5 0 0 0 0 3.5v9A1.5 1.5 0 0 0 1.5 14h13a1.5 1.5 0 0 0 1.5-1.5v-9A1.5 1.5 0 0 0 14.5 2h-13z"/&gt;&lt;path d="M5 8a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7A.5.5 0 0 1 5 8zm0-2.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm0 5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm-1-5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zM4 8a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm0 2.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconCardText=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CardText','&lt;path d="M14.5 3a.5.5 0 0 1 .5.5v9a.5.5 0 0 1-.5.5h-13a.5.5 0 0 1-.5-.5v-9a.5.5 0 0 1 .5-.5h13zm-13-1A1.5 1.5 0 0 0 0 3.5v9A1.5 1.5 0 0 0 1.5 14h13a1.5 1.5 0 0 0 1.5-1.5v-9A1.5 1.5 0 0 0 14.5 2h-13z"/&gt;&lt;path d="M3 5.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zM3 8a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9A.5.5 0 0 1 3 8zm0 2.5a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconCaretDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretDown','&lt;path d="M3.204 5h9.592L8 10.481 3.204 5zm-.753.659 4.796 5.48a1 1 0 0 0 1.506 0l4.796-5.48c.566-.647.106-1.659-.753-1.659H3.204a1 1 0 0 0-.753 1.659z"/&gt;');// eslint-disable-next-line
var BIconCaretDownFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretDownFill','&lt;path d="M7.247 11.14 2.451 5.658C1.885 5.013 2.345 4 3.204 4h9.592a1 1 0 0 1 .753 1.659l-4.796 5.48a1 1 0 0 1-1.506 0z"/&gt;');// eslint-disable-next-line
var BIconCaretDownSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretDownSquare','&lt;path d="M3.626 6.832A.5.5 0 0 1 4 6h8a.5.5 0 0 1 .374.832l-4 4.5a.5.5 0 0 1-.748 0l-4-4.5z"/&gt;&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm15 0a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2z"/&gt;');// eslint-disable-next-line
var BIconCaretDownSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretDownSquareFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm4 4a.5.5 0 0 0-.374.832l4 4.5a.5.5 0 0 0 .748 0l4-4.5A.5.5 0 0 0 12 6H4z"/&gt;');// eslint-disable-next-line
var BIconCaretLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretLeft','&lt;path d="M10 12.796V3.204L4.519 8 10 12.796zm-.659.753-5.48-4.796a1 1 0 0 1 0-1.506l5.48-4.796A1 1 0 0 1 11 3.204v9.592a1 1 0 0 1-1.659.753z"/&gt;');// eslint-disable-next-line
var BIconCaretLeftFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretLeftFill','&lt;path d="m3.86 8.753 5.482 4.796c.646.566 1.658.106 1.658-.753V3.204a1 1 0 0 0-1.659-.753l-5.48 4.796a1 1 0 0 0 0 1.506z"/&gt;');// eslint-disable-next-line
var BIconCaretLeftSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretLeftSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M10.205 12.456A.5.5 0 0 0 10.5 12V4a.5.5 0 0 0-.832-.374l-4.5 4a.5.5 0 0 0 0 .748l4.5 4a.5.5 0 0 0 .537.082z"/&gt;');// eslint-disable-next-line
var BIconCaretLeftSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretLeftSquareFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm10.5 10V4a.5.5 0 0 0-.832-.374l-4.5 4a.5.5 0 0 0 0 .748l4.5 4A.5.5 0 0 0 10.5 12z"/&gt;');// eslint-disable-next-line
var BIconCaretRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretRight','&lt;path d="M6 12.796V3.204L11.481 8 6 12.796zm.659.753 5.48-4.796a1 1 0 0 0 0-1.506L6.66 2.451C6.011 1.885 5 2.345 5 3.204v9.592a1 1 0 0 0 1.659.753z"/&gt;');// eslint-disable-next-line
var BIconCaretRightFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretRightFill','&lt;path d="m12.14 8.753-5.482 4.796c-.646.566-1.658.106-1.658-.753V3.204a1 1 0 0 1 1.659-.753l5.48 4.796a1 1 0 0 1 0 1.506z"/&gt;');// eslint-disable-next-line
var BIconCaretRightSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretRightSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M5.795 12.456A.5.5 0 0 1 5.5 12V4a.5.5 0 0 1 .832-.374l4.5 4a.5.5 0 0 1 0 .748l-4.5 4a.5.5 0 0 1-.537.082z"/&gt;');// eslint-disable-next-line
var BIconCaretRightSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretRightSquareFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm5.5 10a.5.5 0 0 0 .832.374l4.5-4a.5.5 0 0 0 0-.748l-4.5-4A.5.5 0 0 0 5.5 4v8z"/&gt;');// eslint-disable-next-line
var BIconCaretUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretUp','&lt;path d="M3.204 11h9.592L8 5.519 3.204 11zm-.753-.659 4.796-5.48a1 1 0 0 1 1.506 0l4.796 5.48c.566.647.106 1.659-.753 1.659H3.204a1 1 0 0 1-.753-1.659z"/&gt;');// eslint-disable-next-line
var BIconCaretUpFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretUpFill','&lt;path d="m7.247 4.86-4.796 5.481c-.566.647-.106 1.659.753 1.659h9.592a1 1 0 0 0 .753-1.659l-4.796-5.48a1 1 0 0 0-1.506 0z"/&gt;');// eslint-disable-next-line
var BIconCaretUpSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretUpSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M3.544 10.705A.5.5 0 0 0 4 11h8a.5.5 0 0 0 .374-.832l-4-4.5a.5.5 0 0 0-.748 0l-4 4.5a.5.5 0 0 0-.082.537z"/&gt;');// eslint-disable-next-line
var BIconCaretUpSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CaretUpSquareFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm4 9h8a.5.5 0 0 0 .374-.832l-4-4.5a.5.5 0 0 0-.748 0l-4 4.5A.5.5 0 0 0 4 11z"/&gt;');// eslint-disable-next-line
var BIconCart=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cart','&lt;path d="M0 1.5A.5.5 0 0 1 .5 1H2a.5.5 0 0 1 .485.379L2.89 3H14.5a.5.5 0 0 1 .491.592l-1.5 8A.5.5 0 0 1 13 12H4a.5.5 0 0 1-.491-.408L2.01 3.607 1.61 2H.5a.5.5 0 0 1-.5-.5zM3.102 4l1.313 7h8.17l1.313-7H3.102zM5 12a2 2 0 1 0 0 4 2 2 0 0 0 0-4zm7 0a2 2 0 1 0 0 4 2 2 0 0 0 0-4zm-7 1a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm7 0a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"/&gt;');// eslint-disable-next-line
var BIconCart2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cart2','&lt;path d="M0 2.5A.5.5 0 0 1 .5 2H2a.5.5 0 0 1 .485.379L2.89 4H14.5a.5.5 0 0 1 .485.621l-1.5 6A.5.5 0 0 1 13 11H4a.5.5 0 0 1-.485-.379L1.61 3H.5a.5.5 0 0 1-.5-.5zM3.14 5l1.25 5h8.22l1.25-5H3.14zM5 13a1 1 0 1 0 0 2 1 1 0 0 0 0-2zm-2 1a2 2 0 1 1 4 0 2 2 0 0 1-4 0zm9-1a1 1 0 1 0 0 2 1 1 0 0 0 0-2zm-2 1a2 2 0 1 1 4 0 2 2 0 0 1-4 0z"/&gt;');// eslint-disable-next-line
var BIconCart3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cart3','&lt;path d="M0 1.5A.5.5 0 0 1 .5 1H2a.5.5 0 0 1 .485.379L2.89 3H14.5a.5.5 0 0 1 .49.598l-1 5a.5.5 0 0 1-.465.401l-9.397.472L4.415 11H13a.5.5 0 0 1 0 1H4a.5.5 0 0 1-.491-.408L2.01 3.607 1.61 2H.5a.5.5 0 0 1-.5-.5zM3.102 4l.84 4.479 9.144-.459L13.89 4H3.102zM5 12a2 2 0 1 0 0 4 2 2 0 0 0 0-4zm7 0a2 2 0 1 0 0 4 2 2 0 0 0 0-4zm-7 1a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm7 0a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"/&gt;');// eslint-disable-next-line
var BIconCart4=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cart4','&lt;path d="M0 2.5A.5.5 0 0 1 .5 2H2a.5.5 0 0 1 .485.379L2.89 4H14.5a.5.5 0 0 1 .485.621l-1.5 6A.5.5 0 0 1 13 11H4a.5.5 0 0 1-.485-.379L1.61 3H.5a.5.5 0 0 1-.5-.5zM3.14 5l.5 2H5V5H3.14zM6 5v2h2V5H6zm3 0v2h2V5H9zm3 0v2h1.36l.5-2H12zm1.11 3H12v2h.61l.5-2zM11 8H9v2h2V8zM8 8H6v2h2V8zM5 8H3.89l.5 2H5V8zm0 5a1 1 0 1 0 0 2 1 1 0 0 0 0-2zm-2 1a2 2 0 1 1 4 0 2 2 0 0 1-4 0zm9-1a1 1 0 1 0 0 2 1 1 0 0 0 0-2zm-2 1a2 2 0 1 1 4 0 2 2 0 0 1-4 0z"/&gt;');// eslint-disable-next-line
var BIconCartCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CartCheck','&lt;path d="M11.354 6.354a.5.5 0 0 0-.708-.708L8 8.293 6.854 7.146a.5.5 0 1 0-.708.708l1.5 1.5a.5.5 0 0 0 .708 0l3-3z"/&gt;&lt;path d="M.5 1a.5.5 0 0 0 0 1h1.11l.401 1.607 1.498 7.985A.5.5 0 0 0 4 12h1a2 2 0 1 0 0 4 2 2 0 0 0 0-4h7a2 2 0 1 0 0 4 2 2 0 0 0 0-4h1a.5.5 0 0 0 .491-.408l1.5-8A.5.5 0 0 0 14.5 3H2.89l-.405-1.621A.5.5 0 0 0 2 1H.5zm3.915 10L3.102 4h10.796l-1.313 7h-8.17zM6 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm7 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconCartCheckFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CartCheckFill','&lt;path d="M.5 1a.5.5 0 0 0 0 1h1.11l.401 1.607 1.498 7.985A.5.5 0 0 0 4 12h1a2 2 0 1 0 0 4 2 2 0 0 0 0-4h7a2 2 0 1 0 0 4 2 2 0 0 0 0-4h1a.5.5 0 0 0 .491-.408l1.5-8A.5.5 0 0 0 14.5 3H2.89l-.405-1.621A.5.5 0 0 0 2 1H.5zM6 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm7 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm-1.646-7.646-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L8 8.293l2.646-2.647a.5.5 0 0 1 .708.708z"/&gt;');// eslint-disable-next-line
var BIconCartDash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CartDash','&lt;path d="M6.5 7a.5.5 0 0 0 0 1h4a.5.5 0 0 0 0-1h-4z"/&gt;&lt;path d="M.5 1a.5.5 0 0 0 0 1h1.11l.401 1.607 1.498 7.985A.5.5 0 0 0 4 12h1a2 2 0 1 0 0 4 2 2 0 0 0 0-4h7a2 2 0 1 0 0 4 2 2 0 0 0 0-4h1a.5.5 0 0 0 .491-.408l1.5-8A.5.5 0 0 0 14.5 3H2.89l-.405-1.621A.5.5 0 0 0 2 1H.5zm3.915 10L3.102 4h10.796l-1.313 7h-8.17zM6 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm7 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconCartDashFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CartDashFill','&lt;path d="M.5 1a.5.5 0 0 0 0 1h1.11l.401 1.607 1.498 7.985A.5.5 0 0 0 4 12h1a2 2 0 1 0 0 4 2 2 0 0 0 0-4h7a2 2 0 1 0 0 4 2 2 0 0 0 0-4h1a.5.5 0 0 0 .491-.408l1.5-8A.5.5 0 0 0 14.5 3H2.89l-.405-1.621A.5.5 0 0 0 2 1H.5zM6 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm7 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zM6.5 7h4a.5.5 0 0 1 0 1h-4a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconCartFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CartFill','&lt;path d="M0 1.5A.5.5 0 0 1 .5 1H2a.5.5 0 0 1 .485.379L2.89 3H14.5a.5.5 0 0 1 .491.592l-1.5 8A.5.5 0 0 1 13 12H4a.5.5 0 0 1-.491-.408L2.01 3.607 1.61 2H.5a.5.5 0 0 1-.5-.5zM5 12a2 2 0 1 0 0 4 2 2 0 0 0 0-4zm7 0a2 2 0 1 0 0 4 2 2 0 0 0 0-4zm-7 1a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm7 0a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"/&gt;');// eslint-disable-next-line
var BIconCartPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CartPlus','&lt;path d="M9 5.5a.5.5 0 0 0-1 0V7H6.5a.5.5 0 0 0 0 1H8v1.5a.5.5 0 0 0 1 0V8h1.5a.5.5 0 0 0 0-1H9V5.5z"/&gt;&lt;path d="M.5 1a.5.5 0 0 0 0 1h1.11l.401 1.607 1.498 7.985A.5.5 0 0 0 4 12h1a2 2 0 1 0 0 4 2 2 0 0 0 0-4h7a2 2 0 1 0 0 4 2 2 0 0 0 0-4h1a.5.5 0 0 0 .491-.408l1.5-8A.5.5 0 0 0 14.5 3H2.89l-.405-1.621A.5.5 0 0 0 2 1H.5zm3.915 10L3.102 4h10.796l-1.313 7h-8.17zM6 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm7 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconCartPlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CartPlusFill','&lt;path d="M.5 1a.5.5 0 0 0 0 1h1.11l.401 1.607 1.498 7.985A.5.5 0 0 0 4 12h1a2 2 0 1 0 0 4 2 2 0 0 0 0-4h7a2 2 0 1 0 0 4 2 2 0 0 0 0-4h1a.5.5 0 0 0 .491-.408l1.5-8A.5.5 0 0 0 14.5 3H2.89l-.405-1.621A.5.5 0 0 0 2 1H.5zM6 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm7 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zM9 5.5V7h1.5a.5.5 0 0 1 0 1H9v1.5a.5.5 0 0 1-1 0V8H6.5a.5.5 0 0 1 0-1H8V5.5a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconCartX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CartX','&lt;path d="M7.354 5.646a.5.5 0 1 0-.708.708L7.793 7.5 6.646 8.646a.5.5 0 1 0 .708.708L8.5 8.207l1.146 1.147a.5.5 0 0 0 .708-.708L9.207 7.5l1.147-1.146a.5.5 0 0 0-.708-.708L8.5 6.793 7.354 5.646z"/&gt;&lt;path d="M.5 1a.5.5 0 0 0 0 1h1.11l.401 1.607 1.498 7.985A.5.5 0 0 0 4 12h1a2 2 0 1 0 0 4 2 2 0 0 0 0-4h7a2 2 0 1 0 0 4 2 2 0 0 0 0-4h1a.5.5 0 0 0 .491-.408l1.5-8A.5.5 0 0 0 14.5 3H2.89l-.405-1.621A.5.5 0 0 0 2 1H.5zm3.915 10L3.102 4h10.796l-1.313 7h-8.17zM6 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm7 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconCartXFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CartXFill','&lt;path d="M.5 1a.5.5 0 0 0 0 1h1.11l.401 1.607 1.498 7.985A.5.5 0 0 0 4 12h1a2 2 0 1 0 0 4 2 2 0 0 0 0-4h7a2 2 0 1 0 0 4 2 2 0 0 0 0-4h1a.5.5 0 0 0 .491-.408l1.5-8A.5.5 0 0 0 14.5 3H2.89l-.405-1.621A.5.5 0 0 0 2 1H.5zM6 14a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm7 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zM7.354 5.646 8.5 6.793l1.146-1.147a.5.5 0 0 1 .708.708L9.207 7.5l1.147 1.146a.5.5 0 0 1-.708.708L8.5 8.207 7.354 9.354a.5.5 0 1 1-.708-.708L7.793 7.5 6.646 6.354a.5.5 0 1 1 .708-.708z"/&gt;');// eslint-disable-next-line
var BIconCash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cash','&lt;path d="M8 10a2 2 0 1 0 0-4 2 2 0 0 0 0 4z"/&gt;&lt;path d="M0 4a1 1 0 0 1 1-1h14a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H1a1 1 0 0 1-1-1V4zm3 0a2 2 0 0 1-2 2v4a2 2 0 0 1 2 2h10a2 2 0 0 1 2-2V6a2 2 0 0 1-2-2H3z"/&gt;');// eslint-disable-next-line
var BIconCashCoin=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CashCoin','&lt;path fill-rule="evenodd" d="M11 15a4 4 0 1 0 0-8 4 4 0 0 0 0 8zm5-4a5 5 0 1 1-10 0 5 5 0 0 1 10 0z"/&gt;&lt;path d="M9.438 11.944c.047.596.518 1.06 1.363 1.116v.44h.375v-.443c.875-.061 1.386-.529 1.386-1.207 0-.618-.39-.936-1.09-1.1l-.296-.07v-1.2c.376.043.614.248.671.532h.658c-.047-.575-.54-1.024-1.329-1.073V8.5h-.375v.45c-.747.073-1.255.522-1.255 1.158 0 .562.378.92 1.007 1.066l.248.061v1.272c-.384-.058-.639-.27-.696-.563h-.668zm1.36-1.354c-.369-.085-.569-.26-.569-.522 0-.294.216-.514.572-.578v1.1h-.003zm.432.746c.449.104.655.272.655.569 0 .339-.257.571-.709.614v-1.195l.054.012z"/&gt;&lt;path d="M1 0a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h4.083c.058-.344.145-.678.258-1H3a2 2 0 0 0-2-2V3a2 2 0 0 0 2-2h10a2 2 0 0 0 2 2v3.528c.38.34.717.728 1 1.154V1a1 1 0 0 0-1-1H1z"/&gt;&lt;path d="M9.998 5.083 10 5a2 2 0 1 0-3.132 1.65 5.982 5.982 0 0 1 3.13-1.567z"/&gt;');// eslint-disable-next-line
var BIconCashStack=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CashStack','&lt;path d="M1 3a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1H1zm7 8a2 2 0 1 0 0-4 2 2 0 0 0 0 4z"/&gt;&lt;path d="M0 5a1 1 0 0 1 1-1h14a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H1a1 1 0 0 1-1-1V5zm3 0a2 2 0 0 1-2 2v4a2 2 0 0 1 2 2h10a2 2 0 0 1 2-2V7a2 2 0 0 1-2-2H3z"/&gt;');// eslint-disable-next-line
var BIconCast=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cast','&lt;path d="m7.646 9.354-3.792 3.792a.5.5 0 0 0 .353.854h7.586a.5.5 0 0 0 .354-.854L8.354 9.354a.5.5 0 0 0-.708 0z"/&gt;&lt;path d="M11.414 11H14.5a.5.5 0 0 0 .5-.5v-7a.5.5 0 0 0-.5-.5h-13a.5.5 0 0 0-.5.5v7a.5.5 0 0 0 .5.5h3.086l-1 1H1.5A1.5 1.5 0 0 1 0 10.5v-7A1.5 1.5 0 0 1 1.5 2h13A1.5 1.5 0 0 1 16 3.5v7a1.5 1.5 0 0 1-1.5 1.5h-2.086l-1-1z"/&gt;');// eslint-disable-next-line
var BIconChat=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Chat','&lt;path d="M2.678 11.894a1 1 0 0 1 .287.801 10.97 10.97 0 0 1-.398 2c1.395-.323 2.247-.697 2.634-.893a1 1 0 0 1 .71-.074A8.06 8.06 0 0 0 8 14c3.996 0 7-2.807 7-6 0-3.192-3.004-6-7-6S1 4.808 1 8c0 1.468.617 2.83 1.678 3.894zm-.493 3.905a21.682 21.682 0 0 1-.713.129c-.2.032-.352-.176-.273-.362a9.68 9.68 0 0 0 .244-.637l.003-.01c.248-.72.45-1.548.524-2.319C.743 11.37 0 9.76 0 8c0-3.866 3.582-7 8-7s8 3.134 8 7-3.582 7-8 7a9.06 9.06 0 0 1-2.347-.306c-.52.263-1.639.742-3.468 1.105z"/&gt;');// eslint-disable-next-line
var BIconChatDots=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatDots','&lt;path d="M5 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm4 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm3 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;&lt;path d="m2.165 15.803.02-.004c1.83-.363 2.948-.842 3.468-1.105A9.06 9.06 0 0 0 8 15c4.418 0 8-3.134 8-7s-3.582-7-8-7-8 3.134-8 7c0 1.76.743 3.37 1.97 4.6a10.437 10.437 0 0 1-.524 2.318l-.003.011a10.722 10.722 0 0 1-.244.637c-.079.186.074.394.273.362a21.673 21.673 0 0 0 .693-.125zm.8-3.108a1 1 0 0 0-.287-.801C1.618 10.83 1 9.468 1 8c0-3.192 3.004-6 7-6s7 2.808 7 6c0 3.193-3.004 6-7 6a8.06 8.06 0 0 1-2.088-.272 1 1 0 0 0-.711.074c-.387.196-1.24.57-2.634.893a10.97 10.97 0 0 0 .398-2z"/&gt;');// eslint-disable-next-line
var BIconChatDotsFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatDotsFill','&lt;path d="M16 8c0 3.866-3.582 7-8 7a9.06 9.06 0 0 1-2.347-.306c-.584.296-1.925.864-4.181 1.234-.2.032-.352-.176-.273-.362.354-.836.674-1.95.77-2.966C.744 11.37 0 9.76 0 8c0-3.866 3.582-7 8-7s8 3.134 8 7zM5 8a1 1 0 1 0-2 0 1 1 0 0 0 2 0zm4 0a1 1 0 1 0-2 0 1 1 0 0 0 2 0zm3 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconChatFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatFill','&lt;path d="M8 15c4.418 0 8-3.134 8-7s-3.582-7-8-7-8 3.134-8 7c0 1.76.743 3.37 1.97 4.6-.097 1.016-.417 2.13-.771 2.966-.079.186.074.394.273.362 2.256-.37 3.597-.938 4.18-1.234A9.06 9.06 0 0 0 8 15z"/&gt;');// eslint-disable-next-line
var BIconChatLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatLeft','&lt;path d="M14 1a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H4.414A2 2 0 0 0 3 11.586l-2 2V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12.793a.5.5 0 0 0 .854.353l2.853-2.853A1 1 0 0 1 4.414 12H14a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconChatLeftDots=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatLeftDots','&lt;path d="M14 1a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H4.414A2 2 0 0 0 3 11.586l-2 2V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12.793a.5.5 0 0 0 .854.353l2.853-2.853A1 1 0 0 1 4.414 12H14a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M5 6a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm4 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm4 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconChatLeftDotsFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatLeftDotsFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4.414a1 1 0 0 0-.707.293L.854 15.146A.5.5 0 0 1 0 14.793V2zm5 4a1 1 0 1 0-2 0 1 1 0 0 0 2 0zm4 0a1 1 0 1 0-2 0 1 1 0 0 0 2 0zm3 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconChatLeftFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatLeftFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12.793a.5.5 0 0 0 .854.353l2.853-2.853A1 1 0 0 1 4.414 12H14a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconChatLeftQuote=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatLeftQuote','&lt;path d="M14 1a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H4.414A2 2 0 0 0 3 11.586l-2 2V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12.793a.5.5 0 0 0 .854.353l2.853-2.853A1 1 0 0 1 4.414 12H14a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M7.066 4.76A1.665 1.665 0 0 0 4 5.668a1.667 1.667 0 0 0 2.561 1.406c-.131.389-.375.804-.777 1.22a.417.417 0 1 0 .6.58c1.486-1.54 1.293-3.214.682-4.112zm4 0A1.665 1.665 0 0 0 8 5.668a1.667 1.667 0 0 0 2.561 1.406c-.131.389-.375.804-.777 1.22a.417.417 0 1 0 .6.58c1.486-1.54 1.293-3.214.682-4.112z"/&gt;');// eslint-disable-next-line
var BIconChatLeftQuoteFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatLeftQuoteFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4.414a1 1 0 0 0-.707.293L.854 15.146A.5.5 0 0 1 0 14.793V2zm7.194 2.766a1.688 1.688 0 0 0-.227-.272 1.467 1.467 0 0 0-.469-.324l-.008-.004A1.785 1.785 0 0 0 5.734 4C4.776 4 4 4.746 4 5.667c0 .92.776 1.666 1.734 1.666.343 0 .662-.095.931-.26-.137.389-.39.804-.81 1.22a.405.405 0 0 0 .011.59c.173.16.447.155.614-.01 1.334-1.329 1.37-2.758.941-3.706a2.461 2.461 0 0 0-.227-.4zM11 7.073c-.136.389-.39.804-.81 1.22a.405.405 0 0 0 .012.59c.172.16.446.155.613-.01 1.334-1.329 1.37-2.758.942-3.706a2.466 2.466 0 0 0-.228-.4 1.686 1.686 0 0 0-.227-.273 1.466 1.466 0 0 0-.469-.324l-.008-.004A1.785 1.785 0 0 0 10.07 4c-.957 0-1.734.746-1.734 1.667 0 .92.777 1.666 1.734 1.666.343 0 .662-.095.931-.26z"/&gt;');// eslint-disable-next-line
var BIconChatLeftText=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatLeftText','&lt;path d="M14 1a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H4.414A2 2 0 0 0 3 11.586l-2 2V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12.793a.5.5 0 0 0 .854.353l2.853-2.853A1 1 0 0 1 4.414 12H14a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M3 3.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zM3 6a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9A.5.5 0 0 1 3 6zm0 2.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconChatLeftTextFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatLeftTextFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H4.414a1 1 0 0 0-.707.293L.854 15.146A.5.5 0 0 1 0 14.793V2zm3.5 1a.5.5 0 0 0 0 1h9a.5.5 0 0 0 0-1h-9zm0 2.5a.5.5 0 0 0 0 1h9a.5.5 0 0 0 0-1h-9zm0 2.5a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5z"/&gt;');// eslint-disable-next-line
var BIconChatQuote=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatQuote','&lt;path d="M2.678 11.894a1 1 0 0 1 .287.801 10.97 10.97 0 0 1-.398 2c1.395-.323 2.247-.697 2.634-.893a1 1 0 0 1 .71-.074A8.06 8.06 0 0 0 8 14c3.996 0 7-2.807 7-6 0-3.192-3.004-6-7-6S1 4.808 1 8c0 1.468.617 2.83 1.678 3.894zm-.493 3.905a21.682 21.682 0 0 1-.713.129c-.2.032-.352-.176-.273-.362a9.68 9.68 0 0 0 .244-.637l.003-.01c.248-.72.45-1.548.524-2.319C.743 11.37 0 9.76 0 8c0-3.866 3.582-7 8-7s8 3.134 8 7-3.582 7-8 7a9.06 9.06 0 0 1-2.347-.306c-.52.263-1.639.742-3.468 1.105z"/&gt;&lt;path d="M7.066 6.76A1.665 1.665 0 0 0 4 7.668a1.667 1.667 0 0 0 2.561 1.406c-.131.389-.375.804-.777 1.22a.417.417 0 0 0 .6.58c1.486-1.54 1.293-3.214.682-4.112zm4 0A1.665 1.665 0 0 0 8 7.668a1.667 1.667 0 0 0 2.561 1.406c-.131.389-.375.804-.777 1.22a.417.417 0 0 0 .6.58c1.486-1.54 1.293-3.214.682-4.112z"/&gt;');// eslint-disable-next-line
var BIconChatQuoteFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatQuoteFill','&lt;path d="M16 8c0 3.866-3.582 7-8 7a9.06 9.06 0 0 1-2.347-.306c-.584.296-1.925.864-4.181 1.234-.2.032-.352-.176-.273-.362.354-.836.674-1.95.77-2.966C.744 11.37 0 9.76 0 8c0-3.866 3.582-7 8-7s8 3.134 8 7zM7.194 6.766a1.688 1.688 0 0 0-.227-.272 1.467 1.467 0 0 0-.469-.324l-.008-.004A1.785 1.785 0 0 0 5.734 6C4.776 6 4 6.746 4 7.667c0 .92.776 1.666 1.734 1.666.343 0 .662-.095.931-.26-.137.389-.39.804-.81 1.22a.405.405 0 0 0 .011.59c.173.16.447.155.614-.01 1.334-1.329 1.37-2.758.941-3.706a2.461 2.461 0 0 0-.227-.4zM11 9.073c-.136.389-.39.804-.81 1.22a.405.405 0 0 0 .012.59c.172.16.446.155.613-.01 1.334-1.329 1.37-2.758.942-3.706a2.466 2.466 0 0 0-.228-.4 1.686 1.686 0 0 0-.227-.273 1.466 1.466 0 0 0-.469-.324l-.008-.004A1.785 1.785 0 0 0 10.07 6c-.957 0-1.734.746-1.734 1.667 0 .92.777 1.666 1.734 1.666.343 0 .662-.095.931-.26z"/&gt;');// eslint-disable-next-line
var BIconChatRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatRight','&lt;path d="M2 1a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h9.586a2 2 0 0 1 1.414.586l2 2V2a1 1 0 0 0-1-1H2zm12-1a2 2 0 0 1 2 2v12.793a.5.5 0 0 1-.854.353l-2.853-2.853a1 1 0 0 0-.707-.293H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h12z"/&gt;');// eslint-disable-next-line
var BIconChatRightDots=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatRightDots','&lt;path d="M2 1a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h9.586a2 2 0 0 1 1.414.586l2 2V2a1 1 0 0 0-1-1H2zm12-1a2 2 0 0 1 2 2v12.793a.5.5 0 0 1-.854.353l-2.853-2.853a1 1 0 0 0-.707-.293H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h12z"/&gt;&lt;path d="M5 6a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm4 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm4 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconChatRightDotsFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatRightDotsFill','&lt;path d="M16 2a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h9.586a1 1 0 0 1 .707.293l2.853 2.853a.5.5 0 0 0 .854-.353V2zM5 6a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm4 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm3 1a1 1 0 1 1 0-2 1 1 0 0 1 0 2z"/&gt;');// eslint-disable-next-line
var BIconChatRightFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatRightFill','&lt;path d="M14 0a2 2 0 0 1 2 2v12.793a.5.5 0 0 1-.854.353l-2.853-2.853a1 1 0 0 0-.707-.293H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h12z"/&gt;');// eslint-disable-next-line
var BIconChatRightQuote=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatRightQuote','&lt;path d="M2 1a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h9.586a2 2 0 0 1 1.414.586l2 2V2a1 1 0 0 0-1-1H2zm12-1a2 2 0 0 1 2 2v12.793a.5.5 0 0 1-.854.353l-2.853-2.853a1 1 0 0 0-.707-.293H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h12z"/&gt;&lt;path d="M7.066 4.76A1.665 1.665 0 0 0 4 5.668a1.667 1.667 0 0 0 2.561 1.406c-.131.389-.375.804-.777 1.22a.417.417 0 1 0 .6.58c1.486-1.54 1.293-3.214.682-4.112zm4 0A1.665 1.665 0 0 0 8 5.668a1.667 1.667 0 0 0 2.561 1.406c-.131.389-.375.804-.777 1.22a.417.417 0 1 0 .6.58c1.486-1.54 1.293-3.214.682-4.112z"/&gt;');// eslint-disable-next-line
var BIconChatRightQuoteFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatRightQuoteFill','&lt;path d="M16 2a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h9.586a1 1 0 0 1 .707.293l2.853 2.853a.5.5 0 0 0 .854-.353V2zM7.194 4.766c.087.124.163.26.227.401.428.948.393 2.377-.942 3.706a.446.446 0 0 1-.612.01.405.405 0 0 1-.011-.59c.419-.416.672-.831.809-1.22-.269.165-.588.26-.93.26C4.775 7.333 4 6.587 4 5.667 4 4.747 4.776 4 5.734 4c.271 0 .528.06.756.166l.008.004c.169.07.327.182.469.324.085.083.161.174.227.272zM11 7.073c-.269.165-.588.26-.93.26-.958 0-1.735-.746-1.735-1.666 0-.92.777-1.667 1.734-1.667.271 0 .528.06.756.166l.008.004c.17.07.327.182.469.324.085.083.161.174.227.272.087.124.164.26.228.401.428.948.392 2.377-.942 3.706a.446.446 0 0 1-.613.01.405.405 0 0 1-.011-.59c.42-.416.672-.831.81-1.22z"/&gt;');// eslint-disable-next-line
var BIconChatRightText=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatRightText','&lt;path d="M2 1a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h9.586a2 2 0 0 1 1.414.586l2 2V2a1 1 0 0 0-1-1H2zm12-1a2 2 0 0 1 2 2v12.793a.5.5 0 0 1-.854.353l-2.853-2.853a1 1 0 0 0-.707-.293H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h12z"/&gt;&lt;path d="M3 3.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zM3 6a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9A.5.5 0 0 1 3 6zm0 2.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconChatRightTextFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatRightTextFill','&lt;path d="M16 2a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h9.586a1 1 0 0 1 .707.293l2.853 2.853a.5.5 0 0 0 .854-.353V2zM3.5 3h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1 0-1zm0 2.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1 0-1zm0 2.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconChatSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1h-2.5a2 2 0 0 0-1.6.8L8 14.333 6.1 11.8a2 2 0 0 0-1.6-.8H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h2.5a1 1 0 0 1 .8.4l1.9 2.533a1 1 0 0 0 1.6 0l1.9-2.533a1 1 0 0 1 .8-.4H14a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconChatSquareDots=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatSquareDots','&lt;path d="M14 1a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1h-2.5a2 2 0 0 0-1.6.8L8 14.333 6.1 11.8a2 2 0 0 0-1.6-.8H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h2.5a1 1 0 0 1 .8.4l1.9 2.533a1 1 0 0 0 1.6 0l1.9-2.533a1 1 0 0 1 .8-.4H14a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M5 6a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm4 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm4 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconChatSquareDotsFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatSquareDotsFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2h-2.5a1 1 0 0 0-.8.4l-1.9 2.533a1 1 0 0 1-1.6 0L5.3 12.4a1 1 0 0 0-.8-.4H2a2 2 0 0 1-2-2V2zm5 4a1 1 0 1 0-2 0 1 1 0 0 0 2 0zm4 0a1 1 0 1 0-2 0 1 1 0 0 0 2 0zm3 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconChatSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h2.5a1 1 0 0 1 .8.4l1.9 2.533a1 1 0 0 0 1.6 0l1.9-2.533a1 1 0 0 1 .8-.4H14a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconChatSquareQuote=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatSquareQuote','&lt;path d="M14 1a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1h-2.5a2 2 0 0 0-1.6.8L8 14.333 6.1 11.8a2 2 0 0 0-1.6-.8H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h2.5a1 1 0 0 1 .8.4l1.9 2.533a1 1 0 0 0 1.6 0l1.9-2.533a1 1 0 0 1 .8-.4H14a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M7.066 4.76A1.665 1.665 0 0 0 4 5.668a1.667 1.667 0 0 0 2.561 1.406c-.131.389-.375.804-.777 1.22a.417.417 0 1 0 .6.58c1.486-1.54 1.293-3.214.682-4.112zm4 0A1.665 1.665 0 0 0 8 5.668a1.667 1.667 0 0 0 2.561 1.406c-.131.389-.375.804-.777 1.22a.417.417 0 1 0 .6.58c1.486-1.54 1.293-3.214.682-4.112z"/&gt;');// eslint-disable-next-line
var BIconChatSquareQuoteFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatSquareQuoteFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2h-2.5a1 1 0 0 0-.8.4l-1.9 2.533a1 1 0 0 1-1.6 0L5.3 12.4a1 1 0 0 0-.8-.4H2a2 2 0 0 1-2-2V2zm7.194 2.766a1.688 1.688 0 0 0-.227-.272 1.467 1.467 0 0 0-.469-.324l-.008-.004A1.785 1.785 0 0 0 5.734 4C4.776 4 4 4.746 4 5.667c0 .92.776 1.666 1.734 1.666.343 0 .662-.095.931-.26-.137.389-.39.804-.81 1.22a.405.405 0 0 0 .011.59c.173.16.447.155.614-.01 1.334-1.329 1.37-2.758.941-3.706a2.461 2.461 0 0 0-.227-.4zM11 7.073c-.136.389-.39.804-.81 1.22a.405.405 0 0 0 .012.59c.172.16.446.155.613-.01 1.334-1.329 1.37-2.758.942-3.706a2.466 2.466 0 0 0-.228-.4 1.686 1.686 0 0 0-.227-.273 1.466 1.466 0 0 0-.469-.324l-.008-.004A1.785 1.785 0 0 0 10.07 4c-.957 0-1.734.746-1.734 1.667 0 .92.777 1.666 1.734 1.666.343 0 .662-.095.931-.26z"/&gt;');// eslint-disable-next-line
var BIconChatSquareText=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatSquareText','&lt;path d="M14 1a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1h-2.5a2 2 0 0 0-1.6.8L8 14.333 6.1 11.8a2 2 0 0 0-1.6-.8H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h2.5a1 1 0 0 1 .8.4l1.9 2.533a1 1 0 0 0 1.6 0l1.9-2.533a1 1 0 0 1 .8-.4H14a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M3 3.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zM3 6a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9A.5.5 0 0 1 3 6zm0 2.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconChatSquareTextFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatSquareTextFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2h-2.5a1 1 0 0 0-.8.4l-1.9 2.533a1 1 0 0 1-1.6 0L5.3 12.4a1 1 0 0 0-.8-.4H2a2 2 0 0 1-2-2V2zm3.5 1a.5.5 0 0 0 0 1h9a.5.5 0 0 0 0-1h-9zm0 2.5a.5.5 0 0 0 0 1h9a.5.5 0 0 0 0-1h-9zm0 2.5a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5z"/&gt;');// eslint-disable-next-line
var BIconChatText=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatText','&lt;path d="M2.678 11.894a1 1 0 0 1 .287.801 10.97 10.97 0 0 1-.398 2c1.395-.323 2.247-.697 2.634-.893a1 1 0 0 1 .71-.074A8.06 8.06 0 0 0 8 14c3.996 0 7-2.807 7-6 0-3.192-3.004-6-7-6S1 4.808 1 8c0 1.468.617 2.83 1.678 3.894zm-.493 3.905a21.682 21.682 0 0 1-.713.129c-.2.032-.352-.176-.273-.362a9.68 9.68 0 0 0 .244-.637l.003-.01c.248-.72.45-1.548.524-2.319C.743 11.37 0 9.76 0 8c0-3.866 3.582-7 8-7s8 3.134 8 7-3.582 7-8 7a9.06 9.06 0 0 1-2.347-.306c-.52.263-1.639.742-3.468 1.105z"/&gt;&lt;path d="M4 5.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zM4 8a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7A.5.5 0 0 1 4 8zm0 2.5a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1h-4a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconChatTextFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChatTextFill','&lt;path d="M16 8c0 3.866-3.582 7-8 7a9.06 9.06 0 0 1-2.347-.306c-.584.296-1.925.864-4.181 1.234-.2.032-.352-.176-.273-.362.354-.836.674-1.95.77-2.966C.744 11.37 0 9.76 0 8c0-3.866 3.582-7 8-7s8 3.134 8 7zM4.5 5a.5.5 0 0 0 0 1h7a.5.5 0 0 0 0-1h-7zm0 2.5a.5.5 0 0 0 0 1h7a.5.5 0 0 0 0-1h-7zm0 2.5a.5.5 0 0 0 0 1h4a.5.5 0 0 0 0-1h-4z"/&gt;');// eslint-disable-next-line
var BIconCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Check','&lt;path d="M10.97 4.97a.75.75 0 0 1 1.07 1.05l-3.99 4.99a.75.75 0 0 1-1.08.02L4.324 8.384a.75.75 0 1 1 1.06-1.06l2.094 2.093 3.473-4.425a.267.267 0 0 1 .02-.022z"/&gt;');// eslint-disable-next-line
var BIconCheck2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Check2','&lt;path d="M13.854 3.646a.5.5 0 0 1 0 .708l-7 7a.5.5 0 0 1-.708 0l-3.5-3.5a.5.5 0 1 1 .708-.708L6.5 10.293l6.646-6.647a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconCheck2All=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Check2All','&lt;path d="M12.354 4.354a.5.5 0 0 0-.708-.708L5 10.293 1.854 7.146a.5.5 0 1 0-.708.708l3.5 3.5a.5.5 0 0 0 .708 0l7-7zm-4.208 7-.896-.897.707-.707.543.543 6.646-6.647a.5.5 0 0 1 .708.708l-7 7a.5.5 0 0 1-.708 0z"/&gt;&lt;path d="m5.354 7.146.896.897-.707.707-.897-.896a.5.5 0 1 1 .708-.708z"/&gt;');// eslint-disable-next-line
var BIconCheck2Circle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Check2Circle','&lt;path d="M2.5 8a5.5 5.5 0 0 1 8.25-4.764.5.5 0 0 0 .5-.866A6.5 6.5 0 1 0 14.5 8a.5.5 0 0 0-1 0 5.5 5.5 0 1 1-11 0z"/&gt;&lt;path d="M15.354 3.354a.5.5 0 0 0-.708-.708L8 9.293 5.354 6.646a.5.5 0 1 0-.708.708l3 3a.5.5 0 0 0 .708 0l7-7z"/&gt;');// eslint-disable-next-line
var BIconCheck2Square=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Check2Square','&lt;path d="M3 14.5A1.5 1.5 0 0 1 1.5 13V3A1.5 1.5 0 0 1 3 1.5h8a.5.5 0 0 1 0 1H3a.5.5 0 0 0-.5.5v10a.5.5 0 0 0 .5.5h10a.5.5 0 0 0 .5-.5V8a.5.5 0 0 1 1 0v5a1.5 1.5 0 0 1-1.5 1.5H3z"/&gt;&lt;path d="m8.354 10.354 7-7a.5.5 0 0 0-.708-.708L8 9.293 5.354 6.646a.5.5 0 1 0-.708.708l3 3a.5.5 0 0 0 .708 0z"/&gt;');// eslint-disable-next-line
var BIconCheckAll=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CheckAll','&lt;path d="M8.97 4.97a.75.75 0 0 1 1.07 1.05l-3.99 4.99a.75.75 0 0 1-1.08.02L2.324 8.384a.75.75 0 1 1 1.06-1.06l2.094 2.093L8.95 4.992a.252.252 0 0 1 .02-.022zm-.92 5.14.92.92a.75.75 0 0 0 1.079-.02l3.992-4.99a.75.75 0 1 0-1.091-1.028L9.477 9.417l-.485-.486-.943 1.179z"/&gt;');// eslint-disable-next-line
var BIconCheckCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CheckCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M10.97 4.97a.235.235 0 0 0-.02.022L7.477 9.417 5.384 7.323a.75.75 0 0 0-1.06 1.06L6.97 11.03a.75.75 0 0 0 1.079-.02l3.992-4.99a.75.75 0 0 0-1.071-1.05z"/&gt;');// eslint-disable-next-line
var BIconCheckCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CheckCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-3.97-3.03a.75.75 0 0 0-1.08.022L7.477 9.417 5.384 7.323a.75.75 0 0 0-1.06 1.06L6.97 11.03a.75.75 0 0 0 1.079-.02l3.992-4.99a.75.75 0 0 0-.01-1.05z"/&gt;');// eslint-disable-next-line
var BIconCheckLg=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CheckLg','&lt;path d="M13.485 1.431a1.473 1.473 0 0 1 2.104 2.062l-7.84 9.801a1.473 1.473 0 0 1-2.12.04L.431 8.138a1.473 1.473 0 0 1 2.084-2.083l4.111 4.112 6.82-8.69a.486.486 0 0 1 .04-.045z"/&gt;');// eslint-disable-next-line
var BIconCheckSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CheckSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M10.97 4.97a.75.75 0 0 1 1.071 1.05l-3.992 4.99a.75.75 0 0 1-1.08.02L4.324 8.384a.75.75 0 1 1 1.06-1.06l2.094 2.093 3.473-4.425a.235.235 0 0 1 .02-.022z"/&gt;');// eslint-disable-next-line
var BIconCheckSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CheckSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm10.03 4.97a.75.75 0 0 1 .011 1.05l-3.992 4.99a.75.75 0 0 1-1.08.02L4.324 8.384a.75.75 0 1 1 1.06-1.06l2.094 2.093 3.473-4.425a.75.75 0 0 1 1.08-.022z"/&gt;');// eslint-disable-next-line
var BIconChevronBarContract=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronBarContract','&lt;path fill-rule="evenodd" d="M3.646 14.854a.5.5 0 0 0 .708 0L8 11.207l3.646 3.647a.5.5 0 0 0 .708-.708l-4-4a.5.5 0 0 0-.708 0l-4 4a.5.5 0 0 0 0 .708zm0-13.708a.5.5 0 0 1 .708 0L8 4.793l3.646-3.647a.5.5 0 0 1 .708.708l-4 4a.5.5 0 0 1-.708 0l-4-4a.5.5 0 0 1 0-.708zM1 8a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 0 1h-13A.5.5 0 0 1 1 8z"/&gt;');// eslint-disable-next-line
var BIconChevronBarDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronBarDown','&lt;path fill-rule="evenodd" d="M3.646 4.146a.5.5 0 0 1 .708 0L8 7.793l3.646-3.647a.5.5 0 0 1 .708.708l-4 4a.5.5 0 0 1-.708 0l-4-4a.5.5 0 0 1 0-.708zM1 11.5a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 0 1h-13a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconChevronBarExpand=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronBarExpand','&lt;path fill-rule="evenodd" d="M3.646 10.146a.5.5 0 0 1 .708 0L8 13.793l3.646-3.647a.5.5 0 0 1 .708.708l-4 4a.5.5 0 0 1-.708 0l-4-4a.5.5 0 0 1 0-.708zm0-4.292a.5.5 0 0 0 .708 0L8 2.207l3.646 3.647a.5.5 0 0 0 .708-.708l-4-4a.5.5 0 0 0-.708 0l-4 4a.5.5 0 0 0 0 .708zM1 8a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 0 1h-13A.5.5 0 0 1 1 8z"/&gt;');// eslint-disable-next-line
var BIconChevronBarLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronBarLeft','&lt;path fill-rule="evenodd" d="M11.854 3.646a.5.5 0 0 1 0 .708L8.207 8l3.647 3.646a.5.5 0 0 1-.708.708l-4-4a.5.5 0 0 1 0-.708l4-4a.5.5 0 0 1 .708 0zM4.5 1a.5.5 0 0 0-.5.5v13a.5.5 0 0 0 1 0v-13a.5.5 0 0 0-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconChevronBarRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronBarRight','&lt;path fill-rule="evenodd" d="M4.146 3.646a.5.5 0 0 0 0 .708L7.793 8l-3.647 3.646a.5.5 0 0 0 .708.708l4-4a.5.5 0 0 0 0-.708l-4-4a.5.5 0 0 0-.708 0zM11.5 1a.5.5 0 0 1 .5.5v13a.5.5 0 0 1-1 0v-13a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconChevronBarUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronBarUp','&lt;path fill-rule="evenodd" d="M3.646 11.854a.5.5 0 0 0 .708 0L8 8.207l3.646 3.647a.5.5 0 0 0 .708-.708l-4-4a.5.5 0 0 0-.708 0l-4 4a.5.5 0 0 0 0 .708zM2.4 5.2c0 .22.18.4.4.4h10.4a.4.4 0 0 0 0-.8H2.8a.4.4 0 0 0-.4.4z"/&gt;');// eslint-disable-next-line
var BIconChevronCompactDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronCompactDown','&lt;path fill-rule="evenodd" d="M1.553 6.776a.5.5 0 0 1 .67-.223L8 9.44l5.776-2.888a.5.5 0 1 1 .448.894l-6 3a.5.5 0 0 1-.448 0l-6-3a.5.5 0 0 1-.223-.67z"/&gt;');// eslint-disable-next-line
var BIconChevronCompactLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronCompactLeft','&lt;path fill-rule="evenodd" d="M9.224 1.553a.5.5 0 0 1 .223.67L6.56 8l2.888 5.776a.5.5 0 1 1-.894.448l-3-6a.5.5 0 0 1 0-.448l3-6a.5.5 0 0 1 .67-.223z"/&gt;');// eslint-disable-next-line
var BIconChevronCompactRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronCompactRight','&lt;path fill-rule="evenodd" d="M6.776 1.553a.5.5 0 0 1 .671.223l3 6a.5.5 0 0 1 0 .448l-3 6a.5.5 0 1 1-.894-.448L9.44 8 6.553 2.224a.5.5 0 0 1 .223-.671z"/&gt;');// eslint-disable-next-line
var BIconChevronCompactUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronCompactUp','&lt;path fill-rule="evenodd" d="M7.776 5.553a.5.5 0 0 1 .448 0l6 3a.5.5 0 1 1-.448.894L8 6.56 2.224 9.447a.5.5 0 1 1-.448-.894l6-3z"/&gt;');// eslint-disable-next-line
var BIconChevronContract=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronContract','&lt;path fill-rule="evenodd" d="M3.646 13.854a.5.5 0 0 0 .708 0L8 10.207l3.646 3.647a.5.5 0 0 0 .708-.708l-4-4a.5.5 0 0 0-.708 0l-4 4a.5.5 0 0 0 0 .708zm0-11.708a.5.5 0 0 1 .708 0L8 5.793l3.646-3.647a.5.5 0 0 1 .708.708l-4 4a.5.5 0 0 1-.708 0l-4-4a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconChevronDoubleDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronDoubleDown','&lt;path fill-rule="evenodd" d="M1.646 6.646a.5.5 0 0 1 .708 0L8 12.293l5.646-5.647a.5.5 0 0 1 .708.708l-6 6a.5.5 0 0 1-.708 0l-6-6a.5.5 0 0 1 0-.708z"/&gt;&lt;path fill-rule="evenodd" d="M1.646 2.646a.5.5 0 0 1 .708 0L8 8.293l5.646-5.647a.5.5 0 0 1 .708.708l-6 6a.5.5 0 0 1-.708 0l-6-6a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconChevronDoubleLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronDoubleLeft','&lt;path fill-rule="evenodd" d="M8.354 1.646a.5.5 0 0 1 0 .708L2.707 8l5.647 5.646a.5.5 0 0 1-.708.708l-6-6a.5.5 0 0 1 0-.708l6-6a.5.5 0 0 1 .708 0z"/&gt;&lt;path fill-rule="evenodd" d="M12.354 1.646a.5.5 0 0 1 0 .708L6.707 8l5.647 5.646a.5.5 0 0 1-.708.708l-6-6a.5.5 0 0 1 0-.708l6-6a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconChevronDoubleRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronDoubleRight','&lt;path fill-rule="evenodd" d="M3.646 1.646a.5.5 0 0 1 .708 0l6 6a.5.5 0 0 1 0 .708l-6 6a.5.5 0 0 1-.708-.708L9.293 8 3.646 2.354a.5.5 0 0 1 0-.708z"/&gt;&lt;path fill-rule="evenodd" d="M7.646 1.646a.5.5 0 0 1 .708 0l6 6a.5.5 0 0 1 0 .708l-6 6a.5.5 0 0 1-.708-.708L13.293 8 7.646 2.354a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconChevronDoubleUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronDoubleUp','&lt;path fill-rule="evenodd" d="M7.646 2.646a.5.5 0 0 1 .708 0l6 6a.5.5 0 0 1-.708.708L8 3.707 2.354 9.354a.5.5 0 1 1-.708-.708l6-6z"/&gt;&lt;path fill-rule="evenodd" d="M7.646 6.646a.5.5 0 0 1 .708 0l6 6a.5.5 0 0 1-.708.708L8 7.707l-5.646 5.647a.5.5 0 0 1-.708-.708l6-6z"/&gt;');// eslint-disable-next-line
var BIconChevronDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronDown','&lt;path fill-rule="evenodd" d="M1.646 4.646a.5.5 0 0 1 .708 0L8 10.293l5.646-5.647a.5.5 0 0 1 .708.708l-6 6a.5.5 0 0 1-.708 0l-6-6a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconChevronExpand=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronExpand','&lt;path fill-rule="evenodd" d="M3.646 9.146a.5.5 0 0 1 .708 0L8 12.793l3.646-3.647a.5.5 0 0 1 .708.708l-4 4a.5.5 0 0 1-.708 0l-4-4a.5.5 0 0 1 0-.708zm0-2.292a.5.5 0 0 0 .708 0L8 3.207l3.646 3.647a.5.5 0 0 0 .708-.708l-4-4a.5.5 0 0 0-.708 0l-4 4a.5.5 0 0 0 0 .708z"/&gt;');// eslint-disable-next-line
var BIconChevronLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronLeft','&lt;path fill-rule="evenodd" d="M11.354 1.646a.5.5 0 0 1 0 .708L5.707 8l5.647 5.646a.5.5 0 0 1-.708.708l-6-6a.5.5 0 0 1 0-.708l6-6a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconChevronRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronRight','&lt;path fill-rule="evenodd" d="M4.646 1.646a.5.5 0 0 1 .708 0l6 6a.5.5 0 0 1 0 .708l-6 6a.5.5 0 0 1-.708-.708L10.293 8 4.646 2.354a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconChevronUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ChevronUp','&lt;path fill-rule="evenodd" d="M7.646 4.646a.5.5 0 0 1 .708 0l6 6a.5.5 0 0 1-.708.708L8 5.707l-5.646 5.647a.5.5 0 0 1-.708-.708l6-6z"/&gt;');// eslint-disable-next-line
var BIconCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Circle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;');// eslint-disable-next-line
var BIconCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CircleFill','&lt;circle cx="8" cy="8" r="8"/&gt;');// eslint-disable-next-line
var BIconCircleHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CircleHalf','&lt;path d="M8 15A7 7 0 1 0 8 1v14zm0 1A8 8 0 1 1 8 0a8 8 0 0 1 0 16z"/&gt;');// eslint-disable-next-line
var BIconCircleSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CircleSquare','&lt;path d="M0 6a6 6 0 1 1 12 0A6 6 0 0 1 0 6z"/&gt;&lt;path d="M12.93 5h1.57a.5.5 0 0 1 .5.5v9a.5.5 0 0 1-.5.5h-9a.5.5 0 0 1-.5-.5v-1.57a6.953 6.953 0 0 1-1-.22v1.79A1.5 1.5 0 0 0 5.5 16h9a1.5 1.5 0 0 0 1.5-1.5v-9A1.5 1.5 0 0 0 14.5 4h-1.79c.097.324.17.658.22 1z"/&gt;');// eslint-disable-next-line
var BIconClipboard=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Clipboard','&lt;path d="M4 1.5H3a2 2 0 0 0-2 2V14a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V3.5a2 2 0 0 0-2-2h-1v1h1a1 1 0 0 1 1 1V14a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3.5a1 1 0 0 1 1-1h1v-1z"/&gt;&lt;path d="M9.5 1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-3a.5.5 0 0 1-.5-.5v-1a.5.5 0 0 1 .5-.5h3zm-3-1A1.5 1.5 0 0 0 5 1.5v1A1.5 1.5 0 0 0 6.5 4h3A1.5 1.5 0 0 0 11 2.5v-1A1.5 1.5 0 0 0 9.5 0h-3z"/&gt;');// eslint-disable-next-line
var BIconClipboardCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ClipboardCheck','&lt;path fill-rule="evenodd" d="M10.854 7.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7.5 9.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="M4 1.5H3a2 2 0 0 0-2 2V14a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V3.5a2 2 0 0 0-2-2h-1v1h1a1 1 0 0 1 1 1V14a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3.5a1 1 0 0 1 1-1h1v-1z"/&gt;&lt;path d="M9.5 1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-3a.5.5 0 0 1-.5-.5v-1a.5.5 0 0 1 .5-.5h3zm-3-1A1.5 1.5 0 0 0 5 1.5v1A1.5 1.5 0 0 0 6.5 4h3A1.5 1.5 0 0 0 11 2.5v-1A1.5 1.5 0 0 0 9.5 0h-3z"/&gt;');// eslint-disable-next-line
var BIconClipboardData=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ClipboardData','&lt;path d="M4 11a1 1 0 1 1 2 0v1a1 1 0 1 1-2 0v-1zm6-4a1 1 0 1 1 2 0v5a1 1 0 1 1-2 0V7zM7 9a1 1 0 0 1 2 0v3a1 1 0 1 1-2 0V9z"/&gt;&lt;path d="M4 1.5H3a2 2 0 0 0-2 2V14a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V3.5a2 2 0 0 0-2-2h-1v1h1a1 1 0 0 1 1 1V14a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3.5a1 1 0 0 1 1-1h1v-1z"/&gt;&lt;path d="M9.5 1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-3a.5.5 0 0 1-.5-.5v-1a.5.5 0 0 1 .5-.5h3zm-3-1A1.5 1.5 0 0 0 5 1.5v1A1.5 1.5 0 0 0 6.5 4h3A1.5 1.5 0 0 0 11 2.5v-1A1.5 1.5 0 0 0 9.5 0h-3z"/&gt;');// eslint-disable-next-line
var BIconClipboardMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ClipboardMinus','&lt;path fill-rule="evenodd" d="M5.5 9.5A.5.5 0 0 1 6 9h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M4 1.5H3a2 2 0 0 0-2 2V14a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V3.5a2 2 0 0 0-2-2h-1v1h1a1 1 0 0 1 1 1V14a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3.5a1 1 0 0 1 1-1h1v-1z"/&gt;&lt;path d="M9.5 1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-3a.5.5 0 0 1-.5-.5v-1a.5.5 0 0 1 .5-.5h3zm-3-1A1.5 1.5 0 0 0 5 1.5v1A1.5 1.5 0 0 0 6.5 4h3A1.5 1.5 0 0 0 11 2.5v-1A1.5 1.5 0 0 0 9.5 0h-3z"/&gt;');// eslint-disable-next-line
var BIconClipboardPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ClipboardPlus','&lt;path fill-rule="evenodd" d="M8 7a.5.5 0 0 1 .5.5V9H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V10H6a.5.5 0 0 1 0-1h1.5V7.5A.5.5 0 0 1 8 7z"/&gt;&lt;path d="M4 1.5H3a2 2 0 0 0-2 2V14a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V3.5a2 2 0 0 0-2-2h-1v1h1a1 1 0 0 1 1 1V14a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3.5a1 1 0 0 1 1-1h1v-1z"/&gt;&lt;path d="M9.5 1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-3a.5.5 0 0 1-.5-.5v-1a.5.5 0 0 1 .5-.5h3zm-3-1A1.5 1.5 0 0 0 5 1.5v1A1.5 1.5 0 0 0 6.5 4h3A1.5 1.5 0 0 0 11 2.5v-1A1.5 1.5 0 0 0 9.5 0h-3z"/&gt;');// eslint-disable-next-line
var BIconClipboardX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ClipboardX','&lt;path fill-rule="evenodd" d="M6.146 7.146a.5.5 0 0 1 .708 0L8 8.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 9l1.147 1.146a.5.5 0 0 1-.708.708L8 9.707l-1.146 1.147a.5.5 0 0 1-.708-.708L7.293 9 6.146 7.854a.5.5 0 0 1 0-.708z"/&gt;&lt;path d="M4 1.5H3a2 2 0 0 0-2 2V14a2 2 0 0 0 2 2h10a2 2 0 0 0 2-2V3.5a2 2 0 0 0-2-2h-1v1h1a1 1 0 0 1 1 1V14a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3.5a1 1 0 0 1 1-1h1v-1z"/&gt;&lt;path d="M9.5 1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-3a.5.5 0 0 1-.5-.5v-1a.5.5 0 0 1 .5-.5h3zm-3-1A1.5 1.5 0 0 0 5 1.5v1A1.5 1.5 0 0 0 6.5 4h3A1.5 1.5 0 0 0 11 2.5v-1A1.5 1.5 0 0 0 9.5 0h-3z"/&gt;');// eslint-disable-next-line
var BIconClock=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Clock','&lt;path d="M8 3.5a.5.5 0 0 0-1 0V9a.5.5 0 0 0 .252.434l3.5 2a.5.5 0 0 0 .496-.868L8 8.71V3.5z"/&gt;&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zm7-8A7 7 0 1 1 1 8a7 7 0 0 1 14 0z"/&gt;');// eslint-disable-next-line
var BIconClockFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ClockFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM8 3.5a.5.5 0 0 0-1 0V9a.5.5 0 0 0 .252.434l3.5 2a.5.5 0 0 0 .496-.868L8 8.71V3.5z"/&gt;');// eslint-disable-next-line
var BIconClockHistory=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ClockHistory','&lt;path d="M8.515 1.019A7 7 0 0 0 8 1V0a8 8 0 0 1 .589.022l-.074.997zm2.004.45a7.003 7.003 0 0 0-.985-.299l.219-.976c.383.086.76.2 1.126.342l-.36.933zm1.37.71a7.01 7.01 0 0 0-.439-.27l.493-.87a8.025 8.025 0 0 1 .979.654l-.615.789a6.996 6.996 0 0 0-.418-.302zm1.834 1.79a6.99 6.99 0 0 0-.653-.796l.724-.69c.27.285.52.59.747.91l-.818.576zm.744 1.352a7.08 7.08 0 0 0-.214-.468l.893-.45a7.976 7.976 0 0 1 .45 1.088l-.95.313a7.023 7.023 0 0 0-.179-.483zm.53 2.507a6.991 6.991 0 0 0-.1-1.025l.985-.17c.067.386.106.778.116 1.17l-1 .025zm-.131 1.538c.033-.17.06-.339.081-.51l.993.123a7.957 7.957 0 0 1-.23 1.155l-.964-.267c.046-.165.086-.332.12-.501zm-.952 2.379c.184-.29.346-.594.486-.908l.914.405c-.16.36-.345.706-.555 1.038l-.845-.535zm-.964 1.205c.122-.122.239-.248.35-.378l.758.653a8.073 8.073 0 0 1-.401.432l-.707-.707z"/&gt;&lt;path d="M8 1a7 7 0 1 0 4.95 11.95l.707.707A8.001 8.001 0 1 1 8 0v1z"/&gt;&lt;path d="M7.5 3a.5.5 0 0 1 .5.5v5.21l3.248 1.856a.5.5 0 0 1-.496.868l-3.5-2A.5.5 0 0 1 7 9V3.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconCloud=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cloud','&lt;path d="M4.406 3.342A5.53 5.53 0 0 1 8 2c2.69 0 4.923 2 5.166 4.579C14.758 6.804 16 8.137 16 9.773 16 11.569 14.502 13 12.687 13H3.781C1.708 13 0 11.366 0 9.318c0-1.763 1.266-3.223 2.942-3.593.143-.863.698-1.723 1.464-2.383zm.653.757c-.757.653-1.153 1.44-1.153 2.056v.448l-.445.049C2.064 6.805 1 7.952 1 9.318 1 10.785 2.23 12 3.781 12h8.906C13.98 12 15 10.988 15 9.773c0-1.216-1.02-2.228-2.313-2.228h-.5v-.5C12.188 4.825 10.328 3 8 3a4.53 4.53 0 0 0-2.941 1.1z"/&gt;');// eslint-disable-next-line
var BIconCloudArrowDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudArrowDown','&lt;path fill-rule="evenodd" d="M7.646 10.854a.5.5 0 0 0 .708 0l2-2a.5.5 0 0 0-.708-.708L8.5 9.293V5.5a.5.5 0 0 0-1 0v3.793L6.354 8.146a.5.5 0 1 0-.708.708l2 2z"/&gt;&lt;path d="M4.406 3.342A5.53 5.53 0 0 1 8 2c2.69 0 4.923 2 5.166 4.579C14.758 6.804 16 8.137 16 9.773 16 11.569 14.502 13 12.687 13H3.781C1.708 13 0 11.366 0 9.318c0-1.763 1.266-3.223 2.942-3.593.143-.863.698-1.723 1.464-2.383zm.653.757c-.757.653-1.153 1.44-1.153 2.056v.448l-.445.049C2.064 6.805 1 7.952 1 9.318 1 10.785 2.23 12 3.781 12h8.906C13.98 12 15 10.988 15 9.773c0-1.216-1.02-2.228-2.313-2.228h-.5v-.5C12.188 4.825 10.328 3 8 3a4.53 4.53 0 0 0-2.941 1.1z"/&gt;');// eslint-disable-next-line
var BIconCloudArrowDownFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudArrowDownFill','&lt;path d="M8 2a5.53 5.53 0 0 0-3.594 1.342c-.766.66-1.321 1.52-1.464 2.383C1.266 6.095 0 7.555 0 9.318 0 11.366 1.708 13 3.781 13h8.906C14.502 13 16 11.57 16 9.773c0-1.636-1.242-2.969-2.834-3.194C12.923 3.999 10.69 2 8 2zm2.354 6.854-2 2a.5.5 0 0 1-.708 0l-2-2a.5.5 0 1 1 .708-.708L7.5 9.293V5.5a.5.5 0 0 1 1 0v3.793l1.146-1.147a.5.5 0 0 1 .708.708z"/&gt;');// eslint-disable-next-line
var BIconCloudArrowUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudArrowUp','&lt;path fill-rule="evenodd" d="M7.646 5.146a.5.5 0 0 1 .708 0l2 2a.5.5 0 0 1-.708.708L8.5 6.707V10.5a.5.5 0 0 1-1 0V6.707L6.354 7.854a.5.5 0 1 1-.708-.708l2-2z"/&gt;&lt;path d="M4.406 3.342A5.53 5.53 0 0 1 8 2c2.69 0 4.923 2 5.166 4.579C14.758 6.804 16 8.137 16 9.773 16 11.569 14.502 13 12.687 13H3.781C1.708 13 0 11.366 0 9.318c0-1.763 1.266-3.223 2.942-3.593.143-.863.698-1.723 1.464-2.383zm.653.757c-.757.653-1.153 1.44-1.153 2.056v.448l-.445.049C2.064 6.805 1 7.952 1 9.318 1 10.785 2.23 12 3.781 12h8.906C13.98 12 15 10.988 15 9.773c0-1.216-1.02-2.228-2.313-2.228h-.5v-.5C12.188 4.825 10.328 3 8 3a4.53 4.53 0 0 0-2.941 1.1z"/&gt;');// eslint-disable-next-line
var BIconCloudArrowUpFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudArrowUpFill','&lt;path d="M8 2a5.53 5.53 0 0 0-3.594 1.342c-.766.66-1.321 1.52-1.464 2.383C1.266 6.095 0 7.555 0 9.318 0 11.366 1.708 13 3.781 13h8.906C14.502 13 16 11.57 16 9.773c0-1.636-1.242-2.969-2.834-3.194C12.923 3.999 10.69 2 8 2zm2.354 5.146a.5.5 0 0 1-.708.708L8.5 6.707V10.5a.5.5 0 0 1-1 0V6.707L6.354 7.854a.5.5 0 1 1-.708-.708l2-2a.5.5 0 0 1 .708 0l2 2z"/&gt;');// eslint-disable-next-line
var BIconCloudCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudCheck','&lt;path fill-rule="evenodd" d="M10.354 6.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7 8.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="M4.406 3.342A5.53 5.53 0 0 1 8 2c2.69 0 4.923 2 5.166 4.579C14.758 6.804 16 8.137 16 9.773 16 11.569 14.502 13 12.687 13H3.781C1.708 13 0 11.366 0 9.318c0-1.763 1.266-3.223 2.942-3.593.143-.863.698-1.723 1.464-2.383zm.653.757c-.757.653-1.153 1.44-1.153 2.056v.448l-.445.049C2.064 6.805 1 7.952 1 9.318 1 10.785 2.23 12 3.781 12h8.906C13.98 12 15 10.988 15 9.773c0-1.216-1.02-2.228-2.313-2.228h-.5v-.5C12.188 4.825 10.328 3 8 3a4.53 4.53 0 0 0-2.941 1.1z"/&gt;');// eslint-disable-next-line
var BIconCloudCheckFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudCheckFill','&lt;path d="M8 2a5.53 5.53 0 0 0-3.594 1.342c-.766.66-1.321 1.52-1.464 2.383C1.266 6.095 0 7.555 0 9.318 0 11.366 1.708 13 3.781 13h8.906C14.502 13 16 11.57 16 9.773c0-1.636-1.242-2.969-2.834-3.194C12.923 3.999 10.69 2 8 2zm2.354 4.854-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7 8.793l2.646-2.647a.5.5 0 0 1 .708.708z"/&gt;');// eslint-disable-next-line
var BIconCloudDownload=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudDownload','&lt;path d="M4.406 1.342A5.53 5.53 0 0 1 8 0c2.69 0 4.923 2 5.166 4.579C14.758 4.804 16 6.137 16 7.773 16 9.569 14.502 11 12.687 11H10a.5.5 0 0 1 0-1h2.688C13.979 10 15 8.988 15 7.773c0-1.216-1.02-2.228-2.313-2.228h-.5v-.5C12.188 2.825 10.328 1 8 1a4.53 4.53 0 0 0-2.941 1.1c-.757.652-1.153 1.438-1.153 2.055v.448l-.445.049C2.064 4.805 1 5.952 1 7.318 1 8.785 2.23 10 3.781 10H6a.5.5 0 0 1 0 1H3.781C1.708 11 0 9.366 0 7.318c0-1.763 1.266-3.223 2.942-3.593.143-.863.698-1.723 1.464-2.383z"/&gt;&lt;path d="M7.646 15.854a.5.5 0 0 0 .708 0l3-3a.5.5 0 0 0-.708-.708L8.5 14.293V5.5a.5.5 0 0 0-1 0v8.793l-2.146-2.147a.5.5 0 0 0-.708.708l3 3z"/&gt;');// eslint-disable-next-line
var BIconCloudDownloadFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudDownloadFill','&lt;path fill-rule="evenodd" d="M8 0a5.53 5.53 0 0 0-3.594 1.342c-.766.66-1.321 1.52-1.464 2.383C1.266 4.095 0 5.555 0 7.318 0 9.366 1.708 11 3.781 11H7.5V5.5a.5.5 0 0 1 1 0V11h4.188C14.502 11 16 9.57 16 7.773c0-1.636-1.242-2.969-2.834-3.194C12.923 1.999 10.69 0 8 0zm-.354 15.854a.5.5 0 0 0 .708 0l3-3a.5.5 0 0 0-.708-.708L8.5 14.293V11h-1v3.293l-2.146-2.147a.5.5 0 0 0-.708.708l3 3z"/&gt;');// eslint-disable-next-line
var BIconCloudDrizzle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudDrizzle','&lt;path d="M4.158 12.025a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 0 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm6 0a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 0 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm-3.5 1.5a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 0 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm6 0a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm.747-8.498a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 11H13a3 3 0 0 0 .405-5.973zM8.5 2a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1 0 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 2z"/&gt;');// eslint-disable-next-line
var BIconCloudDrizzleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudDrizzleFill','&lt;path d="M4.158 12.025a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 0 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm6 0a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 0 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm-3.5 1.5a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 0 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm6 0a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm.747-8.498a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 11H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCloudFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudFill','&lt;path d="M4.406 3.342A5.53 5.53 0 0 1 8 2c2.69 0 4.923 2 5.166 4.579C14.758 6.804 16 8.137 16 9.773 16 11.569 14.502 13 12.687 13H3.781C1.708 13 0 11.366 0 9.318c0-1.763 1.266-3.223 2.942-3.593.143-.863.698-1.723 1.464-2.383z"/&gt;');// eslint-disable-next-line
var BIconCloudFog=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudFog','&lt;path d="M3 13.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm10.405-9.473a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 12H13a3 3 0 0 0 .405-5.973zM8.5 3a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1 0 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 3z"/&gt;');// eslint-disable-next-line
var BIconCloudFog2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudFog2','&lt;path d="M8.5 4a4.002 4.002 0 0 0-3.8 2.745.5.5 0 1 1-.949-.313 5.002 5.002 0 0 1 9.654.595A3 3 0 0 1 13 13H.5a.5.5 0 0 1 0-1H13a2 2 0 0 0 .001-4h-.026a.5.5 0 0 1-.5-.445A4 4 0 0 0 8.5 4zM0 8.5A.5.5 0 0 1 .5 8h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconCloudFog2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudFog2Fill','&lt;path d="M8.5 3a5.001 5.001 0 0 1 4.905 4.027A3 3 0 0 1 13 13h-1.5a.5.5 0 0 0 0-1H1.05a3.51 3.51 0 0 1-.713-1H9.5a.5.5 0 0 0 0-1H.035a3.53 3.53 0 0 1 0-1H7.5a.5.5 0 0 0 0-1H.337a3.5 3.5 0 0 1 3.57-1.977A5.001 5.001 0 0 1 8.5 3z"/&gt;');// eslint-disable-next-line
var BIconCloudFogFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudFogFill','&lt;path d="M3 13.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm10.405-9.473a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 12H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCloudHail=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudHail','&lt;path d="M13.405 4.527a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10.5H13a3 3 0 0 0 .405-5.973zM8.5 1.5a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1-.001 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 1.5zM3.75 15.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm.408-3.724a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zM7.75 15.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm.408-3.724a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm3.592 3.724a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm.408-3.724a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316z"/&gt;');// eslint-disable-next-line
var BIconCloudHailFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudHailFill','&lt;path d="M3.75 15.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm.408-3.724a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zM7.75 15.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm.408-3.724a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm3.592 3.724a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm.408-3.724a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm1.247-6.999a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10.5H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCloudHaze=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudHaze','&lt;path d="M8.5 3a4.002 4.002 0 0 0-3.8 2.745.5.5 0 1 1-.949-.313 5.002 5.002 0 0 1 9.654.595A3 3 0 0 1 13 12H4.5a.5.5 0 0 1 0-1H13a2 2 0 0 0 .001-4h-.026a.5.5 0 0 1-.5-.445A4 4 0 0 0 8.5 3zM0 7.5A.5.5 0 0 1 .5 7h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm2 2a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm-2 4a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconCloudHaze1=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudHaze1','&lt;path d="M4 11.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm-3 2a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm2 2a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zM13.405 4.027a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10H13a3 3 0 0 0 .405-5.973zM8.5 1a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1 0 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 1z"/&gt;');// eslint-disable-next-line
var BIconCloudHaze2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudHaze2Fill','&lt;path d="M8.5 2a5.001 5.001 0 0 1 4.905 4.027A3 3 0 0 1 13 12H3.5A3.5 3.5 0 0 1 .035 9H5.5a.5.5 0 0 0 0-1H.035a3.5 3.5 0 0 1 3.871-2.977A5.001 5.001 0 0 1 8.5 2zm-6 8a.5.5 0 0 0 0 1h9a.5.5 0 0 0 0-1h-9zM0 13.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconCloudHazeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudHazeFill','&lt;path d="M4 11.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm-3 2a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm2 2a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zM13.405 4.027a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCloudLightning=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudLightning','&lt;path d="M13.405 4.027a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10H13a3 3 0 0 0 .405-5.973zM8.5 1a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1 0 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 1zM7.053 11.276A.5.5 0 0 1 7.5 11h1a.5.5 0 0 1 .474.658l-.28.842H9.5a.5.5 0 0 1 .39.812l-2 2.5a.5.5 0 0 1-.875-.433L7.36 14H6.5a.5.5 0 0 1-.447-.724l1-2z"/&gt;');// eslint-disable-next-line
var BIconCloudLightningFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudLightningFill','&lt;path d="M7.053 11.276A.5.5 0 0 1 7.5 11h1a.5.5 0 0 1 .474.658l-.28.842H9.5a.5.5 0 0 1 .39.812l-2 2.5a.5.5 0 0 1-.875-.433L7.36 14H6.5a.5.5 0 0 1-.447-.724l1-2zm6.352-7.249a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCloudLightningRain=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudLightningRain','&lt;path d="M2.658 11.026a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm9.5 0a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm-7.5 1.5a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm9.5 0a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm-.753-8.499a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10H13a3 3 0 0 0 .405-5.973zM8.5 1a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1 0 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 1zM7.053 11.276A.5.5 0 0 1 7.5 11h1a.5.5 0 0 1 .474.658l-.28.842H9.5a.5.5 0 0 1 .39.812l-2 2.5a.5.5 0 0 1-.875-.433L7.36 14H6.5a.5.5 0 0 1-.447-.724l1-2z"/&gt;');// eslint-disable-next-line
var BIconCloudLightningRainFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudLightningRainFill','&lt;path d="M2.658 11.026a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm9.5 0a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 0 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm-7.5 1.5a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm9.5 0a.5.5 0 0 1 .316.632l-.5 1.5a.5.5 0 0 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.316zm-7.105-1.25A.5.5 0 0 1 7.5 11h1a.5.5 0 0 1 .474.658l-.28.842H9.5a.5.5 0 0 1 .39.812l-2 2.5a.5.5 0 0 1-.875-.433L7.36 14H6.5a.5.5 0 0 1-.447-.724l1-2zm6.352-7.249a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCloudMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudMinus','&lt;path d="M4.406 3.342A5.53 5.53 0 0 1 8 2c2.69 0 4.923 2 5.166 4.579C14.758 6.804 16 8.137 16 9.773 16 11.569 14.502 13 12.687 13H3.781C1.708 13 0 11.366 0 9.318c0-1.763 1.266-3.223 2.942-3.593.143-.863.698-1.723 1.464-2.383zm.653.757c-.757.653-1.153 1.44-1.153 2.056v.448l-.445.049C2.064 6.805 1 7.952 1 9.318 1 10.785 2.23 12 3.781 12h8.906C13.98 12 15 10.988 15 9.773c0-1.216-1.02-2.228-2.313-2.228h-.5v-.5C12.188 4.825 10.328 3 8 3a4.53 4.53 0 0 0-2.941 1.1z"/&gt;');// eslint-disable-next-line
var BIconCloudMinusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudMinusFill','&lt;path d="M8 2a5.53 5.53 0 0 0-3.594 1.342c-.766.66-1.321 1.52-1.464 2.383C1.266 6.095 0 7.555 0 9.318 0 11.366 1.708 13 3.781 13h8.906C14.502 13 16 11.57 16 9.773c0-1.636-1.242-2.969-2.834-3.194C12.923 3.999 10.69 2 8 2zM6 7.5h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconCloudMoon=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudMoon','&lt;path d="M7 8a3.5 3.5 0 0 1 3.5 3.555.5.5 0 0 0 .625.492A1.503 1.503 0 0 1 13 13.5a1.5 1.5 0 0 1-1.5 1.5H3a2 2 0 1 1 .1-3.998.5.5 0 0 0 .509-.375A3.502 3.502 0 0 1 7 8zm4.473 3a4.5 4.5 0 0 0-8.72-.99A3 3 0 0 0 3 16h8.5a2.5 2.5 0 0 0 0-5h-.027z"/&gt;&lt;path d="M11.286 1.778a.5.5 0 0 0-.565-.755 4.595 4.595 0 0 0-3.18 5.003 5.46 5.46 0 0 1 1.055.209A3.603 3.603 0 0 1 9.83 2.617a4.593 4.593 0 0 0 4.31 5.744 3.576 3.576 0 0 1-2.241.634c.162.317.295.652.394 1a4.59 4.59 0 0 0 3.624-2.04.5.5 0 0 0-.565-.755 3.593 3.593 0 0 1-4.065-5.422z"/&gt;');// eslint-disable-next-line
var BIconCloudMoonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudMoonFill','&lt;path d="M11.473 11a4.5 4.5 0 0 0-8.72-.99A3 3 0 0 0 3 16h8.5a2.5 2.5 0 0 0 0-5h-.027z"/&gt;&lt;path d="M11.286 1.778a.5.5 0 0 0-.565-.755 4.595 4.595 0 0 0-3.18 5.003 5.46 5.46 0 0 1 1.055.209A3.603 3.603 0 0 1 9.83 2.617a4.593 4.593 0 0 0 4.31 5.744 3.576 3.576 0 0 1-2.241.634c.162.317.295.652.394 1a4.59 4.59 0 0 0 3.624-2.04.5.5 0 0 0-.565-.755 3.593 3.593 0 0 1-4.065-5.422z"/&gt;');// eslint-disable-next-line
var BIconCloudPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudPlus','&lt;path fill-rule="evenodd" d="M8 5.5a.5.5 0 0 1 .5.5v1.5H10a.5.5 0 0 1 0 1H8.5V10a.5.5 0 0 1-1 0V8.5H6a.5.5 0 0 1 0-1h1.5V6a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M4.406 3.342A5.53 5.53 0 0 1 8 2c2.69 0 4.923 2 5.166 4.579C14.758 6.804 16 8.137 16 9.773 16 11.569 14.502 13 12.687 13H3.781C1.708 13 0 11.366 0 9.318c0-1.763 1.266-3.223 2.942-3.593.143-.863.698-1.723 1.464-2.383zm.653.757c-.757.653-1.153 1.44-1.153 2.056v.448l-.445.049C2.064 6.805 1 7.952 1 9.318 1 10.785 2.23 12 3.781 12h8.906C13.98 12 15 10.988 15 9.773c0-1.216-1.02-2.228-2.313-2.228h-.5v-.5C12.188 4.825 10.328 3 8 3a4.53 4.53 0 0 0-2.941 1.1z"/&gt;');// eslint-disable-next-line
var BIconCloudPlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudPlusFill','&lt;path d="M8 2a5.53 5.53 0 0 0-3.594 1.342c-.766.66-1.321 1.52-1.464 2.383C1.266 6.095 0 7.555 0 9.318 0 11.366 1.708 13 3.781 13h8.906C14.502 13 16 11.57 16 9.773c0-1.636-1.242-2.969-2.834-3.194C12.923 3.999 10.69 2 8 2zm.5 4v1.5H10a.5.5 0 0 1 0 1H8.5V10a.5.5 0 0 1-1 0V8.5H6a.5.5 0 0 1 0-1h1.5V6a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconCloudRain=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudRain','&lt;path d="M4.158 12.025a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 0 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm3 0a.5.5 0 0 1 .316.633l-1 3a.5.5 0 0 1-.948-.316l1-3a.5.5 0 0 1 .632-.317zm3 0a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 0 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm3 0a.5.5 0 0 1 .316.633l-1 3a.5.5 0 1 1-.948-.316l1-3a.5.5 0 0 1 .632-.317zm.247-6.998a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 11H13a3 3 0 0 0 .405-5.973zM8.5 2a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1 0 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 2z"/&gt;');// eslint-disable-next-line
var BIconCloudRainFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudRainFill','&lt;path d="M4.158 12.025a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm3 0a.5.5 0 0 1 .316.633l-1 3a.5.5 0 1 1-.948-.316l1-3a.5.5 0 0 1 .632-.317zm3 0a.5.5 0 0 1 .316.633l-.5 1.5a.5.5 0 1 1-.948-.316l.5-1.5a.5.5 0 0 1 .632-.317zm3 0a.5.5 0 0 1 .316.633l-1 3a.5.5 0 1 1-.948-.316l1-3a.5.5 0 0 1 .632-.317zm.247-6.998a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 11H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCloudRainHeavy=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudRainHeavy','&lt;path d="M4.176 11.032a.5.5 0 0 1 .292.643l-1.5 4a.5.5 0 1 1-.936-.35l1.5-4a.5.5 0 0 1 .644-.293zm3 0a.5.5 0 0 1 .292.643l-1.5 4a.5.5 0 1 1-.936-.35l1.5-4a.5.5 0 0 1 .644-.293zm3 0a.5.5 0 0 1 .292.643l-1.5 4a.5.5 0 1 1-.936-.35l1.5-4a.5.5 0 0 1 .644-.293zm3 0a.5.5 0 0 1 .292.643l-1.5 4a.5.5 0 0 1-.936-.35l1.5-4a.5.5 0 0 1 .644-.293zm.229-7.005a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10H13a3 3 0 0 0 .405-5.973zM8.5 1a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1 0 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 1z"/&gt;');// eslint-disable-next-line
var BIconCloudRainHeavyFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudRainHeavyFill','&lt;path d="M4.176 11.032a.5.5 0 0 1 .292.643l-1.5 4a.5.5 0 0 1-.936-.35l1.5-4a.5.5 0 0 1 .644-.293zm3 0a.5.5 0 0 1 .292.643l-1.5 4a.5.5 0 0 1-.936-.35l1.5-4a.5.5 0 0 1 .644-.293zm3 0a.5.5 0 0 1 .292.643l-1.5 4a.5.5 0 0 1-.936-.35l1.5-4a.5.5 0 0 1 .644-.293zm3 0a.5.5 0 0 1 .292.643l-1.5 4a.5.5 0 0 1-.936-.35l1.5-4a.5.5 0 0 1 .644-.293zm.229-7.005a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCloudSlash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudSlash','&lt;path fill-rule="evenodd" d="M3.112 5.112a3.125 3.125 0 0 0-.17.613C1.266 6.095 0 7.555 0 9.318 0 11.366 1.708 13 3.781 13H11l-1-1H3.781C2.231 12 1 10.785 1 9.318c0-1.365 1.064-2.513 2.46-2.666l.446-.05v-.447c0-.075.006-.152.018-.231l-.812-.812zm2.55-1.45-.725-.725A5.512 5.512 0 0 1 8 2c2.69 0 4.923 2 5.166 4.579C14.758 6.804 16 8.137 16 9.773a3.2 3.2 0 0 1-1.516 2.711l-.733-.733C14.498 11.378 15 10.626 15 9.773c0-1.216-1.02-2.228-2.313-2.228h-.5v-.5C12.188 4.825 10.328 3 8 3c-.875 0-1.678.26-2.339.661z"/&gt;&lt;path d="m13.646 14.354-12-12 .708-.708 12 12-.707.707z"/&gt;');// eslint-disable-next-line
var BIconCloudSlashFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudSlashFill','&lt;path fill-rule="evenodd" d="M3.112 5.112a3.125 3.125 0 0 0-.17.613C1.266 6.095 0 7.555 0 9.318 0 11.366 1.708 13 3.781 13H11L3.112 5.112zm11.372 7.372L4.937 2.937A5.512 5.512 0 0 1 8 2c2.69 0 4.923 2 5.166 4.579C14.758 6.804 16 8.137 16 9.773a3.2 3.2 0 0 1-1.516 2.711zm-.838 1.87-12-12 .708-.708 12 12-.707.707z"/&gt;');// eslint-disable-next-line
var BIconCloudSleet=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudSleet','&lt;path d="M13.405 4.027a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10H13a3 3 0 0 0 .405-5.973zM8.5 1a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1 0 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 1zM2.375 13.5a.25.25 0 0 1 .25.25v.57l.501-.287a.25.25 0 0 1 .248.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm1.849-2.447a.5.5 0 0 1 .223.67l-.5 1a.5.5 0 1 1-.894-.447l.5-1a.5.5 0 0 1 .67-.223zM6.375 13.5a.25.25 0 0 1 .25.25v.57l.501-.287a.25.25 0 0 1 .248.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm1.849-2.447a.5.5 0 0 1 .223.67l-.5 1a.5.5 0 1 1-.894-.447l.5-1a.5.5 0 0 1 .67-.223zm2.151 2.447a.25.25 0 0 1 .25.25v.57l.501-.287a.25.25 0 0 1 .248.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm1.849-2.447a.5.5 0 0 1 .223.67l-.5 1a.5.5 0 1 1-.894-.447l.5-1a.5.5 0 0 1 .67-.223z"/&gt;');// eslint-disable-next-line
var BIconCloudSleetFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudSleetFill','&lt;path d="M2.375 13.5a.25.25 0 0 1 .25.25v.57l.501-.287a.25.25 0 0 1 .248.434l-.495.283.495.283a.25.25 0 1 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 1 1-.248-.434l.495-.283-.495-.283a.25.25 0 1 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm1.849-2.447a.5.5 0 0 1 .223.67l-.5 1a.5.5 0 0 1-.894-.447l.5-1a.5.5 0 0 1 .67-.223zM6.375 13.5a.25.25 0 0 1 .25.25v.57l.5-.287a.25.25 0 0 1 .249.434l-.495.283.495.283a.25.25 0 1 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 1 1-.248-.434l.495-.283-.495-.283a.25.25 0 1 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm1.849-2.447a.5.5 0 0 1 .223.67l-.5 1a.5.5 0 0 1-.894-.447l.5-1a.5.5 0 0 1 .67-.223zm2.151 2.447a.25.25 0 0 1 .25.25v.57l.5-.287a.25.25 0 0 1 .249.434l-.495.283.495.283a.25.25 0 1 1-.248.434l-.501-.286v.569a.25.25 0 0 1-.5 0v-.57l-.501.287a.25.25 0 1 1-.248-.434l.495-.283-.495-.283a.25.25 0 1 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm1.849-2.447a.5.5 0 0 1 .223.67l-.5 1a.5.5 0 1 1-.894-.447l.5-1a.5.5 0 0 1 .67-.223zm1.181-7.026a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCloudSnow=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudSnow','&lt;path d="M13.405 4.277a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10.25H13a3 3 0 0 0 .405-5.973zM8.5 1.25a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1-.001 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 1.25zM2.625 11.5a.25.25 0 0 1 .25.25v.57l.501-.287a.25.25 0 0 1 .248.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm2.75 2a.25.25 0 0 1 .25.25v.57l.501-.287a.25.25 0 0 1 .248.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm5.5 0a.25.25 0 0 1 .25.25v.57l.501-.287a.25.25 0 0 1 .248.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm-2.75-2a.25.25 0 0 1 .25.25v.57l.501-.287a.25.25 0 0 1 .248.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm5.5 0a.25.25 0 0 1 .25.25v.57l.501-.287a.25.25 0 0 1 .248.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25z"/&gt;');// eslint-disable-next-line
var BIconCloudSnowFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudSnowFill','&lt;path d="M2.625 11.5a.25.25 0 0 1 .25.25v.57l.501-.287a.25.25 0 0 1 .248.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm2.75 2a.25.25 0 0 1 .25.25v.57l.5-.287a.25.25 0 0 1 .249.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm5.5 0a.25.25 0 0 1 .25.25v.57l.5-.287a.25.25 0 0 1 .249.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 0 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm-2.75-2a.25.25 0 0 1 .25.25v.57l.5-.287a.25.25 0 0 1 .249.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 1 1-.5 0v-.57l-.501.287a.25.25 0 0 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm5.5 0a.25.25 0 0 1 .25.25v.57l.5-.287a.25.25 0 0 1 .249.434l-.495.283.495.283a.25.25 0 0 1-.248.434l-.501-.286v.569a.25.25 0 0 1-.5 0v-.57l-.501.287a.25.25 0 1 1-.248-.434l.495-.283-.495-.283a.25.25 0 0 1 .248-.434l.501.286v-.569a.25.25 0 0 1 .25-.25zm-.22-7.223a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 10.25H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCloudSun=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudSun','&lt;path d="M7 8a3.5 3.5 0 0 1 3.5 3.555.5.5 0 0 0 .624.492A1.503 1.503 0 0 1 13 13.5a1.5 1.5 0 0 1-1.5 1.5H3a2 2 0 1 1 .1-3.998.5.5 0 0 0 .51-.375A3.502 3.502 0 0 1 7 8zm4.473 3a4.5 4.5 0 0 0-8.72-.99A3 3 0 0 0 3 16h8.5a2.5 2.5 0 0 0 0-5h-.027z"/&gt;&lt;path d="M10.5 1.5a.5.5 0 0 0-1 0v1a.5.5 0 0 0 1 0v-1zm3.743 1.964a.5.5 0 1 0-.707-.707l-.708.707a.5.5 0 0 0 .708.708l.707-.708zm-7.779-.707a.5.5 0 0 0-.707.707l.707.708a.5.5 0 1 0 .708-.708l-.708-.707zm1.734 3.374a2 2 0 1 1 3.296 2.198c.199.281.372.582.516.898a3 3 0 1 0-4.84-3.225c.352.011.696.055 1.028.129zm4.484 4.074c.6.215 1.125.59 1.522 1.072a.5.5 0 0 0 .039-.742l-.707-.707a.5.5 0 0 0-.854.377zM14.5 6.5a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1z"/&gt;');// eslint-disable-next-line
var BIconCloudSunFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudSunFill','&lt;path d="M11.473 11a4.5 4.5 0 0 0-8.72-.99A3 3 0 0 0 3 16h8.5a2.5 2.5 0 0 0 0-5h-.027z"/&gt;&lt;path d="M10.5 1.5a.5.5 0 0 0-1 0v1a.5.5 0 0 0 1 0v-1zm3.743 1.964a.5.5 0 1 0-.707-.707l-.708.707a.5.5 0 0 0 .708.708l.707-.708zm-7.779-.707a.5.5 0 0 0-.707.707l.707.708a.5.5 0 1 0 .708-.708l-.708-.707zm1.734 3.374a2 2 0 1 1 3.296 2.198c.199.281.372.582.516.898a3 3 0 1 0-4.84-3.225c.352.011.696.055 1.028.129zm4.484 4.074c.6.215 1.125.59 1.522 1.072a.5.5 0 0 0 .039-.742l-.707-.707a.5.5 0 0 0-.854.377zM14.5 6.5a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1z"/&gt;');// eslint-disable-next-line
var BIconCloudUpload=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudUpload','&lt;path fill-rule="evenodd" d="M4.406 1.342A5.53 5.53 0 0 1 8 0c2.69 0 4.923 2 5.166 4.579C14.758 4.804 16 6.137 16 7.773 16 9.569 14.502 11 12.687 11H10a.5.5 0 0 1 0-1h2.688C13.979 10 15 8.988 15 7.773c0-1.216-1.02-2.228-2.313-2.228h-.5v-.5C12.188 2.825 10.328 1 8 1a4.53 4.53 0 0 0-2.941 1.1c-.757.652-1.153 1.438-1.153 2.055v.448l-.445.049C2.064 4.805 1 5.952 1 7.318 1 8.785 2.23 10 3.781 10H6a.5.5 0 0 1 0 1H3.781C1.708 11 0 9.366 0 7.318c0-1.763 1.266-3.223 2.942-3.593.143-.863.698-1.723 1.464-2.383z"/&gt;&lt;path fill-rule="evenodd" d="M7.646 4.146a.5.5 0 0 1 .708 0l3 3a.5.5 0 0 1-.708.708L8.5 5.707V14.5a.5.5 0 0 1-1 0V5.707L5.354 7.854a.5.5 0 1 1-.708-.708l3-3z"/&gt;');// eslint-disable-next-line
var BIconCloudUploadFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudUploadFill','&lt;path fill-rule="evenodd" d="M8 0a5.53 5.53 0 0 0-3.594 1.342c-.766.66-1.321 1.52-1.464 2.383C1.266 4.095 0 5.555 0 7.318 0 9.366 1.708 11 3.781 11H7.5V5.707L5.354 7.854a.5.5 0 1 1-.708-.708l3-3a.5.5 0 0 1 .708 0l3 3a.5.5 0 0 1-.708.708L8.5 5.707V11h4.188C14.502 11 16 9.57 16 7.773c0-1.636-1.242-2.969-2.834-3.194C12.923 1.999 10.69 0 8 0zm-.5 14.5V11h1v3.5a.5.5 0 0 1-1 0z"/&gt;');// eslint-disable-next-line
var BIconClouds=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Clouds','&lt;path d="M16 7.5a2.5 2.5 0 0 1-1.456 2.272 3.513 3.513 0 0 0-.65-.824 1.5 1.5 0 0 0-.789-2.896.5.5 0 0 1-.627-.421 3 3 0 0 0-5.22-1.625 5.587 5.587 0 0 0-1.276.088 4.002 4.002 0 0 1 7.392.91A2.5 2.5 0 0 1 16 7.5z"/&gt;&lt;path d="M7 5a4.5 4.5 0 0 1 4.473 4h.027a2.5 2.5 0 0 1 0 5H3a3 3 0 0 1-.247-5.99A4.502 4.502 0 0 1 7 5zm3.5 4.5a3.5 3.5 0 0 0-6.89-.873.5.5 0 0 1-.51.375A2 2 0 1 0 3 13h8.5a1.5 1.5 0 1 0-.376-2.953.5.5 0 0 1-.624-.492V9.5z"/&gt;');// eslint-disable-next-line
var BIconCloudsFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudsFill','&lt;path d="M11.473 9a4.5 4.5 0 0 0-8.72-.99A3 3 0 0 0 3 14h8.5a2.5 2.5 0 1 0-.027-5z"/&gt;&lt;path d="M14.544 9.772a3.506 3.506 0 0 0-2.225-1.676 5.502 5.502 0 0 0-6.337-4.002 4.002 4.002 0 0 1 7.392.91 2.5 2.5 0 0 1 1.17 4.769z"/&gt;');// eslint-disable-next-line
var BIconCloudy=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cloudy','&lt;path d="M13.405 8.527a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 14.5H13a3 3 0 0 0 .405-5.973zM8.5 5.5a4 4 0 0 1 3.976 3.555.5.5 0 0 0 .5.445H13a2 2 0 0 1-.001 4H3.5a2.5 2.5 0 1 1 .605-4.926.5.5 0 0 0 .596-.329A4.002 4.002 0 0 1 8.5 5.5z"/&gt;');// eslint-disable-next-line
var BIconCloudyFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CloudyFill','&lt;path d="M13.405 7.027a5.001 5.001 0 0 0-9.499-1.004A3.5 3.5 0 1 0 3.5 13H13a3 3 0 0 0 .405-5.973z"/&gt;');// eslint-disable-next-line
var BIconCode=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Code','&lt;path d="M5.854 4.854a.5.5 0 1 0-.708-.708l-3.5 3.5a.5.5 0 0 0 0 .708l3.5 3.5a.5.5 0 0 0 .708-.708L2.707 8l3.147-3.146zm4.292 0a.5.5 0 0 1 .708-.708l3.5 3.5a.5.5 0 0 1 0 .708l-3.5 3.5a.5.5 0 0 1-.708-.708L13.293 8l-3.147-3.146z"/&gt;');// eslint-disable-next-line
var BIconCodeSlash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CodeSlash','&lt;path d="M10.478 1.647a.5.5 0 1 0-.956-.294l-4 13a.5.5 0 0 0 .956.294l4-13zM4.854 4.146a.5.5 0 0 1 0 .708L1.707 8l3.147 3.146a.5.5 0 0 1-.708.708l-3.5-3.5a.5.5 0 0 1 0-.708l3.5-3.5a.5.5 0 0 1 .708 0zm6.292 0a.5.5 0 0 0 0 .708L14.293 8l-3.147 3.146a.5.5 0 0 0 .708.708l3.5-3.5a.5.5 0 0 0 0-.708l-3.5-3.5a.5.5 0 0 0-.708 0z"/&gt;');// eslint-disable-next-line
var BIconCodeSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CodeSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M6.854 4.646a.5.5 0 0 1 0 .708L4.207 8l2.647 2.646a.5.5 0 0 1-.708.708l-3-3a.5.5 0 0 1 0-.708l3-3a.5.5 0 0 1 .708 0zm2.292 0a.5.5 0 0 0 0 .708L11.793 8l-2.647 2.646a.5.5 0 0 0 .708.708l3-3a.5.5 0 0 0 0-.708l-3-3a.5.5 0 0 0-.708 0z"/&gt;');// eslint-disable-next-line
var BIconCoin=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Coin','&lt;path d="M5.5 9.511c.076.954.83 1.697 2.182 1.785V12h.6v-.709c1.4-.098 2.218-.846 2.218-1.932 0-.987-.626-1.496-1.745-1.76l-.473-.112V5.57c.6.068.982.396 1.074.85h1.052c-.076-.919-.864-1.638-2.126-1.716V4h-.6v.719c-1.195.117-2.01.836-2.01 1.853 0 .9.606 1.472 1.613 1.707l.397.098v2.034c-.615-.093-1.022-.43-1.114-.9H5.5zm2.177-2.166c-.59-.137-.91-.416-.91-.836 0-.47.345-.822.915-.925v1.76h-.005zm.692 1.193c.717.166 1.048.435 1.048.91 0 .542-.412.914-1.135.982V8.518l.087.02z"/&gt;&lt;path fill-rule="evenodd" d="M8 15A7 7 0 1 0 8 1a7 7 0 0 0 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path fill-rule="evenodd" d="M8 13.5a5.5 5.5 0 1 0 0-11 5.5 5.5 0 0 0 0 11zm0 .5A6 6 0 1 0 8 2a6 6 0 0 0 0 12z"/&gt;');// eslint-disable-next-line
var BIconCollection=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Collection','&lt;path d="M2.5 3.5a.5.5 0 0 1 0-1h11a.5.5 0 0 1 0 1h-11zm2-2a.5.5 0 0 1 0-1h7a.5.5 0 0 1 0 1h-7zM0 13a1.5 1.5 0 0 0 1.5 1.5h13A1.5 1.5 0 0 0 16 13V6a1.5 1.5 0 0 0-1.5-1.5h-13A1.5 1.5 0 0 0 0 6v7zm1.5.5A.5.5 0 0 1 1 13V6a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-.5.5h-13z"/&gt;');// eslint-disable-next-line
var BIconCollectionFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CollectionFill','&lt;path d="M0 13a1.5 1.5 0 0 0 1.5 1.5h13A1.5 1.5 0 0 0 16 13V6a1.5 1.5 0 0 0-1.5-1.5h-13A1.5 1.5 0 0 0 0 6v7zM2 3a.5.5 0 0 0 .5.5h11a.5.5 0 0 0 0-1h-11A.5.5 0 0 0 2 3zm2-2a.5.5 0 0 0 .5.5h7a.5.5 0 0 0 0-1h-7A.5.5 0 0 0 4 1z"/&gt;');// eslint-disable-next-line
var BIconCollectionPlay=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CollectionPlay','&lt;path d="M2 3a.5.5 0 0 0 .5.5h11a.5.5 0 0 0 0-1h-11A.5.5 0 0 0 2 3zm2-2a.5.5 0 0 0 .5.5h7a.5.5 0 0 0 0-1h-7A.5.5 0 0 0 4 1zm2.765 5.576A.5.5 0 0 0 6 7v5a.5.5 0 0 0 .765.424l4-2.5a.5.5 0 0 0 0-.848l-4-2.5z"/&gt;&lt;path d="M1.5 14.5A1.5 1.5 0 0 1 0 13V6a1.5 1.5 0 0 1 1.5-1.5h13A1.5 1.5 0 0 1 16 6v7a1.5 1.5 0 0 1-1.5 1.5h-13zm13-1a.5.5 0 0 0 .5-.5V6a.5.5 0 0 0-.5-.5h-13A.5.5 0 0 0 1 6v7a.5.5 0 0 0 .5.5h13z"/&gt;');// eslint-disable-next-line
var BIconCollectionPlayFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CollectionPlayFill','&lt;path d="M2.5 3.5a.5.5 0 0 1 0-1h11a.5.5 0 0 1 0 1h-11zm2-2a.5.5 0 0 1 0-1h7a.5.5 0 0 1 0 1h-7zM0 13a1.5 1.5 0 0 0 1.5 1.5h13A1.5 1.5 0 0 0 16 13V6a1.5 1.5 0 0 0-1.5-1.5h-13A1.5 1.5 0 0 0 0 6v7zm6.258-6.437a.5.5 0 0 1 .507.013l4 2.5a.5.5 0 0 1 0 .848l-4 2.5A.5.5 0 0 1 6 12V7a.5.5 0 0 1 .258-.437z"/&gt;');// eslint-disable-next-line
var BIconColumns=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Columns','&lt;path d="M0 2a1 1 0 0 1 1-1h14a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H1a1 1 0 0 1-1-1V2zm8.5 0v8H15V2H8.5zm0 9v3H15v-3H8.5zm-1-9H1v3h6.5V2zM1 14h6.5V6H1v8z"/&gt;');// eslint-disable-next-line
var BIconColumnsGap=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ColumnsGap','&lt;path d="M6 1v3H1V1h5zM1 0a1 1 0 0 0-1 1v3a1 1 0 0 0 1 1h5a1 1 0 0 0 1-1V1a1 1 0 0 0-1-1H1zm14 12v3h-5v-3h5zm-5-1a1 1 0 0 0-1 1v3a1 1 0 0 0 1 1h5a1 1 0 0 0 1-1v-3a1 1 0 0 0-1-1h-5zM6 8v7H1V8h5zM1 7a1 1 0 0 0-1 1v7a1 1 0 0 0 1 1h5a1 1 0 0 0 1-1V8a1 1 0 0 0-1-1H1zm14-6v7h-5V1h5zm-5-1a1 1 0 0 0-1 1v7a1 1 0 0 0 1 1h5a1 1 0 0 0 1-1V1a1 1 0 0 0-1-1h-5z"/&gt;');// eslint-disable-next-line
var BIconCommand=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Command','&lt;path d="M3.5 2A1.5 1.5 0 0 1 5 3.5V5H3.5a1.5 1.5 0 1 1 0-3zM6 5V3.5A2.5 2.5 0 1 0 3.5 6H5v4H3.5A2.5 2.5 0 1 0 6 12.5V11h4v1.5a2.5 2.5 0 1 0 2.5-2.5H11V6h1.5A2.5 2.5 0 1 0 10 3.5V5H6zm4 1v4H6V6h4zm1-1V3.5A1.5 1.5 0 1 1 12.5 5H11zm0 6h1.5a1.5 1.5 0 1 1-1.5 1.5V11zm-6 0v1.5A1.5 1.5 0 1 1 3.5 11H5z"/&gt;');// eslint-disable-next-line
var BIconCompass=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Compass','&lt;path d="M8 16.016a7.5 7.5 0 0 0 1.962-14.74A1 1 0 0 0 9 0H7a1 1 0 0 0-.962 1.276A7.5 7.5 0 0 0 8 16.016zm6.5-7.5a6.5 6.5 0 1 1-13 0 6.5 6.5 0 0 1 13 0z"/&gt;&lt;path d="m6.94 7.44 4.95-2.83-2.83 4.95-4.949 2.83 2.828-4.95z"/&gt;');// eslint-disable-next-line
var BIconCompassFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CompassFill','&lt;path d="M15.5 8.516a7.5 7.5 0 1 1-9.462-7.24A1 1 0 0 1 7 0h2a1 1 0 0 1 .962 1.276 7.503 7.503 0 0 1 5.538 7.24zm-3.61-3.905L6.94 7.439 4.11 12.39l4.95-2.828 2.828-4.95z"/&gt;');// eslint-disable-next-line
var BIconCone=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cone','&lt;path d="M7.03 1.88c.252-1.01 1.688-1.01 1.94 0l2.905 11.62H14a.5.5 0 0 1 0 1H2a.5.5 0 0 1 0-1h2.125L7.03 1.88z"/&gt;');// eslint-disable-next-line
var BIconConeStriped=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ConeStriped','&lt;path d="m9.97 4.88.953 3.811C10.159 8.878 9.14 9 8 9c-1.14 0-2.158-.122-2.923-.309L6.03 4.88C6.635 4.957 7.3 5 8 5s1.365-.043 1.97-.12zm-.245-.978L8.97.88C8.718-.13 7.282-.13 7.03.88L6.275 3.9C6.8 3.965 7.382 4 8 4c.618 0 1.2-.036 1.725-.098zm4.396 8.613a.5.5 0 0 1 .037.96l-6 2a.5.5 0 0 1-.316 0l-6-2a.5.5 0 0 1 .037-.96l2.391-.598.565-2.257c.862.212 1.964.339 3.165.339s2.303-.127 3.165-.339l.565 2.257 2.391.598z"/&gt;');// eslint-disable-next-line
var BIconController=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Controller','&lt;path d="M11.5 6.027a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm-1.5 1.5a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1zm2.5-.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm-1.5 1.5a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1zm-6.5-3h1v1h1v1h-1v1h-1v-1h-1v-1h1v-1z"/&gt;&lt;path d="M3.051 3.26a.5.5 0 0 1 .354-.613l1.932-.518a.5.5 0 0 1 .62.39c.655-.079 1.35-.117 2.043-.117.72 0 1.443.041 2.12.126a.5.5 0 0 1 .622-.399l1.932.518a.5.5 0 0 1 .306.729c.14.09.266.19.373.297.408.408.78 1.05 1.095 1.772.32.733.599 1.591.805 2.466.206.875.34 1.78.364 2.606.024.816-.059 1.602-.328 2.21a1.42 1.42 0 0 1-1.445.83c-.636-.067-1.115-.394-1.513-.773-.245-.232-.496-.526-.739-.808-.126-.148-.25-.292-.368-.423-.728-.804-1.597-1.527-3.224-1.527-1.627 0-2.496.723-3.224 1.527-.119.131-.242.275-.368.423-.243.282-.494.575-.739.808-.398.38-.877.706-1.513.773a1.42 1.42 0 0 1-1.445-.83c-.27-.608-.352-1.395-.329-2.21.024-.826.16-1.73.365-2.606.206-.875.486-1.733.805-2.466.315-.722.687-1.364 1.094-1.772a2.34 2.34 0 0 1 .433-.335.504.504 0 0 1-.028-.079zm2.036.412c-.877.185-1.469.443-1.733.708-.276.276-.587.783-.885 1.465a13.748 13.748 0 0 0-.748 2.295 12.351 12.351 0 0 0-.339 2.406c-.022.755.062 1.368.243 1.776a.42.42 0 0 0 .426.24c.327-.034.61-.199.929-.502.212-.202.4-.423.615-.674.133-.156.276-.323.44-.504C4.861 9.969 5.978 9.027 8 9.027s3.139.942 3.965 1.855c.164.181.307.348.44.504.214.251.403.472.615.674.318.303.601.468.929.503a.42.42 0 0 0 .426-.241c.18-.408.265-1.02.243-1.776a12.354 12.354 0 0 0-.339-2.406 13.753 13.753 0 0 0-.748-2.295c-.298-.682-.61-1.19-.885-1.465-.264-.265-.856-.523-1.733-.708-.85-.179-1.877-.27-2.913-.27-1.036 0-2.063.091-2.913.27z"/&gt;');// eslint-disable-next-line
var BIconCpu=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cpu','&lt;path d="M5 0a.5.5 0 0 1 .5.5V2h1V.5a.5.5 0 0 1 1 0V2h1V.5a.5.5 0 0 1 1 0V2h1V.5a.5.5 0 0 1 1 0V2A2.5 2.5 0 0 1 14 4.5h1.5a.5.5 0 0 1 0 1H14v1h1.5a.5.5 0 0 1 0 1H14v1h1.5a.5.5 0 0 1 0 1H14v1h1.5a.5.5 0 0 1 0 1H14a2.5 2.5 0 0 1-2.5 2.5v1.5a.5.5 0 0 1-1 0V14h-1v1.5a.5.5 0 0 1-1 0V14h-1v1.5a.5.5 0 0 1-1 0V14h-1v1.5a.5.5 0 0 1-1 0V14A2.5 2.5 0 0 1 2 11.5H.5a.5.5 0 0 1 0-1H2v-1H.5a.5.5 0 0 1 0-1H2v-1H.5a.5.5 0 0 1 0-1H2v-1H.5a.5.5 0 0 1 0-1H2A2.5 2.5 0 0 1 4.5 2V.5A.5.5 0 0 1 5 0zm-.5 3A1.5 1.5 0 0 0 3 4.5v7A1.5 1.5 0 0 0 4.5 13h7a1.5 1.5 0 0 0 1.5-1.5v-7A1.5 1.5 0 0 0 11.5 3h-7zM5 6.5A1.5 1.5 0 0 1 6.5 5h3A1.5 1.5 0 0 1 11 6.5v3A1.5 1.5 0 0 1 9.5 11h-3A1.5 1.5 0 0 1 5 9.5v-3zM6.5 6a.5.5 0 0 0-.5.5v3a.5.5 0 0 0 .5.5h3a.5.5 0 0 0 .5-.5v-3a.5.5 0 0 0-.5-.5h-3z"/&gt;');// eslint-disable-next-line
var BIconCpuFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CpuFill','&lt;path d="M6.5 6a.5.5 0 0 0-.5.5v3a.5.5 0 0 0 .5.5h3a.5.5 0 0 0 .5-.5v-3a.5.5 0 0 0-.5-.5h-3z"/&gt;&lt;path d="M5.5.5a.5.5 0 0 0-1 0V2A2.5 2.5 0 0 0 2 4.5H.5a.5.5 0 0 0 0 1H2v1H.5a.5.5 0 0 0 0 1H2v1H.5a.5.5 0 0 0 0 1H2v1H.5a.5.5 0 0 0 0 1H2A2.5 2.5 0 0 0 4.5 14v1.5a.5.5 0 0 0 1 0V14h1v1.5a.5.5 0 0 0 1 0V14h1v1.5a.5.5 0 0 0 1 0V14h1v1.5a.5.5 0 0 0 1 0V14a2.5 2.5 0 0 0 2.5-2.5h1.5a.5.5 0 0 0 0-1H14v-1h1.5a.5.5 0 0 0 0-1H14v-1h1.5a.5.5 0 0 0 0-1H14v-1h1.5a.5.5 0 0 0 0-1H14A2.5 2.5 0 0 0 11.5 2V.5a.5.5 0 0 0-1 0V2h-1V.5a.5.5 0 0 0-1 0V2h-1V.5a.5.5 0 0 0-1 0V2h-1V.5zm1 4.5h3A1.5 1.5 0 0 1 11 6.5v3A1.5 1.5 0 0 1 9.5 11h-3A1.5 1.5 0 0 1 5 9.5v-3A1.5 1.5 0 0 1 6.5 5z"/&gt;');// eslint-disable-next-line
var BIconCreditCard=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CreditCard','&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm2-1a1 1 0 0 0-1 1v1h14V4a1 1 0 0 0-1-1H2zm13 4H1v5a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V7z"/&gt;&lt;path d="M2 10a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1v-1z"/&gt;');// eslint-disable-next-line
var BIconCreditCard2Back=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CreditCard2Back','&lt;path d="M11 5.5a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-1z"/&gt;&lt;path d="M2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm13 2v5H1V4a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1zm-1 9H2a1 1 0 0 1-1-1v-1h14v1a1 1 0 0 1-1 1z"/&gt;');// eslint-disable-next-line
var BIconCreditCard2BackFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CreditCard2BackFill','&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v5H0V4zm11.5 1a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h2a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-2zM0 11v1a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2v-1H0z"/&gt;');// eslint-disable-next-line
var BIconCreditCard2Front=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CreditCard2Front','&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M2 5.5a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-1zm0 3a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 0 1h-1a.5.5 0 0 1-.5-.5zm3 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 0 1h-1a.5.5 0 0 1-.5-.5zm3 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 0 1h-1a.5.5 0 0 1-.5-.5zm3 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 0 1h-1a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconCreditCard2FrontFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CreditCard2FrontFill','&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm2.5 1a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h2a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-2zm0 3a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5zm0 2a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1zm3 0a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1zm3 0a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1zm3 0a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1z"/&gt;');// eslint-disable-next-line
var BIconCreditCardFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CreditCardFill','&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v1H0V4zm0 3v5a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V7H0zm3 2h1a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1v-1a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconCrop=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Crop','&lt;path d="M3.5.5A.5.5 0 0 1 4 1v13h13a.5.5 0 0 1 0 1h-2v2a.5.5 0 0 1-1 0v-2H3.5a.5.5 0 0 1-.5-.5V4H1a.5.5 0 0 1 0-1h2V1a.5.5 0 0 1 .5-.5zm2.5 3a.5.5 0 0 1 .5-.5h8a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-1 0V4H6.5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconCup=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cup','&lt;path d="M1 2a1 1 0 0 1 1-1h11a1 1 0 0 1 1 1v1h.5A1.5 1.5 0 0 1 16 4.5v7a1.5 1.5 0 0 1-1.5 1.5h-.55a2.5 2.5 0 0 1-2.45 2h-8A2.5 2.5 0 0 1 1 12.5V2zm13 10h.5a.5.5 0 0 0 .5-.5v-7a.5.5 0 0 0-.5-.5H14v8zM13 2H2v10.5A1.5 1.5 0 0 0 3.5 14h8a1.5 1.5 0 0 0 1.5-1.5V2z"/&gt;');// eslint-disable-next-line
var BIconCupFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CupFill','&lt;path d="M1 2a1 1 0 0 1 1-1h11a1 1 0 0 1 1 1v1h.5A1.5 1.5 0 0 1 16 4.5v7a1.5 1.5 0 0 1-1.5 1.5h-.55a2.5 2.5 0 0 1-2.45 2h-8A2.5 2.5 0 0 1 1 12.5V2zm13 10h.5a.5.5 0 0 0 .5-.5v-7a.5.5 0 0 0-.5-.5H14v8z"/&gt;');// eslint-disable-next-line
var BIconCupStraw=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CupStraw','&lt;path d="M13.902.334a.5.5 0 0 1-.28.65l-2.254.902-.4 1.927c.376.095.715.215.972.367.228.135.56.396.56.82 0 .046-.004.09-.011.132l-.962 9.068a1.28 1.28 0 0 1-.524.93c-.488.34-1.494.87-3.01.87-1.516 0-2.522-.53-3.01-.87a1.28 1.28 0 0 1-.524-.93L3.51 5.132A.78.78 0 0 1 3.5 5c0-.424.332-.685.56-.82.262-.154.607-.276.99-.372C5.824 3.614 6.867 3.5 8 3.5c.712 0 1.389.045 1.985.127l.464-2.215a.5.5 0 0 1 .303-.356l2.5-1a.5.5 0 0 1 .65.278zM9.768 4.607A13.991 13.991 0 0 0 8 4.5c-1.076 0-2.033.11-2.707.278A3.284 3.284 0 0 0 4.645 5c.146.073.362.15.648.222C5.967 5.39 6.924 5.5 8 5.5c.571 0 1.109-.03 1.588-.085l.18-.808zm.292 1.756C9.445 6.45 8.742 6.5 8 6.5c-1.133 0-2.176-.114-2.95-.308a5.514 5.514 0 0 1-.435-.127l.838 8.03c.013.121.06.186.102.215.357.249 1.168.69 2.438.69 1.27 0 2.081-.441 2.438-.69.042-.029.09-.094.102-.215l.852-8.03a5.517 5.517 0 0 1-.435.127 8.88 8.88 0 0 1-.89.17zM4.467 4.884s.003.002.005.006l-.005-.006zm7.066 0-.005.006c.002-.004.005-.006.005-.006zM11.354 5a3.174 3.174 0 0 0-.604-.21l-.099.445.055-.013c.286-.072.502-.149.648-.222z"/&gt;');// eslint-disable-next-line
var BIconCurrencyBitcoin=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CurrencyBitcoin','&lt;path d="M5.5 13v1.25c0 .138.112.25.25.25h1a.25.25 0 0 0 .25-.25V13h.5v1.25c0 .138.112.25.25.25h1a.25.25 0 0 0 .25-.25V13h.084c1.992 0 3.416-1.033 3.416-2.82 0-1.502-1.007-2.323-2.186-2.44v-.088c.97-.242 1.683-.974 1.683-2.19C11.997 3.93 10.847 3 9.092 3H9V1.75a.25.25 0 0 0-.25-.25h-1a.25.25 0 0 0-.25.25V3h-.573V1.75a.25.25 0 0 0-.25-.25H5.75a.25.25 0 0 0-.25.25V3l-1.998.011a.25.25 0 0 0-.25.25v.989c0 .137.11.25.248.25l.755-.005a.75.75 0 0 1 .745.75v5.505a.75.75 0 0 1-.75.75l-.748.011a.25.25 0 0 0-.25.25v1c0 .138.112.25.25.25L5.5 13zm1.427-8.513h1.719c.906 0 1.438.498 1.438 1.312 0 .871-.575 1.362-1.877 1.362h-1.28V4.487zm0 4.051h1.84c1.137 0 1.756.58 1.756 1.524 0 .953-.626 1.45-2.158 1.45H6.927V8.539z"/&gt;');// eslint-disable-next-line
var BIconCurrencyDollar=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CurrencyDollar','&lt;path d="M4 10.781c.148 1.667 1.513 2.85 3.591 3.003V15h1.043v-1.216c2.27-.179 3.678-1.438 3.678-3.3 0-1.59-.947-2.51-2.956-3.028l-.722-.187V3.467c1.122.11 1.879.714 2.07 1.616h1.47c-.166-1.6-1.54-2.748-3.54-2.875V1H7.591v1.233c-1.939.23-3.27 1.472-3.27 3.156 0 1.454.966 2.483 2.661 2.917l.61.162v4.031c-1.149-.17-1.94-.8-2.131-1.718H4zm3.391-3.836c-1.043-.263-1.6-.825-1.6-1.616 0-.944.704-1.641 1.8-1.828v3.495l-.2-.05zm1.591 1.872c1.287.323 1.852.859 1.852 1.769 0 1.097-.826 1.828-2.2 1.939V8.73l.348.086z"/&gt;');// eslint-disable-next-line
var BIconCurrencyEuro=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CurrencyEuro','&lt;path d="M4 9.42h1.063C5.4 12.323 7.317 14 10.34 14c.622 0 1.167-.068 1.659-.185v-1.3c-.484.119-1.045.17-1.659.17-2.1 0-3.455-1.198-3.775-3.264h4.017v-.928H6.497v-.936c0-.11 0-.219.008-.329h4.078v-.927H6.618c.388-1.898 1.719-2.985 3.723-2.985.614 0 1.175.05 1.659.177V2.194A6.617 6.617 0 0 0 10.341 2c-2.928 0-4.82 1.569-5.244 4.3H4v.928h1.01v1.265H4v.928z"/&gt;');// eslint-disable-next-line
var BIconCurrencyExchange=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CurrencyExchange','&lt;path d="M0 5a5.002 5.002 0 0 0 4.027 4.905 6.46 6.46 0 0 1 .544-2.073C3.695 7.536 3.132 6.864 3 5.91h-.5v-.426h.466V5.05c0-.046 0-.093.004-.135H2.5v-.427h.511C3.236 3.24 4.213 2.5 5.681 2.5c.316 0 .59.031.819.085v.733a3.46 3.46 0 0 0-.815-.082c-.919 0-1.538.466-1.734 1.252h1.917v.427h-1.98c-.003.046-.003.097-.003.147v.422h1.983v.427H3.93c.118.602.468 1.03 1.005 1.229a6.5 6.5 0 0 1 4.97-3.113A5.002 5.002 0 0 0 0 5zm16 5.5a5.5 5.5 0 1 1-11 0 5.5 5.5 0 0 1 11 0zm-7.75 1.322c.069.835.746 1.485 1.964 1.562V14h.54v-.62c1.259-.086 1.996-.74 1.996-1.69 0-.865-.563-1.31-1.57-1.54l-.426-.1V8.374c.54.06.884.347.966.745h.948c-.07-.804-.779-1.433-1.914-1.502V7h-.54v.629c-1.076.103-1.808.732-1.808 1.622 0 .787.544 1.288 1.45 1.493l.358.085v1.78c-.554-.08-.92-.376-1.003-.787H8.25zm1.96-1.895c-.532-.12-.82-.364-.82-.732 0-.41.311-.719.824-.809v1.54h-.005zm.622 1.044c.645.145.943.38.943.796 0 .474-.37.8-1.02.86v-1.674l.077.018z"/&gt;');// eslint-disable-next-line
var BIconCurrencyPound=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CurrencyPound','&lt;path d="M4 8.585h1.969c.115.465.186.939.186 1.43 0 1.385-.736 2.496-2.075 2.771V14H12v-1.24H6.492v-.129c.825-.525 1.135-1.446 1.135-2.694 0-.465-.07-.913-.168-1.352h3.29v-.972H7.22c-.186-.723-.372-1.455-.372-2.247 0-1.274 1.047-2.066 2.58-2.066a5.32 5.32 0 0 1 2.103.465V2.456A5.629 5.629 0 0 0 9.348 2C6.865 2 5.322 3.291 5.322 5.366c0 .775.195 1.515.399 2.247H4v.972z"/&gt;');// eslint-disable-next-line
var BIconCurrencyYen=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CurrencyYen','&lt;path d="M8.75 14v-2.629h2.446v-.967H8.75v-1.31h2.445v-.967H9.128L12.5 2h-1.699L8.047 7.327h-.086L5.207 2H3.5l3.363 6.127H4.778v.968H7.25v1.31H4.78v.966h2.47V14h1.502z"/&gt;');// eslint-disable-next-line
var BIconCursor=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Cursor','&lt;path d="M14.082 2.182a.5.5 0 0 1 .103.557L8.528 15.467a.5.5 0 0 1-.917-.007L5.57 10.694.803 8.652a.5.5 0 0 1-.006-.916l12.728-5.657a.5.5 0 0 1 .556.103zM2.25 8.184l3.897 1.67a.5.5 0 0 1 .262.263l1.67 3.897L12.743 3.52 2.25 8.184z"/&gt;');// eslint-disable-next-line
var BIconCursorFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CursorFill','&lt;path d="M14.082 2.182a.5.5 0 0 1 .103.557L8.528 15.467a.5.5 0 0 1-.917-.007L5.57 10.694.803 8.652a.5.5 0 0 1-.006-.916l12.728-5.657a.5.5 0 0 1 .556.103z"/&gt;');// eslint-disable-next-line
var BIconCursorText=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('CursorText','&lt;path d="M5 2a.5.5 0 0 1 .5-.5c.862 0 1.573.287 2.06.566.174.099.321.198.44.286.119-.088.266-.187.44-.286A4.165 4.165 0 0 1 10.5 1.5a.5.5 0 0 1 0 1c-.638 0-1.177.213-1.564.434a3.49 3.49 0 0 0-.436.294V7.5H9a.5.5 0 0 1 0 1h-.5v4.272c.1.08.248.187.436.294.387.221.926.434 1.564.434a.5.5 0 0 1 0 1 4.165 4.165 0 0 1-2.06-.566A4.561 4.561 0 0 1 8 13.65a4.561 4.561 0 0 1-.44.285 4.165 4.165 0 0 1-2.06.566.5.5 0 0 1 0-1c.638 0 1.177-.213 1.564-.434.188-.107.335-.214.436-.294V8.5H7a.5.5 0 0 1 0-1h.5V3.228a3.49 3.49 0 0 0-.436-.294A3.166 3.166 0 0 0 5.5 2.5.5.5 0 0 1 5 2zm3.352 1.355zm-.704 9.29z"/&gt;');// eslint-disable-next-line
var BIconDash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dash','&lt;path d="M4 8a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7A.5.5 0 0 1 4 8z"/&gt;');// eslint-disable-next-line
var BIconDashCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DashCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M4 8a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7A.5.5 0 0 1 4 8z"/&gt;');// eslint-disable-next-line
var BIconDashCircleDotted=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DashCircleDotted','&lt;path d="M8 0c-.176 0-.35.006-.523.017l.064.998a7.117 7.117 0 0 1 .918 0l.064-.998A8.113 8.113 0 0 0 8 0zM6.44.152c-.346.069-.684.16-1.012.27l.321.948c.287-.098.582-.177.884-.237L6.44.153zm4.132.271a7.946 7.946 0 0 0-1.011-.27l-.194.98c.302.06.597.14.884.237l.321-.947zm1.873.925a8 8 0 0 0-.906-.524l-.443.896c.275.136.54.29.793.459l.556-.831zM4.46.824c-.314.155-.616.33-.905.524l.556.83a7.07 7.07 0 0 1 .793-.458L4.46.824zM2.725 1.985c-.262.23-.51.478-.74.74l.752.66c.202-.23.418-.446.648-.648l-.66-.752zm11.29.74a8.058 8.058 0 0 0-.74-.74l-.66.752c.23.202.447.418.648.648l.752-.66zm1.161 1.735a7.98 7.98 0 0 0-.524-.905l-.83.556c.169.253.322.518.458.793l.896-.443zM1.348 3.555c-.194.289-.37.591-.524.906l.896.443c.136-.275.29-.54.459-.793l-.831-.556zM.423 5.428a7.945 7.945 0 0 0-.27 1.011l.98.194c.06-.302.14-.597.237-.884l-.947-.321zM15.848 6.44a7.943 7.943 0 0 0-.27-1.012l-.948.321c.098.287.177.582.237.884l.98-.194zM.017 7.477a8.113 8.113 0 0 0 0 1.046l.998-.064a7.117 7.117 0 0 1 0-.918l-.998-.064zM16 8a8.1 8.1 0 0 0-.017-.523l-.998.064a7.11 7.11 0 0 1 0 .918l.998.064A8.1 8.1 0 0 0 16 8zM.152 9.56c.069.346.16.684.27 1.012l.948-.321a6.944 6.944 0 0 1-.237-.884l-.98.194zm15.425 1.012c.112-.328.202-.666.27-1.011l-.98-.194c-.06.302-.14.597-.237.884l.947.321zM.824 11.54a8 8 0 0 0 .524.905l.83-.556a6.999 6.999 0 0 1-.458-.793l-.896.443zm13.828.905c.194-.289.37-.591.524-.906l-.896-.443c-.136.275-.29.54-.459.793l.831.556zm-12.667.83c.23.262.478.51.74.74l.66-.752a7.047 7.047 0 0 1-.648-.648l-.752.66zm11.29.74c.262-.23.51-.478.74-.74l-.752-.66c-.201.23-.418.447-.648.648l.66.752zm-1.735 1.161c.314-.155.616-.33.905-.524l-.556-.83a7.07 7.07 0 0 1-.793.458l.443.896zm-7.985-.524c.289.194.591.37.906.524l.443-.896a6.998 6.998 0 0 1-.793-.459l-.556.831zm1.873.925c.328.112.666.202 1.011.27l.194-.98a6.953 6.953 0 0 1-.884-.237l-.321.947zm4.132.271a7.944 7.944 0 0 0 1.012-.27l-.321-.948a6.954 6.954 0 0 1-.884.237l.194.98zm-2.083.135a8.1 8.1 0 0 0 1.046 0l-.064-.998a7.11 7.11 0 0 1-.918 0l-.064.998zM4.5 7.5a.5.5 0 0 0 0 1h7a.5.5 0 0 0 0-1h-7z"/&gt;');// eslint-disable-next-line
var BIconDashCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DashCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM4.5 7.5a.5.5 0 0 0 0 1h7a.5.5 0 0 0 0-1h-7z"/&gt;');// eslint-disable-next-line
var BIconDashLg=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DashLg','&lt;path d="M0 8a1 1 0 0 1 1-1h14a1 1 0 1 1 0 2H1a1 1 0 0 1-1-1z"/&gt;');// eslint-disable-next-line
var BIconDashSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DashSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M4 8a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7A.5.5 0 0 1 4 8z"/&gt;');// eslint-disable-next-line
var BIconDashSquareDotted=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DashSquareDotted','&lt;path d="M2.5 0c-.166 0-.33.016-.487.048l.194.98A1.51 1.51 0 0 1 2.5 1h.458V0H2.5zm2.292 0h-.917v1h.917V0zm1.833 0h-.917v1h.917V0zm1.833 0h-.916v1h.916V0zm1.834 0h-.917v1h.917V0zm1.833 0h-.917v1h.917V0zM13.5 0h-.458v1h.458c.1 0 .199.01.293.029l.194-.981A2.51 2.51 0 0 0 13.5 0zm2.079 1.11a2.511 2.511 0 0 0-.69-.689l-.556.831c.164.11.305.251.415.415l.83-.556zM1.11.421a2.511 2.511 0 0 0-.689.69l.831.556c.11-.164.251-.305.415-.415L1.11.422zM16 2.5c0-.166-.016-.33-.048-.487l-.98.194c.018.094.028.192.028.293v.458h1V2.5zM.048 2.013A2.51 2.51 0 0 0 0 2.5v.458h1V2.5c0-.1.01-.199.029-.293l-.981-.194zM0 3.875v.917h1v-.917H0zm16 .917v-.917h-1v.917h1zM0 5.708v.917h1v-.917H0zm16 .917v-.917h-1v.917h1zM0 7.542v.916h1v-.916H0zm15 .916h1v-.916h-1v.916zM0 9.375v.917h1v-.917H0zm16 .917v-.917h-1v.917h1zm-16 .916v.917h1v-.917H0zm16 .917v-.917h-1v.917h1zm-16 .917v.458c0 .166.016.33.048.487l.98-.194A1.51 1.51 0 0 1 1 13.5v-.458H0zm16 .458v-.458h-1v.458c0 .1-.01.199-.029.293l.981.194c.032-.158.048-.32.048-.487zM.421 14.89c.183.272.417.506.69.689l.556-.831a1.51 1.51 0 0 1-.415-.415l-.83.556zm14.469.689c.272-.183.506-.417.689-.69l-.831-.556c-.11.164-.251.305-.415.415l.556.83zm-12.877.373c.158.032.32.048.487.048h.458v-1H2.5c-.1 0-.199-.01-.293-.029l-.194.981zM13.5 16c.166 0 .33-.016.487-.048l-.194-.98A1.51 1.51 0 0 1 13.5 15h-.458v1h.458zm-9.625 0h.917v-1h-.917v1zm1.833 0h.917v-1h-.917v1zm1.834 0h.916v-1h-.916v1zm1.833 0h.917v-1h-.917v1zm1.833 0h.917v-1h-.917v1zM4.5 7.5a.5.5 0 0 0 0 1h7a.5.5 0 0 0 0-1h-7z"/&gt;');// eslint-disable-next-line
var BIconDashSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DashSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm2.5 7.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconDiagram2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Diagram2','&lt;path fill-rule="evenodd" d="M6 3.5A1.5 1.5 0 0 1 7.5 2h1A1.5 1.5 0 0 1 10 3.5v1A1.5 1.5 0 0 1 8.5 6v1H11a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-1 0V8h-5v.5a.5.5 0 0 1-1 0v-1A.5.5 0 0 1 5 7h2.5V6A1.5 1.5 0 0 1 6 4.5v-1zM8.5 5a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1zM3 11.5A1.5 1.5 0 0 1 4.5 10h1A1.5 1.5 0 0 1 7 11.5v1A1.5 1.5 0 0 1 5.5 14h-1A1.5 1.5 0 0 1 3 12.5v-1zm1.5-.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zm4.5.5a1.5 1.5 0 0 1 1.5-1.5h1a1.5 1.5 0 0 1 1.5 1.5v1a1.5 1.5 0 0 1-1.5 1.5h-1A1.5 1.5 0 0 1 9 12.5v-1zm1.5-.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1z"/&gt;');// eslint-disable-next-line
var BIconDiagram2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Diagram2Fill','&lt;path fill-rule="evenodd" d="M6 3.5A1.5 1.5 0 0 1 7.5 2h1A1.5 1.5 0 0 1 10 3.5v1A1.5 1.5 0 0 1 8.5 6v1H11a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-1 0V8h-5v.5a.5.5 0 0 1-1 0v-1A.5.5 0 0 1 5 7h2.5V6A1.5 1.5 0 0 1 6 4.5v-1zm-3 8A1.5 1.5 0 0 1 4.5 10h1A1.5 1.5 0 0 1 7 11.5v1A1.5 1.5 0 0 1 5.5 14h-1A1.5 1.5 0 0 1 3 12.5v-1zm6 0a1.5 1.5 0 0 1 1.5-1.5h1a1.5 1.5 0 0 1 1.5 1.5v1a1.5 1.5 0 0 1-1.5 1.5h-1A1.5 1.5 0 0 1 9 12.5v-1z"/&gt;');// eslint-disable-next-line
var BIconDiagram3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Diagram3','&lt;path fill-rule="evenodd" d="M6 3.5A1.5 1.5 0 0 1 7.5 2h1A1.5 1.5 0 0 1 10 3.5v1A1.5 1.5 0 0 1 8.5 6v1H14a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-1 0V8h-5v.5a.5.5 0 0 1-1 0V8h-5v.5a.5.5 0 0 1-1 0v-1A.5.5 0 0 1 2 7h5.5V6A1.5 1.5 0 0 1 6 4.5v-1zM8.5 5a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1zM0 11.5A1.5 1.5 0 0 1 1.5 10h1A1.5 1.5 0 0 1 4 11.5v1A1.5 1.5 0 0 1 2.5 14h-1A1.5 1.5 0 0 1 0 12.5v-1zm1.5-.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zm4.5.5A1.5 1.5 0 0 1 7.5 10h1a1.5 1.5 0 0 1 1.5 1.5v1A1.5 1.5 0 0 1 8.5 14h-1A1.5 1.5 0 0 1 6 12.5v-1zm1.5-.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zm4.5.5a1.5 1.5 0 0 1 1.5-1.5h1a1.5 1.5 0 0 1 1.5 1.5v1a1.5 1.5 0 0 1-1.5 1.5h-1a1.5 1.5 0 0 1-1.5-1.5v-1zm1.5-.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1z"/&gt;');// eslint-disable-next-line
var BIconDiagram3Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Diagram3Fill','&lt;path fill-rule="evenodd" d="M6 3.5A1.5 1.5 0 0 1 7.5 2h1A1.5 1.5 0 0 1 10 3.5v1A1.5 1.5 0 0 1 8.5 6v1H14a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-1 0V8h-5v.5a.5.5 0 0 1-1 0V8h-5v.5a.5.5 0 0 1-1 0v-1A.5.5 0 0 1 2 7h5.5V6A1.5 1.5 0 0 1 6 4.5v-1zm-6 8A1.5 1.5 0 0 1 1.5 10h1A1.5 1.5 0 0 1 4 11.5v1A1.5 1.5 0 0 1 2.5 14h-1A1.5 1.5 0 0 1 0 12.5v-1zm6 0A1.5 1.5 0 0 1 7.5 10h1a1.5 1.5 0 0 1 1.5 1.5v1A1.5 1.5 0 0 1 8.5 14h-1A1.5 1.5 0 0 1 6 12.5v-1zm6 0a1.5 1.5 0 0 1 1.5-1.5h1a1.5 1.5 0 0 1 1.5 1.5v1a1.5 1.5 0 0 1-1.5 1.5h-1a1.5 1.5 0 0 1-1.5-1.5v-1z"/&gt;');// eslint-disable-next-line
var BIconDiamond=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Diamond','&lt;path d="M6.95.435c.58-.58 1.52-.58 2.1 0l6.515 6.516c.58.58.58 1.519 0 2.098L9.05 15.565c-.58.58-1.519.58-2.098 0L.435 9.05a1.482 1.482 0 0 1 0-2.098L6.95.435zm1.4.7a.495.495 0 0 0-.7 0L1.134 7.65a.495.495 0 0 0 0 .7l6.516 6.516a.495.495 0 0 0 .7 0l6.516-6.516a.495.495 0 0 0 0-.7L8.35 1.134z"/&gt;');// eslint-disable-next-line
var BIconDiamondFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DiamondFill','&lt;path fill-rule="evenodd" d="M6.95.435c.58-.58 1.52-.58 2.1 0l6.515 6.516c.58.58.58 1.519 0 2.098L9.05 15.565c-.58.58-1.519.58-2.098 0L.435 9.05a1.482 1.482 0 0 1 0-2.098L6.95.435z"/&gt;');// eslint-disable-next-line
var BIconDiamondHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DiamondHalf','&lt;path d="M9.05.435c-.58-.58-1.52-.58-2.1 0L.436 6.95c-.58.58-.58 1.519 0 2.098l6.516 6.516c.58.58 1.519.58 2.098 0l6.516-6.516c.58-.58.58-1.519 0-2.098L9.05.435zM8 .989c.127 0 .253.049.35.145l6.516 6.516a.495.495 0 0 1 0 .7L8.35 14.866a.493.493 0 0 1-.35.145V.989z"/&gt;');// eslint-disable-next-line
var BIconDice1=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice1','&lt;circle cx="8" cy="8" r="1.5"/&gt;&lt;path d="M13 1a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h10zM3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3z"/&gt;');// eslint-disable-next-line
var BIconDice1Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice1Fill','&lt;path d="M3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3zm5 9.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3z"/&gt;');// eslint-disable-next-line
var BIconDice2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice2','&lt;path d="M13 1a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h10zM3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3z"/&gt;&lt;path d="M5.5 4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm8 8a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;');// eslint-disable-next-line
var BIconDice2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice2Fill','&lt;path d="M0 3a3 3 0 0 1 3-3h10a3 3 0 0 1 3 3v10a3 3 0 0 1-3 3H3a3 3 0 0 1-3-3V3zm5.5 1a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0zm6.5 9.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3z"/&gt;');// eslint-disable-next-line
var BIconDice3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice3','&lt;path d="M13 1a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h10zM3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3z"/&gt;&lt;path d="M5.5 4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm8 8a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm-4-4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;');// eslint-disable-next-line
var BIconDice3Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice3Fill','&lt;path d="M3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3zm2.5 4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm8 8a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zM8 9.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3z"/&gt;');// eslint-disable-next-line
var BIconDice4=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice4','&lt;path d="M13 1a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h10zM3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3z"/&gt;&lt;path d="M5.5 4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm8 0a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm0 8a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm-8 0a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;');// eslint-disable-next-line
var BIconDice4Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice4Fill','&lt;path d="M3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3zm1 5.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zm8 0a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zm1.5 6.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zM4 13.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3z"/&gt;');// eslint-disable-next-line
var BIconDice5=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice5','&lt;path d="M13 1a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h10zM3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3z"/&gt;&lt;path d="M5.5 4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm8 0a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm0 8a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm-8 0a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm4-4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;');// eslint-disable-next-line
var BIconDice5Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice5Fill','&lt;path d="M3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3zm2.5 4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm8 0a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zM12 13.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zM5.5 12a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zM8 9.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3z"/&gt;');// eslint-disable-next-line
var BIconDice6=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice6','&lt;path d="M13 1a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h10zM3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3z"/&gt;&lt;path d="M5.5 4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm8 0a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm0 8a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm0-4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm-8 4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm0-4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;');// eslint-disable-next-line
var BIconDice6Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dice6Fill','&lt;path d="M3 0a3 3 0 0 0-3 3v10a3 3 0 0 0 3 3h10a3 3 0 0 0 3-3V3a3 3 0 0 0-3-3H3zm1 5.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zm8 0a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zm1.5 6.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zM12 9.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zM5.5 12a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zM4 9.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3z"/&gt;');// eslint-disable-next-line
var BIconDisc=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Disc','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M10 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0zM8 4a4 4 0 0 0-4 4 .5.5 0 0 1-1 0 5 5 0 0 1 5-5 .5.5 0 0 1 0 1zm4.5 3.5a.5.5 0 0 1 .5.5 5 5 0 0 1-5 5 .5.5 0 0 1 0-1 4 4 0 0 0 4-4 .5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconDiscFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DiscFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-6 0a2 2 0 1 0-4 0 2 2 0 0 0 4 0zM4 8a4 4 0 0 1 4-4 .5.5 0 0 0 0-1 5 5 0 0 0-5 5 .5.5 0 0 0 1 0zm9 0a.5.5 0 1 0-1 0 4 4 0 0 1-4 4 .5.5 0 0 0 0 1 5 5 0 0 0 5-5z"/&gt;');// eslint-disable-next-line
var BIconDiscord=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Discord','&lt;path d="M6.552 6.712c-.456 0-.816.4-.816.888s.368.888.816.888c.456 0 .816-.4.816-.888.008-.488-.36-.888-.816-.888zm2.92 0c-.456 0-.816.4-.816.888s.368.888.816.888c.456 0 .816-.4.816-.888s-.36-.888-.816-.888z"/&gt;&lt;path d="M13.36 0H2.64C1.736 0 1 .736 1 1.648v10.816c0 .912.736 1.648 1.64 1.648h9.072l-.424-1.48 1.024.952.968.896L15 16V1.648C15 .736 14.264 0 13.36 0zm-3.088 10.448s-.288-.344-.528-.648c1.048-.296 1.448-.952 1.448-.952-.328.216-.64.368-.92.472-.4.168-.784.28-1.16.344a5.604 5.604 0 0 1-2.072-.008 6.716 6.716 0 0 1-1.176-.344 4.688 4.688 0 0 1-.584-.272c-.024-.016-.048-.024-.072-.04-.016-.008-.024-.016-.032-.024-.144-.08-.224-.136-.224-.136s.384.64 1.4.944c-.24.304-.536.664-.536.664-1.768-.056-2.44-1.216-2.44-1.216 0-2.576 1.152-4.664 1.152-4.664 1.152-.864 2.248-.84 2.248-.84l.08.096c-1.44.416-2.104 1.048-2.104 1.048s.176-.096.472-.232c.856-.376 1.536-.48 1.816-.504.048-.008.088-.016.136-.016a6.521 6.521 0 0 1 4.024.752s-.632-.6-1.992-1.016l.112-.128s1.096-.024 2.248.84c0 0 1.152 2.088 1.152 4.664 0 0-.68 1.16-2.448 1.216z"/&gt;');// eslint-disable-next-line
var BIconDisplay=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Display','&lt;path d="M0 4s0-2 2-2h12s2 0 2 2v6s0 2-2 2h-4c0 .667.083 1.167.25 1.5H11a.5.5 0 0 1 0 1H5a.5.5 0 0 1 0-1h.75c.167-.333.25-.833.25-1.5H2s-2 0-2-2V4zm1.398-.855a.758.758 0 0 0-.254.302A1.46 1.46 0 0 0 1 4.01V10c0 .325.078.502.145.602.07.105.17.188.302.254a1.464 1.464 0 0 0 .538.143L2.01 11H14c.325 0 .502-.078.602-.145a.758.758 0 0 0 .254-.302 1.464 1.464 0 0 0 .143-.538L15 9.99V4c0-.325-.078-.502-.145-.602a.757.757 0 0 0-.302-.254A1.46 1.46 0 0 0 13.99 3H2c-.325 0-.502.078-.602.145z"/&gt;');// eslint-disable-next-line
var BIconDisplayFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DisplayFill','&lt;path d="M6 12c0 .667-.083 1.167-.25 1.5H5a.5.5 0 0 0 0 1h6a.5.5 0 0 0 0-1h-.75c-.167-.333-.25-.833-.25-1.5h4c2 0 2-2 2-2V4c0-2-2-2-2-2H2C0 2 0 4 0 4v6c0 2 2 2 2 2h4z"/&gt;');// eslint-disable-next-line
var BIconDistributeHorizontal=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DistributeHorizontal','&lt;path fill-rule="evenodd" d="M14.5 1a.5.5 0 0 0-.5.5v13a.5.5 0 0 0 1 0v-13a.5.5 0 0 0-.5-.5zm-13 0a.5.5 0 0 0-.5.5v13a.5.5 0 0 0 1 0v-13a.5.5 0 0 0-.5-.5z"/&gt;&lt;path d="M6 13a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H7a1 1 0 0 0-1 1v10z"/&gt;');// eslint-disable-next-line
var BIconDistributeVertical=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DistributeVertical','&lt;path fill-rule="evenodd" d="M1 1.5a.5.5 0 0 0 .5.5h13a.5.5 0 0 0 0-1h-13a.5.5 0 0 0-.5.5zm0 13a.5.5 0 0 0 .5.5h13a.5.5 0 0 0 0-1h-13a.5.5 0 0 0-.5.5z"/&gt;&lt;path d="M2 7a1 1 0 0 1 1-1h10a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V7z"/&gt;');// eslint-disable-next-line
var BIconDoorClosed=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DoorClosed','&lt;path d="M3 2a1 1 0 0 1 1-1h8a1 1 0 0 1 1 1v13h1.5a.5.5 0 0 1 0 1h-13a.5.5 0 0 1 0-1H3V2zm1 13h8V2H4v13z"/&gt;&lt;path d="M9 9a1 1 0 1 0 2 0 1 1 0 0 0-2 0z"/&gt;');// eslint-disable-next-line
var BIconDoorClosedFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DoorClosedFill','&lt;path d="M12 1a1 1 0 0 1 1 1v13h1.5a.5.5 0 0 1 0 1h-13a.5.5 0 0 1 0-1H3V2a1 1 0 0 1 1-1h8zm-2 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconDoorOpen=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DoorOpen','&lt;path d="M8.5 10c-.276 0-.5-.448-.5-1s.224-1 .5-1 .5.448.5 1-.224 1-.5 1z"/&gt;&lt;path d="M10.828.122A.5.5 0 0 1 11 .5V1h.5A1.5 1.5 0 0 1 13 2.5V15h1.5a.5.5 0 0 1 0 1h-13a.5.5 0 0 1 0-1H3V1.5a.5.5 0 0 1 .43-.495l7-1a.5.5 0 0 1 .398.117zM11.5 2H11v13h1V2.5a.5.5 0 0 0-.5-.5zM4 1.934V15h6V1.077l-6 .857z"/&gt;');// eslint-disable-next-line
var BIconDoorOpenFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DoorOpenFill','&lt;path d="M1.5 15a.5.5 0 0 0 0 1h13a.5.5 0 0 0 0-1H13V2.5A1.5 1.5 0 0 0 11.5 1H11V.5a.5.5 0 0 0-.57-.495l-7 1A.5.5 0 0 0 3 1.5V15H1.5zM11 2h.5a.5.5 0 0 1 .5.5V15h-1V2zm-2.5 8c-.276 0-.5-.448-.5-1s.224-1 .5-1 .5.448.5 1-.224 1-.5 1z"/&gt;');// eslint-disable-next-line
var BIconDot=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Dot','&lt;path d="M8 9.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3z"/&gt;');// eslint-disable-next-line
var BIconDownload=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Download','&lt;path d="M.5 9.9a.5.5 0 0 1 .5.5v2.5a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1v-2.5a.5.5 0 0 1 1 0v2.5a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2v-2.5a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M7.646 11.854a.5.5 0 0 0 .708 0l3-3a.5.5 0 0 0-.708-.708L8.5 10.293V1.5a.5.5 0 0 0-1 0v8.793L5.354 8.146a.5.5 0 1 0-.708.708l3 3z"/&gt;');// eslint-disable-next-line
var BIconDroplet=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Droplet','&lt;path fill-rule="evenodd" d="M7.21.8C7.69.295 8 0 8 0c.109.363.234.708.371 1.038.812 1.946 2.073 3.35 3.197 4.6C12.878 7.096 14 8.345 14 10a6 6 0 0 1-12 0C2 6.668 5.58 2.517 7.21.8zm.413 1.021A31.25 31.25 0 0 0 5.794 3.99c-.726.95-1.436 2.008-1.96 3.07C3.304 8.133 3 9.138 3 10a5 5 0 0 0 10 0c0-1.201-.796-2.157-2.181-3.7l-.03-.032C9.75 5.11 8.5 3.72 7.623 1.82z"/&gt;&lt;path fill-rule="evenodd" d="M4.553 7.776c.82-1.641 1.717-2.753 2.093-3.13l.708.708c-.29.29-1.128 1.311-1.907 2.87l-.894-.448z"/&gt;');// eslint-disable-next-line
var BIconDropletFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DropletFill','&lt;path fill-rule="evenodd" d="M8 16a6 6 0 0 0 6-6c0-1.655-1.122-2.904-2.432-4.362C10.254 4.176 8.75 2.503 8 0c0 0-6 5.686-6 10a6 6 0 0 0 6 6zM6.646 4.646c-.376.377-1.272 1.489-2.093 3.13l.894.448c.78-1.559 1.616-2.58 1.907-2.87l-.708-.708z"/&gt;');// eslint-disable-next-line
var BIconDropletHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('DropletHalf','&lt;path fill-rule="evenodd" d="M7.21.8C7.69.295 8 0 8 0c.109.363.234.708.371 1.038.812 1.946 2.073 3.35 3.197 4.6C12.878 7.096 14 8.345 14 10a6 6 0 0 1-12 0C2 6.668 5.58 2.517 7.21.8zm.413 1.021A31.25 31.25 0 0 0 5.794 3.99c-.726.95-1.436 2.008-1.96 3.07C3.304 8.133 3 9.138 3 10c0 0 2.5 1.5 5 .5s5-.5 5-.5c0-1.201-.796-2.157-2.181-3.7l-.03-.032C9.75 5.11 8.5 3.72 7.623 1.82z"/&gt;&lt;path fill-rule="evenodd" d="M4.553 7.776c.82-1.641 1.717-2.753 2.093-3.13l.708.708c-.29.29-1.128 1.311-1.907 2.87l-.894-.448z"/&gt;');// eslint-disable-next-line
var BIconEarbuds=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Earbuds','&lt;path fill-rule="evenodd" d="M6.825 4.138c.596 2.141-.36 3.593-2.389 4.117a4.432 4.432 0 0 1-2.018.054c-.048-.01.9 2.778 1.522 4.61l.41 1.205a.52.52 0 0 1-.346.659l-.593.19a.548.548 0 0 1-.69-.34L.184 6.99c-.696-2.137.662-4.309 2.564-4.8 2.029-.523 3.402 0 4.076 1.948zm-.868 2.221c.43-.112.561-.993.292-1.969-.269-.975-.836-1.675-1.266-1.563-.43.112-.561.994-.292 1.969.269.975.836 1.675 1.266 1.563zm3.218-2.221c-.596 2.141.36 3.593 2.389 4.117a4.434 4.434 0 0 0 2.018.054c.048-.01-.9 2.778-1.522 4.61l-.41 1.205a.52.52 0 0 0 .346.659l.593.19c.289.092.6-.06.69-.34l2.536-7.643c.696-2.137-.662-4.309-2.564-4.8-2.029-.523-3.402 0-4.076 1.948zm.868 2.221c-.43-.112-.561-.993-.292-1.969.269-.975.836-1.675 1.266-1.563.43.112.561.994.292 1.969-.269.975-.836 1.675-1.266 1.563z"/&gt;');// eslint-disable-next-line
var BIconEasel=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Easel','&lt;path d="M8 0a.5.5 0 0 1 .473.337L9.046 2H14a1 1 0 0 1 1 1v7a1 1 0 0 1-1 1h-1.85l1.323 3.837a.5.5 0 1 1-.946.326L11.092 11H8.5v3a.5.5 0 0 1-1 0v-3H4.908l-1.435 4.163a.5.5 0 1 1-.946-.326L3.85 11H2a1 1 0 0 1-1-1V3a1 1 0 0 1 1-1h4.954L7.527.337A.5.5 0 0 1 8 0zM2 3v7h12V3H2z"/&gt;');// eslint-disable-next-line
var BIconEaselFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EaselFill','&lt;path d="M8.473.337a.5.5 0 0 0-.946 0L6.954 2H2a1 1 0 0 0-1 1v7a1 1 0 0 0 1 1h1.85l-1.323 3.837a.5.5 0 1 0 .946.326L4.908 11H7.5v2.5a.5.5 0 0 0 1 0V11h2.592l1.435 4.163a.5.5 0 0 0 .946-.326L12.15 11H14a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H9.046L8.473.337z"/&gt;');// eslint-disable-next-line
var BIconEgg=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Egg','&lt;path d="M8 15a5 5 0 0 1-5-5c0-1.956.69-4.286 1.742-6.12.524-.913 1.112-1.658 1.704-2.164C7.044 1.206 7.572 1 8 1c.428 0 .956.206 1.554.716.592.506 1.18 1.251 1.704 2.164C12.31 5.714 13 8.044 13 10a5 5 0 0 1-5 5zm0 1a6 6 0 0 0 6-6c0-4.314-3-10-6-10S2 5.686 2 10a6 6 0 0 0 6 6z"/&gt;');// eslint-disable-next-line
var BIconEggFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EggFill','&lt;path d="M14 10a6 6 0 0 1-12 0C2 5.686 5 0 8 0s6 5.686 6 10z"/&gt;');// eslint-disable-next-line
var BIconEggFried=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EggFried','&lt;path d="M8 11a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;&lt;path d="M13.997 5.17a5 5 0 0 0-8.101-4.09A5 5 0 0 0 1.28 9.342a5 5 0 0 0 8.336 5.109 3.5 3.5 0 0 0 5.201-4.065 3.001 3.001 0 0 0-.822-5.216zm-1-.034a1 1 0 0 0 .668.977 2.001 2.001 0 0 1 .547 3.478 1 1 0 0 0-.341 1.113 2.5 2.5 0 0 1-3.715 2.905 1 1 0 0 0-1.262.152 4 4 0 0 1-6.67-4.087 1 1 0 0 0-.2-1 4 4 0 0 1 3.693-6.61 1 1 0 0 0 .8-.2 4 4 0 0 1 6.48 3.273z"/&gt;');// eslint-disable-next-line
var BIconEject=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Eject','&lt;path d="M7.27 1.047a1 1 0 0 1 1.46 0l6.345 6.77c.6.638.146 1.683-.73 1.683H1.656C.78 9.5.326 8.455.926 7.816L7.27 1.047zM14.346 8.5 8 1.731 1.654 8.5h12.692zM.5 11.5a1 1 0 0 1 1-1h13a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1h-13a1 1 0 0 1-1-1v-1zm14 0h-13v1h13v-1z"/&gt;');// eslint-disable-next-line
var BIconEjectFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EjectFill','&lt;path d="M7.27 1.047a1 1 0 0 1 1.46 0l6.345 6.77c.6.638.146 1.683-.73 1.683H1.656C.78 9.5.326 8.455.926 7.816L7.27 1.047zM.5 11.5a1 1 0 0 1 1-1h13a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1h-13a1 1 0 0 1-1-1v-1z"/&gt;');// eslint-disable-next-line
var BIconEmojiAngry=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiAngry','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M4.285 12.433a.5.5 0 0 0 .683-.183A3.498 3.498 0 0 1 8 10.5c1.295 0 2.426.703 3.032 1.75a.5.5 0 0 0 .866-.5A4.498 4.498 0 0 0 8 9.5a4.5 4.5 0 0 0-3.898 2.25.5.5 0 0 0 .183.683zm6.991-8.38a.5.5 0 1 1 .448.894l-1.009.504c.176.27.285.64.285 1.049 0 .828-.448 1.5-1 1.5s-1-.672-1-1.5c0-.247.04-.48.11-.686a.502.502 0 0 1 .166-.761l2-1zm-6.552 0a.5.5 0 0 0-.448.894l1.009.504A1.94 1.94 0 0 0 5 6.5C5 7.328 5.448 8 6 8s1-.672 1-1.5c0-.247-.04-.48-.11-.686a.502.502 0 0 0-.166-.761l-2-1z"/&gt;');// eslint-disable-next-line
var BIconEmojiAngryFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiAngryFill','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zM4.053 4.276a.5.5 0 0 1 .67-.223l2 1a.5.5 0 0 1 .166.76c.071.206.111.44.111.687C7 7.328 6.552 8 6 8s-1-.672-1-1.5c0-.408.109-.778.285-1.049l-1.009-.504a.5.5 0 0 1-.223-.67zm.232 8.157a.5.5 0 0 1-.183-.683A4.498 4.498 0 0 1 8 9.5a4.5 4.5 0 0 1 3.898 2.25.5.5 0 1 1-.866.5A3.498 3.498 0 0 0 8 10.5a3.498 3.498 0 0 0-3.032 1.75.5.5 0 0 1-.683.183zM10 8c-.552 0-1-.672-1-1.5 0-.247.04-.48.11-.686a.502.502 0 0 1 .166-.761l2-1a.5.5 0 1 1 .448.894l-1.009.504c.176.27.285.64.285 1.049 0 .828-.448 1.5-1 1.5z"/&gt;');// eslint-disable-next-line
var BIconEmojiDizzy=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiDizzy','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M9.146 5.146a.5.5 0 0 1 .708 0l.646.647.646-.647a.5.5 0 0 1 .708.708l-.647.646.647.646a.5.5 0 0 1-.708.708l-.646-.647-.646.647a.5.5 0 1 1-.708-.708l.647-.646-.647-.646a.5.5 0 0 1 0-.708zm-5 0a.5.5 0 0 1 .708 0l.646.647.646-.647a.5.5 0 1 1 .708.708l-.647.646.647.646a.5.5 0 1 1-.708.708L5.5 7.207l-.646.647a.5.5 0 1 1-.708-.708l.647-.646-.647-.646a.5.5 0 0 1 0-.708zM10 11a2 2 0 1 1-4 0 2 2 0 0 1 4 0z"/&gt;');// eslint-disable-next-line
var BIconEmojiDizzyFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiDizzyFill','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zM4.146 5.146a.5.5 0 0 1 .708 0l.646.647.646-.647a.5.5 0 1 1 .708.708l-.647.646.647.646a.5.5 0 1 1-.708.708L5.5 7.207l-.646.647a.5.5 0 1 1-.708-.708l.647-.646-.647-.646a.5.5 0 0 1 0-.708zm5 0a.5.5 0 0 1 .708 0l.646.647.646-.647a.5.5 0 0 1 .708.708l-.647.646.647.646a.5.5 0 0 1-.708.708l-.646-.647-.646.647a.5.5 0 1 1-.708-.708l.647-.646-.647-.646a.5.5 0 0 1 0-.708zM8 13a2 2 0 1 1 0-4 2 2 0 0 1 0 4z"/&gt;');// eslint-disable-next-line
var BIconEmojiExpressionless=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiExpressionless','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M4 10.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5zm5 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconEmojiExpressionlessFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiExpressionlessFill','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zM4.5 6h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1zm5 0h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1zm-5 4h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconEmojiFrown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiFrown','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M4.285 12.433a.5.5 0 0 0 .683-.183A3.498 3.498 0 0 1 8 10.5c1.295 0 2.426.703 3.032 1.75a.5.5 0 0 0 .866-.5A4.498 4.498 0 0 0 8 9.5a4.5 4.5 0 0 0-3.898 2.25.5.5 0 0 0 .183.683zM7 6.5C7 7.328 6.552 8 6 8s-1-.672-1-1.5S5.448 5 6 5s1 .672 1 1.5zm4 0c0 .828-.448 1.5-1 1.5s-1-.672-1-1.5S9.448 5 10 5s1 .672 1 1.5z"/&gt;');// eslint-disable-next-line
var BIconEmojiFrownFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiFrownFill','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zM7 6.5C7 7.328 6.552 8 6 8s-1-.672-1-1.5S5.448 5 6 5s1 .672 1 1.5zm-2.715 5.933a.5.5 0 0 1-.183-.683A4.498 4.498 0 0 1 8 9.5a4.5 4.5 0 0 1 3.898 2.25.5.5 0 0 1-.866.5A3.498 3.498 0 0 0 8 10.5a3.498 3.498 0 0 0-3.032 1.75.5.5 0 0 1-.683.183zM10 8c-.552 0-1-.672-1-1.5S9.448 5 10 5s1 .672 1 1.5S10.552 8 10 8z"/&gt;');// eslint-disable-next-line
var BIconEmojiHeartEyes=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiHeartEyes','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M11.315 10.014a.5.5 0 0 1 .548.736A4.498 4.498 0 0 1 7.965 13a4.498 4.498 0 0 1-3.898-2.25.5.5 0 0 1 .548-.736h.005l.017.005.067.015.252.055c.215.046.515.108.857.169.693.124 1.522.242 2.152.242.63 0 1.46-.118 2.152-.242a26.58 26.58 0 0 0 1.109-.224l.067-.015.017-.004.005-.002zM4.756 4.566c.763-1.424 4.02-.12.952 3.434-4.496-1.596-2.35-4.298-.952-3.434zm6.488 0c1.398-.864 3.544 1.838-.952 3.434-3.067-3.554.19-4.858.952-3.434z"/&gt;');// eslint-disable-next-line
var BIconEmojiHeartEyesFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiHeartEyesFill','&lt;path d="M8 0a8 8 0 1 0 0 16A8 8 0 0 0 8 0zM4.756 4.566c.763-1.424 4.02-.12.952 3.434-4.496-1.596-2.35-4.298-.952-3.434zm6.559 5.448a.5.5 0 0 1 .548.736A4.498 4.498 0 0 1 7.965 13a4.498 4.498 0 0 1-3.898-2.25.5.5 0 0 1 .548-.736h.005l.017.005.067.015.252.055c.215.046.515.108.857.169.693.124 1.522.242 2.152.242.63 0 1.46-.118 2.152-.242a26.58 26.58 0 0 0 1.109-.224l.067-.015.017-.004.005-.002zm-.07-5.448c1.397-.864 3.543 1.838-.953 3.434-3.067-3.554.19-4.858.952-3.434z"/&gt;');// eslint-disable-next-line
var BIconEmojiLaughing=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiLaughing','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M12.331 9.5a1 1 0 0 1 0 1A4.998 4.998 0 0 1 8 13a4.998 4.998 0 0 1-4.33-2.5A1 1 0 0 1 4.535 9h6.93a1 1 0 0 1 .866.5zM7 6.5c0 .828-.448 0-1 0s-1 .828-1 0S5.448 5 6 5s1 .672 1 1.5zm4 0c0 .828-.448 0-1 0s-1 .828-1 0S9.448 5 10 5s1 .672 1 1.5z"/&gt;');// eslint-disable-next-line
var BIconEmojiLaughingFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiLaughingFill','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zM7 6.5c0 .501-.164.396-.415.235C6.42 6.629 6.218 6.5 6 6.5c-.218 0-.42.13-.585.235C5.164 6.896 5 7 5 6.5 5 5.672 5.448 5 6 5s1 .672 1 1.5zm5.331 3a1 1 0 0 1 0 1A4.998 4.998 0 0 1 8 13a4.998 4.998 0 0 1-4.33-2.5A1 1 0 0 1 4.535 9h6.93a1 1 0 0 1 .866.5zm-1.746-2.765C10.42 6.629 10.218 6.5 10 6.5c-.218 0-.42.13-.585.235C9.164 6.896 9 7 9 6.5c0-.828.448-1.5 1-1.5s1 .672 1 1.5c0 .501-.164.396-.415.235z"/&gt;');// eslint-disable-next-line
var BIconEmojiNeutral=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiNeutral','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M4 10.5a.5.5 0 0 0 .5.5h7a.5.5 0 0 0 0-1h-7a.5.5 0 0 0-.5.5zm3-4C7 5.672 6.552 5 6 5s-1 .672-1 1.5S5.448 8 6 8s1-.672 1-1.5zm4 0c0-.828-.448-1.5-1-1.5s-1 .672-1 1.5S9.448 8 10 8s1-.672 1-1.5z"/&gt;');// eslint-disable-next-line
var BIconEmojiNeutralFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiNeutralFill','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zM7 6.5C7 7.328 6.552 8 6 8s-1-.672-1-1.5S5.448 5 6 5s1 .672 1 1.5zm-3 4a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zM10 8c-.552 0-1-.672-1-1.5S9.448 5 10 5s1 .672 1 1.5S10.552 8 10 8z"/&gt;');// eslint-disable-next-line
var BIconEmojiSmile=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiSmile','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M4.285 9.567a.5.5 0 0 1 .683.183A3.498 3.498 0 0 0 8 11.5a3.498 3.498 0 0 0 3.032-1.75.5.5 0 1 1 .866.5A4.498 4.498 0 0 1 8 12.5a4.498 4.498 0 0 1-3.898-2.25.5.5 0 0 1 .183-.683zM7 6.5C7 7.328 6.552 8 6 8s-1-.672-1-1.5S5.448 5 6 5s1 .672 1 1.5zm4 0c0 .828-.448 1.5-1 1.5s-1-.672-1-1.5S9.448 5 10 5s1 .672 1 1.5z"/&gt;');// eslint-disable-next-line
var BIconEmojiSmileFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiSmileFill','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zM7 6.5C7 7.328 6.552 8 6 8s-1-.672-1-1.5S5.448 5 6 5s1 .672 1 1.5zM4.285 9.567a.5.5 0 0 1 .683.183A3.498 3.498 0 0 0 8 11.5a3.498 3.498 0 0 0 3.032-1.75.5.5 0 1 1 .866.5A4.498 4.498 0 0 1 8 12.5a4.498 4.498 0 0 1-3.898-2.25.5.5 0 0 1 .183-.683zM10 8c-.552 0-1-.672-1-1.5S9.448 5 10 5s1 .672 1 1.5S10.552 8 10 8z"/&gt;');// eslint-disable-next-line
var BIconEmojiSmileUpsideDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiSmileUpsideDown','&lt;path d="M8 1a7 7 0 1 0 0 14A7 7 0 0 0 8 1zm0-1a8 8 0 1 1 0 16A8 8 0 0 1 8 0z"/&gt;&lt;path d="M4.285 6.433a.5.5 0 0 0 .683-.183A3.498 3.498 0 0 1 8 4.5c1.295 0 2.426.703 3.032 1.75a.5.5 0 0 0 .866-.5A4.498 4.498 0 0 0 8 3.5a4.5 4.5 0 0 0-3.898 2.25.5.5 0 0 0 .183.683zM7 9.5C7 8.672 6.552 8 6 8s-1 .672-1 1.5.448 1.5 1 1.5 1-.672 1-1.5zm4 0c0-.828-.448-1.5-1-1.5s-1 .672-1 1.5.448 1.5 1 1.5 1-.672 1-1.5z"/&gt;');// eslint-disable-next-line
var BIconEmojiSmileUpsideDownFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiSmileUpsideDownFill','&lt;path d="M8 0a8 8 0 1 1 0 16A8 8 0 0 1 8 0zM7 9.5C7 8.672 6.552 8 6 8s-1 .672-1 1.5.448 1.5 1 1.5 1-.672 1-1.5zM4.285 6.433a.5.5 0 0 0 .683-.183A3.498 3.498 0 0 1 8 4.5c1.295 0 2.426.703 3.032 1.75a.5.5 0 0 0 .866-.5A4.498 4.498 0 0 0 8 3.5a4.5 4.5 0 0 0-3.898 2.25.5.5 0 0 0 .183.683zM10 8c-.552 0-1 .672-1 1.5s.448 1.5 1 1.5 1-.672 1-1.5S10.552 8 10 8z"/&gt;');// eslint-disable-next-line
var BIconEmojiSunglasses=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiSunglasses','&lt;path d="M4.968 9.75a.5.5 0 1 0-.866.5A4.498 4.498 0 0 0 8 12.5a4.5 4.5 0 0 0 3.898-2.25.5.5 0 1 0-.866-.5A3.498 3.498 0 0 1 8 11.5a3.498 3.498 0 0 1-3.032-1.75zM7 5.116V5a1 1 0 0 0-1-1H3.28a1 1 0 0 0-.97 1.243l.311 1.242A2 2 0 0 0 4.561 8H5a2 2 0 0 0 1.994-1.839A2.99 2.99 0 0 1 8 6c.393 0 .74.064 1.006.161A2 2 0 0 0 11 8h.438a2 2 0 0 0 1.94-1.515l.311-1.242A1 1 0 0 0 12.72 4H10a1 1 0 0 0-1 1v.116A4.22 4.22 0 0 0 8 5c-.35 0-.69.04-1 .116z"/&gt;&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-1 0A7 7 0 1 0 1 8a7 7 0 0 0 14 0z"/&gt;');// eslint-disable-next-line
var BIconEmojiSunglassesFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiSunglassesFill','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zM2.31 5.243A1 1 0 0 1 3.28 4H6a1 1 0 0 1 1 1v.116A4.22 4.22 0 0 1 8 5c.35 0 .69.04 1 .116V5a1 1 0 0 1 1-1h2.72a1 1 0 0 1 .97 1.243l-.311 1.242A2 2 0 0 1 11.439 8H11a2 2 0 0 1-1.994-1.839A2.99 2.99 0 0 0 8 6c-.393 0-.74.064-1.006.161A2 2 0 0 1 5 8h-.438a2 2 0 0 1-1.94-1.515L2.31 5.243zM4.969 9.75A3.498 3.498 0 0 0 8 11.5a3.498 3.498 0 0 0 3.032-1.75.5.5 0 1 1 .866.5A4.498 4.498 0 0 1 8 12.5a4.498 4.498 0 0 1-3.898-2.25.5.5 0 0 1 .866-.5z"/&gt;');// eslint-disable-next-line
var BIconEmojiWink=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiWink','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M4.285 9.567a.5.5 0 0 1 .683.183A3.498 3.498 0 0 0 8 11.5a3.498 3.498 0 0 0 3.032-1.75.5.5 0 1 1 .866.5A4.498 4.498 0 0 1 8 12.5a4.498 4.498 0 0 1-3.898-2.25.5.5 0 0 1 .183-.683zM7 6.5C7 7.328 6.552 8 6 8s-1-.672-1-1.5S5.448 5 6 5s1 .672 1 1.5zm1.757-.437a.5.5 0 0 1 .68.194.934.934 0 0 0 .813.493c.339 0 .645-.19.813-.493a.5.5 0 1 1 .874.486A1.934 1.934 0 0 1 10.25 7.75c-.73 0-1.356-.412-1.687-1.007a.5.5 0 0 1 .194-.68z"/&gt;');// eslint-disable-next-line
var BIconEmojiWinkFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EmojiWinkFill','&lt;path d="M8 0a8 8 0 1 1 0 16A8 8 0 0 1 8 0zM7 6.5C7 5.672 6.552 5 6 5s-1 .672-1 1.5S5.448 8 6 8s1-.672 1-1.5zM4.285 9.567a.5.5 0 0 0-.183.683A4.498 4.498 0 0 0 8 12.5a4.5 4.5 0 0 0 3.898-2.25.5.5 0 1 0-.866-.5A3.498 3.498 0 0 1 8 11.5a3.498 3.498 0 0 1-3.032-1.75.5.5 0 0 0-.683-.183zm5.152-3.31a.5.5 0 0 0-.874.486c.33.595.958 1.007 1.687 1.007.73 0 1.356-.412 1.687-1.007a.5.5 0 0 0-.874-.486.934.934 0 0 1-.813.493.934.934 0 0 1-.813-.493z"/&gt;');// eslint-disable-next-line
var BIconEnvelope=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Envelope','&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm2-1a1 1 0 0 0-1 1v.217l7 4.2 7-4.2V4a1 1 0 0 0-1-1H2zm13 2.383-4.758 2.855L15 11.114v-5.73zm-.034 6.878L9.271 8.82 8 9.583 6.728 8.82l-5.694 3.44A1 1 0 0 0 2 13h12a1 1 0 0 0 .966-.739zM1 11.114l4.758-2.876L1 5.383v5.73z"/&gt;');// eslint-disable-next-line
var BIconEnvelopeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EnvelopeFill','&lt;path d="M.05 3.555A2 2 0 0 1 2 2h12a2 2 0 0 1 1.95 1.555L8 8.414.05 3.555zM0 4.697v7.104l5.803-3.558L0 4.697zM6.761 8.83l-6.57 4.027A2 2 0 0 0 2 14h12a2 2 0 0 0 1.808-1.144l-6.57-4.027L8 9.586l-1.239-.757zm3.436-.586L16 11.801V4.697l-5.803 3.546z"/&gt;');// eslint-disable-next-line
var BIconEnvelopeOpen=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EnvelopeOpen','&lt;path d="M8.47 1.318a1 1 0 0 0-.94 0l-6 3.2A1 1 0 0 0 1 5.4v.818l5.724 3.465L8 8.917l1.276.766L15 6.218V5.4a1 1 0 0 0-.53-.882l-6-3.2zM15 7.388l-4.754 2.877L15 13.117v-5.73zm-.035 6.874L8 10.083l-6.965 4.18A1 1 0 0 0 2 15h12a1 1 0 0 0 .965-.738zM1 13.117l4.754-2.852L1 7.387v5.73zM7.059.435a2 2 0 0 1 1.882 0l6 3.2A2 2 0 0 1 16 5.4V14a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V5.4a2 2 0 0 1 1.059-1.765l6-3.2z"/&gt;');// eslint-disable-next-line
var BIconEnvelopeOpenFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EnvelopeOpenFill','&lt;path d="M8.941.435a2 2 0 0 0-1.882 0l-6 3.2A2 2 0 0 0 0 5.4v.313l6.709 3.933L8 8.928l1.291.717L16 5.715V5.4a2 2 0 0 0-1.059-1.765l-6-3.2zM16 6.873l-5.693 3.337L16 13.372v-6.5zm-.059 7.611L8 10.072.059 14.484A2 2 0 0 0 2 16h12a2 2 0 0 0 1.941-1.516zM0 13.373l5.693-3.163L0 6.873v6.5z"/&gt;');// eslint-disable-next-line
var BIconEraser=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Eraser','&lt;path d="M8.086 2.207a2 2 0 0 1 2.828 0l3.879 3.879a2 2 0 0 1 0 2.828l-5.5 5.5A2 2 0 0 1 7.879 15H5.12a2 2 0 0 1-1.414-.586l-2.5-2.5a2 2 0 0 1 0-2.828l6.879-6.879zm2.121.707a1 1 0 0 0-1.414 0L4.16 7.547l5.293 5.293 4.633-4.633a1 1 0 0 0 0-1.414l-3.879-3.879zM8.746 13.547 3.453 8.254 1.914 9.793a1 1 0 0 0 0 1.414l2.5 2.5a1 1 0 0 0 .707.293H7.88a1 1 0 0 0 .707-.293l.16-.16z"/&gt;');// eslint-disable-next-line
var BIconEraserFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EraserFill','&lt;path d="M8.086 2.207a2 2 0 0 1 2.828 0l3.879 3.879a2 2 0 0 1 0 2.828l-5.5 5.5A2 2 0 0 1 7.879 15H5.12a2 2 0 0 1-1.414-.586l-2.5-2.5a2 2 0 0 1 0-2.828l6.879-6.879zm.66 11.34L3.453 8.254 1.914 9.793a1 1 0 0 0 0 1.414l2.5 2.5a1 1 0 0 0 .707.293H7.88a1 1 0 0 0 .707-.293l.16-.16z"/&gt;');// eslint-disable-next-line
var BIconExclamation=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Exclamation','&lt;path d="M7.002 11a1 1 0 1 1 2 0 1 1 0 0 1-2 0zM7.1 4.995a.905.905 0 1 1 1.8 0l-.35 3.507a.553.553 0 0 1-1.1 0L7.1 4.995z"/&gt;');// eslint-disable-next-line
var BIconExclamationCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M7.002 11a1 1 0 1 1 2 0 1 1 0 0 1-2 0zM7.1 4.995a.905.905 0 1 1 1.8 0l-.35 3.507a.552.552 0 0 1-1.1 0L7.1 4.995z"/&gt;');// eslint-disable-next-line
var BIconExclamationCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM8 4a.905.905 0 0 0-.9.995l.35 3.507a.552.552 0 0 0 1.1 0l.35-3.507A.905.905 0 0 0 8 4zm.002 6a1 1 0 1 0 0 2 1 1 0 0 0 0-2z"/&gt;');// eslint-disable-next-line
var BIconExclamationDiamond=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationDiamond','&lt;path d="M6.95.435c.58-.58 1.52-.58 2.1 0l6.515 6.516c.58.58.58 1.519 0 2.098L9.05 15.565c-.58.58-1.519.58-2.098 0L.435 9.05a1.482 1.482 0 0 1 0-2.098L6.95.435zm1.4.7a.495.495 0 0 0-.7 0L1.134 7.65a.495.495 0 0 0 0 .7l6.516 6.516a.495.495 0 0 0 .7 0l6.516-6.516a.495.495 0 0 0 0-.7L8.35 1.134z"/&gt;&lt;path d="M7.002 11a1 1 0 1 1 2 0 1 1 0 0 1-2 0zM7.1 4.995a.905.905 0 1 1 1.8 0l-.35 3.507a.552.552 0 0 1-1.1 0L7.1 4.995z"/&gt;');// eslint-disable-next-line
var BIconExclamationDiamondFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationDiamondFill','&lt;path d="M9.05.435c-.58-.58-1.52-.58-2.1 0L.436 6.95c-.58.58-.58 1.519 0 2.098l6.516 6.516c.58.58 1.519.58 2.098 0l6.516-6.516c.58-.58.58-1.519 0-2.098L9.05.435zM8 4c.535 0 .954.462.9.995l-.35 3.507a.552.552 0 0 1-1.1 0L7.1 4.995A.905.905 0 0 1 8 4zm.002 6a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"/&gt;');// eslint-disable-next-line
var BIconExclamationLg=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationLg','&lt;path d="M6.002 14a2 2 0 1 1 4 0 2 2 0 0 1-4 0zm.195-12.01a1.81 1.81 0 1 1 3.602 0l-.701 7.015a1.105 1.105 0 0 1-2.2 0l-.7-7.015z"/&gt;');// eslint-disable-next-line
var BIconExclamationOctagon=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationOctagon','&lt;path d="M4.54.146A.5.5 0 0 1 4.893 0h6.214a.5.5 0 0 1 .353.146l4.394 4.394a.5.5 0 0 1 .146.353v6.214a.5.5 0 0 1-.146.353l-4.394 4.394a.5.5 0 0 1-.353.146H4.893a.5.5 0 0 1-.353-.146L.146 11.46A.5.5 0 0 1 0 11.107V4.893a.5.5 0 0 1 .146-.353L4.54.146zM5.1 1 1 5.1v5.8L5.1 15h5.8l4.1-4.1V5.1L10.9 1H5.1z"/&gt;&lt;path d="M7.002 11a1 1 0 1 1 2 0 1 1 0 0 1-2 0zM7.1 4.995a.905.905 0 1 1 1.8 0l-.35 3.507a.552.552 0 0 1-1.1 0L7.1 4.995z"/&gt;');// eslint-disable-next-line
var BIconExclamationOctagonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationOctagonFill','&lt;path d="M11.46.146A.5.5 0 0 0 11.107 0H4.893a.5.5 0 0 0-.353.146L.146 4.54A.5.5 0 0 0 0 4.893v6.214a.5.5 0 0 0 .146.353l4.394 4.394a.5.5 0 0 0 .353.146h6.214a.5.5 0 0 0 .353-.146l4.394-4.394a.5.5 0 0 0 .146-.353V4.893a.5.5 0 0 0-.146-.353L11.46.146zM8 4c.535 0 .954.462.9.995l-.35 3.507a.552.552 0 0 1-1.1 0L7.1 4.995A.905.905 0 0 1 8 4zm.002 6a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"/&gt;');// eslint-disable-next-line
var BIconExclamationSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M7.002 11a1 1 0 1 1 2 0 1 1 0 0 1-2 0zM7.1 4.995a.905.905 0 1 1 1.8 0l-.35 3.507a.552.552 0 0 1-1.1 0L7.1 4.995z"/&gt;');// eslint-disable-next-line
var BIconExclamationSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm6 4c.535 0 .954.462.9.995l-.35 3.507a.552.552 0 0 1-1.1 0L7.1 4.995A.905.905 0 0 1 8 4zm.002 6a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"/&gt;');// eslint-disable-next-line
var BIconExclamationTriangle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationTriangle','&lt;path d="M7.938 2.016A.13.13 0 0 1 8.002 2a.13.13 0 0 1 .063.016.146.146 0 0 1 .054.057l6.857 11.667c.036.06.035.124.002.183a.163.163 0 0 1-.054.06.116.116 0 0 1-.066.017H1.146a.115.115 0 0 1-.066-.017.163.163 0 0 1-.054-.06.176.176 0 0 1 .002-.183L7.884 2.073a.147.147 0 0 1 .054-.057zm1.044-.45a1.13 1.13 0 0 0-1.96 0L.165 13.233c-.457.778.091 1.767.98 1.767h13.713c.889 0 1.438-.99.98-1.767L8.982 1.566z"/&gt;&lt;path d="M7.002 12a1 1 0 1 1 2 0 1 1 0 0 1-2 0zM7.1 5.995a.905.905 0 1 1 1.8 0l-.35 3.507a.552.552 0 0 1-1.1 0L7.1 5.995z"/&gt;');// eslint-disable-next-line
var BIconExclamationTriangleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ExclamationTriangleFill','&lt;path d="M8.982 1.566a1.13 1.13 0 0 0-1.96 0L.165 13.233c-.457.778.091 1.767.98 1.767h13.713c.889 0 1.438-.99.98-1.767L8.982 1.566zM8 5c.535 0 .954.462.9.995l-.35 3.507a.552.552 0 0 1-1.1 0L7.1 5.995A.905.905 0 0 1 8 5zm.002 6a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"/&gt;');// eslint-disable-next-line
var BIconExclude=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Exclude','&lt;path d="M0 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v2h2a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H6a2 2 0 0 1-2-2v-2H2a2 2 0 0 1-2-2V2zm12 2H5a1 1 0 0 0-1 1v7h7a1 1 0 0 0 1-1V4z"/&gt;');// eslint-disable-next-line
var BIconEye=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Eye','&lt;path d="M16 8s-3-5.5-8-5.5S0 8 0 8s3 5.5 8 5.5S16 8 16 8zM1.173 8a13.133 13.133 0 0 1 1.66-2.043C4.12 4.668 5.88 3.5 8 3.5c2.12 0 3.879 1.168 5.168 2.457A13.133 13.133 0 0 1 14.828 8c-.058.087-.122.183-.195.288-.335.48-.83 1.12-1.465 1.755C11.879 11.332 10.119 12.5 8 12.5c-2.12 0-3.879-1.168-5.168-2.457A13.134 13.134 0 0 1 1.172 8z"/&gt;&lt;path d="M8 5.5a2.5 2.5 0 1 0 0 5 2.5 2.5 0 0 0 0-5zM4.5 8a3.5 3.5 0 1 1 7 0 3.5 3.5 0 0 1-7 0z"/&gt;');// eslint-disable-next-line
var BIconEyeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EyeFill','&lt;path d="M10.5 8a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0z"/&gt;&lt;path d="M0 8s3-5.5 8-5.5S16 8 16 8s-3 5.5-8 5.5S0 8 0 8zm8 3.5a3.5 3.5 0 1 0 0-7 3.5 3.5 0 0 0 0 7z"/&gt;');// eslint-disable-next-line
var BIconEyeSlash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EyeSlash','&lt;path d="M13.359 11.238C15.06 9.72 16 8 16 8s-3-5.5-8-5.5a7.028 7.028 0 0 0-2.79.588l.77.771A5.944 5.944 0 0 1 8 3.5c2.12 0 3.879 1.168 5.168 2.457A13.134 13.134 0 0 1 14.828 8c-.058.087-.122.183-.195.288-.335.48-.83 1.12-1.465 1.755-.165.165-.337.328-.517.486l.708.709z"/&gt;&lt;path d="M11.297 9.176a3.5 3.5 0 0 0-4.474-4.474l.823.823a2.5 2.5 0 0 1 2.829 2.829l.822.822zm-2.943 1.299.822.822a3.5 3.5 0 0 1-4.474-4.474l.823.823a2.5 2.5 0 0 0 2.829 2.829z"/&gt;&lt;path d="M3.35 5.47c-.18.16-.353.322-.518.487A13.134 13.134 0 0 0 1.172 8l.195.288c.335.48.83 1.12 1.465 1.755C4.121 11.332 5.881 12.5 8 12.5c.716 0 1.39-.133 2.02-.36l.77.772A7.029 7.029 0 0 1 8 13.5C3 13.5 0 8 0 8s.939-1.721 2.641-3.238l.708.709zm10.296 8.884-12-12 .708-.708 12 12-.708.708z"/&gt;');// eslint-disable-next-line
var BIconEyeSlashFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('EyeSlashFill','&lt;path d="m10.79 12.912-1.614-1.615a3.5 3.5 0 0 1-4.474-4.474l-2.06-2.06C.938 6.278 0 8 0 8s3 5.5 8 5.5a7.029 7.029 0 0 0 2.79-.588zM5.21 3.088A7.028 7.028 0 0 1 8 2.5c5 0 8 5.5 8 5.5s-.939 1.721-2.641 3.238l-2.062-2.062a3.5 3.5 0 0 0-4.474-4.474L5.21 3.089z"/&gt;&lt;path d="M5.525 7.646a2.5 2.5 0 0 0 2.829 2.829l-2.83-2.829zm4.95.708-2.829-2.83a2.5 2.5 0 0 1 2.829 2.829zm3.171 6-12-12 .708-.708 12 12-.708.708z"/&gt;');// eslint-disable-next-line
var BIconEyedropper=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Eyedropper','&lt;path d="M13.354.646a1.207 1.207 0 0 0-1.708 0L8.5 3.793l-.646-.647a.5.5 0 1 0-.708.708L8.293 5l-7.147 7.146A.5.5 0 0 0 1 12.5v1.793l-.854.853a.5.5 0 1 0 .708.707L1.707 15H3.5a.5.5 0 0 0 .354-.146L11 7.707l1.146 1.147a.5.5 0 0 0 .708-.708l-.647-.646 3.147-3.146a1.207 1.207 0 0 0 0-1.708l-2-2zM2 12.707l7-7L10.293 7l-7 7H2v-1.293z"/&gt;');// eslint-disable-next-line
var BIconEyeglasses=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Eyeglasses','&lt;path d="M4 6a2 2 0 1 1 0 4 2 2 0 0 1 0-4zm2.625.547a3 3 0 0 0-5.584.953H.5a.5.5 0 0 0 0 1h.541A3 3 0 0 0 7 8a1 1 0 0 1 2 0 3 3 0 0 0 5.959.5h.541a.5.5 0 0 0 0-1h-.541a3 3 0 0 0-5.584-.953A1.993 1.993 0 0 0 8 6c-.532 0-1.016.208-1.375.547zM14 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0z"/&gt;');// eslint-disable-next-line
var BIconFacebook=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Facebook','&lt;path d="M16 8.049c0-4.446-3.582-8.05-8-8.05C3.58 0-.002 3.603-.002 8.05c0 4.017 2.926 7.347 6.75 7.951v-5.625h-2.03V8.05H6.75V6.275c0-2.017 1.195-3.131 3.022-3.131.876 0 1.791.157 1.791.157v1.98h-1.009c-.993 0-1.303.621-1.303 1.258v1.51h2.218l-.354 2.326H9.25V16c3.824-.604 6.75-3.934 6.75-7.951z"/&gt;');// eslint-disable-next-line
var BIconFile=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('File','&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileArrowDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileArrowDown','&lt;path d="M8 5a.5.5 0 0 1 .5.5v3.793l1.146-1.147a.5.5 0 0 1 .708.708l-2 2a.5.5 0 0 1-.708 0l-2-2a.5.5 0 1 1 .708-.708L7.5 9.293V5.5A.5.5 0 0 1 8 5z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileArrowDownFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileArrowDownFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM8 5a.5.5 0 0 1 .5.5v3.793l1.146-1.147a.5.5 0 0 1 .708.708l-2 2a.5.5 0 0 1-.708 0l-2-2a.5.5 0 1 1 .708-.708L7.5 9.293V5.5A.5.5 0 0 1 8 5z"/&gt;');// eslint-disable-next-line
var BIconFileArrowUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileArrowUp','&lt;path d="M8 11a.5.5 0 0 0 .5-.5V6.707l1.146 1.147a.5.5 0 0 0 .708-.708l-2-2a.5.5 0 0 0-.708 0l-2 2a.5.5 0 1 0 .708.708L7.5 6.707V10.5a.5.5 0 0 0 .5.5z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileArrowUpFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileArrowUpFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM7.5 6.707 6.354 7.854a.5.5 0 1 1-.708-.708l2-2a.5.5 0 0 1 .708 0l2 2a.5.5 0 0 1-.708.708L8.5 6.707V10.5a.5.5 0 0 1-1 0V6.707z"/&gt;');// eslint-disable-next-line
var BIconFileBarGraph=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileBarGraph','&lt;path d="M4.5 12a.5.5 0 0 1-.5-.5v-2a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-1zm3 0a.5.5 0 0 1-.5-.5v-4a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-.5.5h-1zm3 0a.5.5 0 0 1-.5-.5v-6a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v6a.5.5 0 0 1-.5.5h-1z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileBarGraphFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileBarGraphFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zm-2 11.5v-6a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v6a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5zm-2.5.5a.5.5 0 0 1-.5-.5v-4a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-.5.5h-1zm-3 0a.5.5 0 0 1-.5-.5v-2a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-1z"/&gt;');// eslint-disable-next-line
var BIconFileBinary=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileBinary','&lt;path d="M5.526 13.09c.976 0 1.524-.79 1.524-2.205 0-1.412-.548-2.203-1.524-2.203-.978 0-1.526.79-1.526 2.203 0 1.415.548 2.206 1.526 2.206zm-.832-2.205c0-1.05.29-1.612.832-1.612.358 0 .607.247.733.721L4.7 11.137a6.749 6.749 0 0 1-.006-.252zm.832 1.614c-.36 0-.606-.246-.732-.718l1.556-1.145c.003.079.005.164.005.249 0 1.052-.29 1.614-.829 1.614zm5.329.501v-.595H9.73V8.772h-.69l-1.19.786v.688L8.986 9.5h.05v2.906h-1.18V13h3z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileBinaryFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileBinaryFill','&lt;path d="M5.526 9.273c-.542 0-.832.563-.832 1.612 0 .088.003.173.006.252l1.56-1.143c-.126-.474-.375-.72-.733-.72zm-.732 2.508c.126.472.372.718.732.718.54 0 .83-.563.83-1.614 0-.085-.003-.17-.006-.25l-1.556 1.146z"/&gt;&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM7.05 10.885c0 1.415-.548 2.206-1.524 2.206C4.548 13.09 4 12.3 4 10.885c0-1.412.548-2.203 1.526-2.203.976 0 1.524.79 1.524 2.203zm3.805 1.52V13h-3v-.595h1.181V9.5h-.05l-1.136.747v-.688l1.19-.786h.69v3.633h1.125z"/&gt;');// eslint-disable-next-line
var BIconFileBreak=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileBreak','&lt;path d="M0 10.5a.5.5 0 0 1 .5-.5h15a.5.5 0 0 1 0 1H.5a.5.5 0 0 1-.5-.5zM12 0H4a2 2 0 0 0-2 2v7h1V2a1 1 0 0 1 1-1h8a1 1 0 0 1 1 1v7h1V2a2 2 0 0 0-2-2zm2 12h-1v2a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1v-2H2v2a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2v-2z"/&gt;');// eslint-disable-next-line
var BIconFileBreakFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileBreakFill','&lt;path d="M4 0h8a2 2 0 0 1 2 2v7H2V2a2 2 0 0 1 2-2zM2 12h12v2a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2v-2zM.5 10a.5.5 0 0 0 0 1h15a.5.5 0 0 0 0-1H.5z"/&gt;');// eslint-disable-next-line
var BIconFileCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileCheck','&lt;path d="M10.854 6.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7.5 8.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileCheckFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileCheckFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zm-1.146 6.854-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7.5 8.793l2.646-2.647a.5.5 0 0 1 .708.708z"/&gt;');// eslint-disable-next-line
var BIconFileCode=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileCode','&lt;path d="M6.646 5.646a.5.5 0 1 1 .708.708L5.707 8l1.647 1.646a.5.5 0 0 1-.708.708l-2-2a.5.5 0 0 1 0-.708l2-2zm2.708 0a.5.5 0 1 0-.708.708L10.293 8 8.646 9.646a.5.5 0 0 0 .708.708l2-2a.5.5 0 0 0 0-.708l-2-2z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm10-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1z"/&gt;');// eslint-disable-next-line
var BIconFileCodeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileCodeFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM6.646 5.646a.5.5 0 1 1 .708.708L5.707 8l1.647 1.646a.5.5 0 0 1-.708.708l-2-2a.5.5 0 0 1 0-.708l2-2zm2.708 0 2 2a.5.5 0 0 1 0 .708l-2 2a.5.5 0 0 1-.708-.708L10.293 8 8.646 6.354a.5.5 0 1 1 .708-.708z"/&gt;');// eslint-disable-next-line
var BIconFileDiff=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileDiff','&lt;path d="M8 4a.5.5 0 0 1 .5.5V6H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V7H6a.5.5 0 0 1 0-1h1.5V4.5A.5.5 0 0 1 8 4zm-2.5 6.5A.5.5 0 0 1 6 10h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm10-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1z"/&gt;');// eslint-disable-next-line
var BIconFileDiffFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileDiffFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM8.5 4.5V6H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V7H6a.5.5 0 0 1 0-1h1.5V4.5a.5.5 0 0 1 1 0zM6 10h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconFileEarmark=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmark','&lt;path d="M14 4.5V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h5.5L14 4.5zm-3 0A1.5 1.5 0 0 1 9.5 3V1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V4.5h-2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkArrowDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkArrowDown','&lt;path d="M8.5 6.5a.5.5 0 0 0-1 0v3.793L6.354 9.146a.5.5 0 1 0-.708.708l2 2a.5.5 0 0 0 .708 0l2-2a.5.5 0 0 0-.708-.708L8.5 10.293V6.5z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkArrowDownFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkArrowDownFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zm-1 4v3.793l1.146-1.147a.5.5 0 0 1 .708.708l-2 2a.5.5 0 0 1-.708 0l-2-2a.5.5 0 0 1 .708-.708L7.5 11.293V7.5a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkArrowUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkArrowUp','&lt;path d="M8.5 11.5a.5.5 0 0 1-1 0V7.707L6.354 8.854a.5.5 0 1 1-.708-.708l2-2a.5.5 0 0 1 .708 0l2 2a.5.5 0 0 1-.708.708L8.5 7.707V11.5z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkArrowUpFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkArrowUpFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM6.354 9.854a.5.5 0 0 1-.708-.708l2-2a.5.5 0 0 1 .708 0l2 2a.5.5 0 0 1-.708.708L8.5 8.707V12.5a.5.5 0 0 1-1 0V8.707L6.354 9.854z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkBarGraph=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkBarGraph','&lt;path d="M10 13.5a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-6a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5v6zm-2.5.5a.5.5 0 0 1-.5-.5v-4a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-.5.5h-1zm-3 0a.5.5 0 0 1-.5-.5v-2a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-1z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkBarGraphFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkBarGraphFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zm.5 10v-6a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v6a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5zm-2.5.5a.5.5 0 0 1-.5-.5v-4a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-.5.5h-1zm-3 0a.5.5 0 0 1-.5-.5v-2a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-1z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkBinary=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkBinary','&lt;path d="M7.05 11.885c0 1.415-.548 2.206-1.524 2.206C4.548 14.09 4 13.3 4 11.885c0-1.412.548-2.203 1.526-2.203.976 0 1.524.79 1.524 2.203zm-1.524-1.612c-.542 0-.832.563-.832 1.612 0 .088.003.173.006.252l1.559-1.143c-.126-.474-.375-.72-.733-.72zm-.732 2.508c.126.472.372.718.732.718.54 0 .83-.563.83-1.614 0-.085-.003-.17-.006-.25l-1.556 1.146zm6.061.624V14h-3v-.595h1.181V10.5h-.05l-1.136.747v-.688l1.19-.786h.69v3.633h1.125z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkBinaryFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkBinaryFill','&lt;path d="M5.526 10.273c-.542 0-.832.563-.832 1.612 0 .088.003.173.006.252l1.559-1.143c-.126-.474-.375-.72-.733-.72zm-.732 2.508c.126.472.372.718.732.718.54 0 .83-.563.83-1.614 0-.085-.003-.17-.006-.25l-1.556 1.146z"/&gt;&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zm-2.45 8.385c0 1.415-.548 2.206-1.524 2.206C4.548 14.09 4 13.3 4 11.885c0-1.412.548-2.203 1.526-2.203.976 0 1.524.79 1.524 2.203zm3.805 1.52V14h-3v-.595h1.181V10.5h-.05l-1.136.747v-.688l1.19-.786h.69v3.633h1.125z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkBreak=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkBreak','&lt;path d="M14 4.5V9h-1V4.5h-2A1.5 1.5 0 0 1 9.5 3V1H4a1 1 0 0 0-1 1v7H2V2a2 2 0 0 1 2-2h5.5L14 4.5zM13 12h1v2a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2v-2h1v2a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1v-2zM.5 10a.5.5 0 0 0 0 1h15a.5.5 0 0 0 0-1H.5z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkBreakFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkBreakFill','&lt;path d="M4 0h5.293A1 1 0 0 1 10 .293L13.707 4a1 1 0 0 1 .293.707V9H2V2a2 2 0 0 1 2-2zm5.5 1.5v2a1 1 0 0 0 1 1h2l-3-3zM2 12h12v2a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2v-2zM.5 10a.5.5 0 0 0 0 1h15a.5.5 0 0 0 0-1H.5z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkCheck','&lt;path d="M10.854 7.854a.5.5 0 0 0-.708-.708L7.5 9.793 6.354 8.646a.5.5 0 1 0-.708.708l1.5 1.5a.5.5 0 0 0 .708 0l3-3z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkCheckFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkCheckFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zm1.354 4.354-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7.5 9.793l2.646-2.647a.5.5 0 0 1 .708.708z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkCode=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkCode','&lt;path d="M14 4.5V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h5.5L14 4.5zm-3 0A1.5 1.5 0 0 1 9.5 3V1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V4.5h-2z"/&gt;&lt;path d="M8.646 6.646a.5.5 0 0 1 .708 0l2 2a.5.5 0 0 1 0 .708l-2 2a.5.5 0 0 1-.708-.708L10.293 9 8.646 7.354a.5.5 0 0 1 0-.708zm-1.292 0a.5.5 0 0 0-.708 0l-2 2a.5.5 0 0 0 0 .708l2 2a.5.5 0 0 0 .708-.708L5.707 9l1.647-1.646a.5.5 0 0 0 0-.708z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkCodeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkCodeFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM6.646 7.646a.5.5 0 1 1 .708.708L5.707 10l1.647 1.646a.5.5 0 0 1-.708.708l-2-2a.5.5 0 0 1 0-.708l2-2zm2.708 0 2 2a.5.5 0 0 1 0 .708l-2 2a.5.5 0 0 1-.708-.708L10.293 10 8.646 8.354a.5.5 0 1 1 .708-.708z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkDiff=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkDiff','&lt;path d="M8 5a.5.5 0 0 1 .5.5V7H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V8H6a.5.5 0 0 1 0-1h1.5V5.5A.5.5 0 0 1 8 5zm-2.5 6.5A.5.5 0 0 1 6 11h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkDiffFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkDiffFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM8 6a.5.5 0 0 1 .5.5V8H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V9H6a.5.5 0 0 1 0-1h1.5V6.5A.5.5 0 0 1 8 6zm-2.5 6.5A.5.5 0 0 1 6 12h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkEasel=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkEasel','&lt;path d="M8.5 6a.5.5 0 1 0-1 0h-2A1.5 1.5 0 0 0 4 7.5v2A1.5 1.5 0 0 0 5.5 11h.473l-.447 1.342a.5.5 0 1 0 .948.316L7.027 11H7.5v1a.5.5 0 0 0 1 0v-1h.473l.553 1.658a.5.5 0 1 0 .948-.316L10.027 11h.473A1.5 1.5 0 0 0 12 9.5v-2A1.5 1.5 0 0 0 10.5 6h-2zM5 7.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-5a.5.5 0 0 1-.5-.5v-2z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkEaselFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkEaselFill','&lt;path d="M5 7.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-5a.5.5 0 0 1-.5-.5v-2z"/&gt;&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM8.5 6h2A1.5 1.5 0 0 1 12 7.5v2a1.5 1.5 0 0 1-1.5 1.5h-.473l.447 1.342a.5.5 0 0 1-.948.316L8.973 11H8.5v1a.5.5 0 0 1-1 0v-1h-.473l-.553 1.658a.5.5 0 1 1-.948-.316L5.973 11H5.5A1.5 1.5 0 0 1 4 9.5v-2A1.5 1.5 0 0 1 5.5 6h2a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkExcel=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkExcel','&lt;path d="M5.884 6.68a.5.5 0 1 0-.768.64L7.349 10l-2.233 2.68a.5.5 0 0 0 .768.64L8 10.781l2.116 2.54a.5.5 0 0 0 .768-.641L8.651 10l2.233-2.68a.5.5 0 0 0-.768-.64L8 9.219l-2.116-2.54z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkExcelFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkExcelFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM5.884 6.68 8 9.219l2.116-2.54a.5.5 0 1 1 .768.641L8.651 10l2.233 2.68a.5.5 0 0 1-.768.64L8 10.781l-2.116 2.54a.5.5 0 0 1-.768-.641L7.349 10 5.116 7.32a.5.5 0 1 1 .768-.64z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkFill','&lt;path d="M4 0h5.293A1 1 0 0 1 10 .293L13.707 4a1 1 0 0 1 .293.707V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2zm5.5 1.5v2a1 1 0 0 0 1 1h2l-3-3z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkFont=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkFont','&lt;path d="M10.943 6H5.057L5 8h.5c.18-1.096.356-1.192 1.694-1.235l.293-.01v5.09c0 .47-.1.582-.898.655v.5H9.41v-.5c-.803-.073-.903-.184-.903-.654V6.755l.298.01c1.338.043 1.514.14 1.694 1.235h.5l-.057-2z"/&gt;&lt;path d="M14 4.5V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h5.5L14 4.5zm-3 0A1.5 1.5 0 0 1 9.5 3V1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V4.5h-2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkFontFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkFontFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM5.057 6h5.886L11 8h-.5c-.18-1.096-.356-1.192-1.694-1.235l-.298-.01v5.09c0 .47.1.582.903.655v.5H6.59v-.5c.799-.073.898-.184.898-.654V6.755l-.293.01C5.856 6.808 5.68 6.905 5.5 8H5l.057-2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkImage=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkImage','&lt;path d="M6.502 7a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3z"/&gt;&lt;path d="M14 14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h5.5L14 4.5V14zM4 1a1 1 0 0 0-1 1v10l2.224-2.224a.5.5 0 0 1 .61-.075L8 11l2.157-3.02a.5.5 0 0 1 .76-.063L13 10V4.5h-2A1.5 1.5 0 0 1 9.5 3V1H4z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkImageFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkImageFill','&lt;path d="M4 0h5.293A1 1 0 0 1 10 .293L13.707 4a1 1 0 0 1 .293.707v5.586l-2.73-2.73a1 1 0 0 0-1.52.127l-1.889 2.644-1.769-1.062a1 1 0 0 0-1.222.15L2 12.292V2a2 2 0 0 1 2-2zm5.5 1.5v2a1 1 0 0 0 1 1h2l-3-3zm-1.498 4a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0z"/&gt;&lt;path d="M10.564 8.27 14 11.708V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2v-.293l3.578-3.577 2.56 1.536 2.426-3.395z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkLock=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkLock','&lt;path d="M10 7v1.076c.54.166 1 .597 1 1.224v2.4c0 .816-.781 1.3-1.5 1.3h-3c-.719 0-1.5-.484-1.5-1.3V9.3c0-.627.46-1.058 1-1.224V7a2 2 0 1 1 4 0zM7 7v1h2V7a1 1 0 0 0-2 0zM6 9.3v2.4c0 .042.02.107.105.175A.637.637 0 0 0 6.5 12h3a.64.64 0 0 0 .395-.125c.085-.068.105-.133.105-.175V9.3c0-.042-.02-.107-.105-.175A.637.637 0 0 0 9.5 9h-3a.637.637 0 0 0-.395.125C6.02 9.193 6 9.258 6 9.3z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkLock2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkLock2','&lt;path d="M10 7v1.076c.54.166 1 .597 1 1.224v2.4c0 .816-.781 1.3-1.5 1.3h-3c-.719 0-1.5-.484-1.5-1.3V9.3c0-.627.46-1.058 1-1.224V7a2 2 0 1 1 4 0zM7 7v1h2V7a1 1 0 0 0-2 0z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkLock2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkLock2Fill','&lt;path d="M7 7a1 1 0 0 1 2 0v1H7V7z"/&gt;&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM10 7v1.076c.54.166 1 .597 1 1.224v2.4c0 .816-.781 1.3-1.5 1.3h-3c-.719 0-1.5-.484-1.5-1.3V9.3c0-.627.46-1.058 1-1.224V7a2 2 0 1 1 4 0z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkLockFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkLockFill','&lt;path d="M7 7a1 1 0 0 1 2 0v1H7V7zM6 9.3c0-.042.02-.107.105-.175A.637.637 0 0 1 6.5 9h3a.64.64 0 0 1 .395.125c.085.068.105.133.105.175v2.4c0 .042-.02.107-.105.175A.637.637 0 0 1 9.5 12h-3a.637.637 0 0 1-.395-.125C6.02 11.807 6 11.742 6 11.7V9.3z"/&gt;&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM10 7v1.076c.54.166 1 .597 1 1.224v2.4c0 .816-.781 1.3-1.5 1.3h-3c-.719 0-1.5-.484-1.5-1.3V9.3c0-.627.46-1.058 1-1.224V7a2 2 0 1 1 4 0z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkMedical=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkMedical','&lt;path d="M7.5 5.5a.5.5 0 0 0-1 0v.634l-.549-.317a.5.5 0 1 0-.5.866L6 7l-.549.317a.5.5 0 1 0 .5.866l.549-.317V8.5a.5.5 0 1 0 1 0v-.634l.549.317a.5.5 0 1 0 .5-.866L8 7l.549-.317a.5.5 0 1 0-.5-.866l-.549.317V5.5zm-2 4.5a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5zm0 2a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkMedicalFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkMedicalFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zm-3 2v.634l.549-.317a.5.5 0 1 1 .5.866L7 7l.549.317a.5.5 0 1 1-.5.866L6.5 7.866V8.5a.5.5 0 0 1-1 0v-.634l-.549.317a.5.5 0 1 1-.5-.866L5 7l-.549-.317a.5.5 0 0 1 .5-.866l.549.317V5.5a.5.5 0 1 1 1 0zm-2 4.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1zm0 2h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkMinus','&lt;path d="M5.5 9a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M14 4.5V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h5.5L14 4.5zm-3 0A1.5 1.5 0 0 1 9.5 3V1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V4.5h-2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkMinusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkMinusFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM6 8.5h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkMusic=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkMusic','&lt;path d="M11 6.64a1 1 0 0 0-1.243-.97l-1 .25A1 1 0 0 0 8 6.89v4.306A2.572 2.572 0 0 0 7 11c-.5 0-.974.134-1.338.377-.36.24-.662.628-.662 1.123s.301.883.662 1.123c.364.243.839.377 1.338.377.5 0 .974-.134 1.338-.377.36-.24.662-.628.662-1.123V8.89l2-.5V6.64z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkMusicFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkMusicFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM11 6.64v1.75l-2 .5v3.61c0 .495-.301.883-.662 1.123C7.974 13.866 7.499 14 7 14c-.5 0-.974-.134-1.338-.377-.36-.24-.662-.628-.662-1.123s.301-.883.662-1.123C6.026 11.134 6.501 11 7 11c.356 0 .7.068 1 .196V6.89a1 1 0 0 1 .757-.97l1-.25A1 1 0 0 1 11 6.64z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPdf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPdf','&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;&lt;path d="M4.603 14.087a.81.81 0 0 1-.438-.42c-.195-.388-.13-.776.08-1.102.198-.307.526-.568.897-.787a7.68 7.68 0 0 1 1.482-.645 19.697 19.697 0 0 0 1.062-2.227 7.269 7.269 0 0 1-.43-1.295c-.086-.4-.119-.796-.046-1.136.075-.354.274-.672.65-.823.192-.077.4-.12.602-.077a.7.7 0 0 1 .477.365c.088.164.12.356.127.538.007.188-.012.396-.047.614-.084.51-.27 1.134-.52 1.794a10.954 10.954 0 0 0 .98 1.686 5.753 5.753 0 0 1 1.334.05c.364.066.734.195.96.465.12.144.193.32.2.518.007.192-.047.382-.138.563a1.04 1.04 0 0 1-.354.416.856.856 0 0 1-.51.138c-.331-.014-.654-.196-.933-.417a5.712 5.712 0 0 1-.911-.95 11.651 11.651 0 0 0-1.997.406 11.307 11.307 0 0 1-1.02 1.51c-.292.35-.609.656-.927.787a.793.793 0 0 1-.58.029zm1.379-1.901c-.166.076-.32.156-.459.238-.328.194-.541.383-.647.547-.094.145-.096.25-.04.361.01.022.02.036.026.044a.266.266 0 0 0 .035-.012c.137-.056.355-.235.635-.572a8.18 8.18 0 0 0 .45-.606zm1.64-1.33a12.71 12.71 0 0 1 1.01-.193 11.744 11.744 0 0 1-.51-.858 20.801 20.801 0 0 1-.5 1.05zm2.446.45c.15.163.296.3.435.41.24.19.407.253.498.256a.107.107 0 0 0 .07-.015.307.307 0 0 0 .094-.125.436.436 0 0 0 .059-.2.095.095 0 0 0-.026-.063c-.052-.062-.2-.152-.518-.209a3.876 3.876 0 0 0-.612-.053zM8.078 7.8a6.7 6.7 0 0 0 .2-.828c.031-.188.043-.343.038-.465a.613.613 0 0 0-.032-.198.517.517 0 0 0-.145.04c-.087.035-.158.106-.196.283-.04.192-.03.469.046.822.024.111.054.227.09.346z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPdfFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPdfFill','&lt;path d="M5.523 12.424c.14-.082.293-.162.459-.238a7.878 7.878 0 0 1-.45.606c-.28.337-.498.516-.635.572a.266.266 0 0 1-.035.012.282.282 0 0 1-.026-.044c-.056-.11-.054-.216.04-.36.106-.165.319-.354.647-.548zm2.455-1.647c-.119.025-.237.05-.356.078a21.148 21.148 0 0 0 .5-1.05 12.045 12.045 0 0 0 .51.858c-.217.032-.436.07-.654.114zm2.525.939a3.881 3.881 0 0 1-.435-.41c.228.005.434.022.612.054.317.057.466.147.518.209a.095.095 0 0 1 .026.064.436.436 0 0 1-.06.2.307.307 0 0 1-.094.124.107.107 0 0 1-.069.015c-.09-.003-.258-.066-.498-.256zM8.278 6.97c-.04.244-.108.524-.2.829a4.86 4.86 0 0 1-.089-.346c-.076-.353-.087-.63-.046-.822.038-.177.11-.248.196-.283a.517.517 0 0 1 .145-.04c.013.03.028.092.032.198.005.122-.007.277-.038.465z"/&gt;&lt;path fill-rule="evenodd" d="M4 0h5.293A1 1 0 0 1 10 .293L13.707 4a1 1 0 0 1 .293.707V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2zm5.5 1.5v2a1 1 0 0 0 1 1h2l-3-3zM4.165 13.668c.09.18.23.343.438.419.207.075.412.04.58-.03.318-.13.635-.436.926-.786.333-.401.683-.927 1.021-1.51a11.651 11.651 0 0 1 1.997-.406c.3.383.61.713.91.95.28.22.603.403.934.417a.856.856 0 0 0 .51-.138c.155-.101.27-.247.354-.416.09-.181.145-.37.138-.563a.844.844 0 0 0-.2-.518c-.226-.27-.596-.4-.96-.465a5.76 5.76 0 0 0-1.335-.05 10.954 10.954 0 0 1-.98-1.686c.25-.66.437-1.284.52-1.794.036-.218.055-.426.048-.614a1.238 1.238 0 0 0-.127-.538.7.7 0 0 0-.477-.365c-.202-.043-.41 0-.601.077-.377.15-.576.47-.651.823-.073.34-.04.736.046 1.136.088.406.238.848.43 1.295a19.697 19.697 0 0 1-1.062 2.227 7.662 7.662 0 0 0-1.482.645c-.37.22-.699.48-.897.787-.21.326-.275.714-.08 1.103z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPerson=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPerson','&lt;path d="M11 8a3 3 0 1 1-6 0 3 3 0 0 1 6 0z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2v9.255S12 12 8 12s-5 1.755-5 1.755V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPersonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPersonFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM11 8a3 3 0 1 1-6 0 3 3 0 0 1 6 0zm2 5.755V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1v-.245S4 12 8 12s5 1.755 5 1.755z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPlay=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPlay','&lt;path d="M6 6.883v4.234a.5.5 0 0 0 .757.429l3.528-2.117a.5.5 0 0 0 0-.858L6.757 6.454a.5.5 0 0 0-.757.43z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPlayFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPlayFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM6 6.883a.5.5 0 0 1 .757-.429l3.528 2.117a.5.5 0 0 1 0 .858l-3.528 2.117a.5.5 0 0 1-.757-.43V6.884z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPlus','&lt;path d="M8 6.5a.5.5 0 0 1 .5.5v1.5H10a.5.5 0 0 1 0 1H8.5V11a.5.5 0 0 1-1 0V9.5H6a.5.5 0 0 1 0-1h1.5V7a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M14 4.5V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h5.5L14 4.5zm-3 0A1.5 1.5 0 0 1 9.5 3V1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V4.5h-2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPlusFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM8.5 7v1.5H10a.5.5 0 0 1 0 1H8.5V11a.5.5 0 0 1-1 0V9.5H6a.5.5 0 0 1 0-1h1.5V7a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPost=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPost','&lt;path d="M14 4.5V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h5.5L14 4.5zm-3 0A1.5 1.5 0 0 1 9.5 3V1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V4.5h-2z"/&gt;&lt;path d="M4 6.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-7zm0-3a.5.5 0 0 1 .5-.5H7a.5.5 0 0 1 0 1H4.5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPostFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPostFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zm-5-.5H7a.5.5 0 0 1 0 1H4.5a.5.5 0 0 1 0-1zm0 3h7a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-7a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPpt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPpt','&lt;path d="M7 5.5a1 1 0 0 0-1 1V13a.5.5 0 0 0 1 0v-2h1.188a2.75 2.75 0 0 0 0-5.5H7zM8.188 10H7V6.5h1.188a1.75 1.75 0 1 1 0 3.5z"/&gt;&lt;path d="M14 4.5V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h5.5L14 4.5zm-3 0A1.5 1.5 0 0 1 9.5 3V1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V4.5h-2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkPptFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkPptFill','&lt;path d="M8.188 10H7V6.5h1.188a1.75 1.75 0 1 1 0 3.5z"/&gt;&lt;path d="M4 0h5.293A1 1 0 0 1 10 .293L13.707 4a1 1 0 0 1 .293.707V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2zm5.5 1.5v2a1 1 0 0 0 1 1h2l-3-3zM7 5.5a1 1 0 0 0-1 1V13a.5.5 0 0 0 1 0v-2h1.188a2.75 2.75 0 0 0 0-5.5H7z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkRichtext=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkRichtext','&lt;path d="M14 4.5V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h5.5L14 4.5zm-3 0A1.5 1.5 0 0 1 9.5 3V1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V4.5h-2z"/&gt;&lt;path d="M4.5 12.5A.5.5 0 0 1 5 12h3a.5.5 0 0 1 0 1H5a.5.5 0 0 1-.5-.5zm0-2A.5.5 0 0 1 5 10h6a.5.5 0 0 1 0 1H5a.5.5 0 0 1-.5-.5zm1.639-3.708 1.33.886 1.854-1.855a.25.25 0 0 1 .289-.047l1.888.974V8.5a.5.5 0 0 1-.5.5H5a.5.5 0 0 1-.5-.5V8s1.54-1.274 1.639-1.208zM6.25 6a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkRichtextFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkRichtextFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM7 6.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm-.861 1.542 1.33.886 1.854-1.855a.25.25 0 0 1 .289-.047l1.888.974V9.5a.5.5 0 0 1-.5.5H5a.5.5 0 0 1-.5-.5V9s1.54-1.274 1.639-1.208zM5 11h6a.5.5 0 0 1 0 1H5a.5.5 0 0 1 0-1zm0 2h3a.5.5 0 0 1 0 1H5a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkRuled=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkRuled','&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V9H3V2a1 1 0 0 1 1-1h5.5v2zM3 12v-2h2v2H3zm0 1h2v2H4a1 1 0 0 1-1-1v-1zm3 2v-2h7v1a1 1 0 0 1-1 1H6zm7-3H6v-2h7v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkRuledFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkRuledFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM3 9h10v1H6v2h7v1H6v2H5v-2H3v-1h2v-2H3V9z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkSlides=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkSlides','&lt;path d="M5 6a.5.5 0 0 0-.496.438l-.5 4A.5.5 0 0 0 4.5 11h3v2.016c-.863.055-1.5.251-1.5.484 0 .276.895.5 2 .5s2-.224 2-.5c0-.233-.637-.429-1.5-.484V11h3a.5.5 0 0 0 .496-.562l-.5-4A.5.5 0 0 0 11 6H5zm2 3.78V7.22c0-.096.106-.156.19-.106l2.13 1.279a.125.125 0 0 1 0 .214l-2.13 1.28A.125.125 0 0 1 7 9.778z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkSlidesFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkSlidesFill','&lt;path d="M7 9.78V7.22c0-.096.106-.156.19-.106l2.13 1.279a.125.125 0 0 1 0 .214l-2.13 1.28A.125.125 0 0 1 7 9.778z"/&gt;&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM5 6h6a.5.5 0 0 1 .496.438l.5 4A.5.5 0 0 1 11.5 11h-3v2.016c.863.055 1.5.251 1.5.484 0 .276-.895.5-2 .5s-2-.224-2-.5c0-.233.637-.429 1.5-.484V11h-3a.5.5 0 0 1-.496-.562l.5-4A.5.5 0 0 1 5 6z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkSpreadsheet=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkSpreadsheet','&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V9H3V2a1 1 0 0 1 1-1h5.5v2zM3 12v-2h2v2H3zm0 1h2v2H4a1 1 0 0 1-1-1v-1zm3 2v-2h3v2H6zm4 0v-2h3v1a1 1 0 0 1-1 1h-2zm3-3h-3v-2h3v2zm-7 0v-2h3v2H6z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkSpreadsheetFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkSpreadsheetFill','&lt;path d="M6 12v-2h3v2H6z"/&gt;&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM3 9h10v1h-3v2h3v1h-3v2H9v-2H6v2H5v-2H3v-1h2v-2H3V9z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkText=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkText','&lt;path d="M5.5 7a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5zM5 9.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.5L9.5 0zm0 1v2A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkTextFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkTextFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM4.5 9a.5.5 0 0 1 0-1h7a.5.5 0 0 1 0 1h-7zM4 10.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm.5 2.5a.5.5 0 0 1 0-1h4a.5.5 0 0 1 0 1h-4z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkWord=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkWord','&lt;path d="M5.485 6.879a.5.5 0 1 0-.97.242l1.5 6a.5.5 0 0 0 .967.01L8 9.402l1.018 3.73a.5.5 0 0 0 .967-.01l1.5-6a.5.5 0 0 0-.97-.242l-1.036 4.144-.997-3.655a.5.5 0 0 0-.964 0l-.997 3.655L5.485 6.88z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkWordFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkWordFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM5.485 6.879l1.036 4.144.997-3.655a.5.5 0 0 1 .964 0l.997 3.655 1.036-4.144a.5.5 0 0 1 .97.242l-1.5 6a.5.5 0 0 1-.967.01L8 9.402l-1.018 3.73a.5.5 0 0 1-.967-.01l-1.5-6a.5.5 0 1 1 .97-.242z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkX','&lt;path d="M6.854 7.146a.5.5 0 1 0-.708.708L7.293 9l-1.147 1.146a.5.5 0 0 0 .708.708L8 9.707l1.146 1.147a.5.5 0 0 0 .708-.708L8.707 9l1.147-1.146a.5.5 0 0 0-.708-.708L8 8.293 6.854 7.146z"/&gt;&lt;path d="M14 14V4.5L9.5 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2zM9.5 3A1.5 1.5 0 0 0 11 4.5h2V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h5.5v2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkXFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkXFill','&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zM6.854 7.146 8 8.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 9l1.147 1.146a.5.5 0 0 1-.708.708L8 9.707l-1.146 1.147a.5.5 0 0 1-.708-.708L7.293 9 6.146 7.854a.5.5 0 1 1 .708-.708z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkZip=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkZip','&lt;path d="M5 7.5a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v.938l.4 1.599a1 1 0 0 1-.416 1.074l-.93.62a1 1 0 0 1-1.11 0l-.929-.62a1 1 0 0 1-.415-1.074L5 8.438V7.5zm2 0H6v.938a1 1 0 0 1-.03.243l-.4 1.598.93.62.929-.62-.4-1.598A1 1 0 0 1 7 8.438V7.5z"/&gt;&lt;path d="M14 4.5V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h5.5L14 4.5zm-3 0A1.5 1.5 0 0 1 9.5 3V1h-2v1h-1v1h1v1h-1v1h1v1H6V5H5V4h1V3H5V2h1V1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V4.5h-2z"/&gt;');// eslint-disable-next-line
var BIconFileEarmarkZipFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEarmarkZipFill','&lt;path d="M5.5 9.438V8.5h1v.938a1 1 0 0 0 .03.243l.4 1.598-.93.62-.93-.62.4-1.598a1 1 0 0 0 .03-.243z"/&gt;&lt;path d="M9.293 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V4.707A1 1 0 0 0 13.707 4L10 .293A1 1 0 0 0 9.293 0zM9.5 3.5v-2l3 3h-2a1 1 0 0 1-1-1zm-4-.5V2h-1V1H6v1h1v1H6v1h1v1H6v1h1v1H5.5V6h-1V5h1V4h-1V3h1zm0 4.5h1a1 1 0 0 1 1 1v.938l.4 1.599a1 1 0 0 1-.416 1.074l-.93.62a1 1 0 0 1-1.109 0l-.93-.62a1 1 0 0 1-.415-1.074l.4-1.599V8.5a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileEasel=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEasel','&lt;path d="M8.5 5a.5.5 0 1 0-1 0h-2A1.5 1.5 0 0 0 4 6.5v2A1.5 1.5 0 0 0 5.5 10h.473l-.447 1.342a.5.5 0 1 0 .948.316L7.027 10H7.5v1a.5.5 0 0 0 1 0v-1h.473l.553 1.658a.5.5 0 1 0 .948-.316L10.027 10h.473A1.5 1.5 0 0 0 12 8.5v-2A1.5 1.5 0 0 0 10.5 5h-2zM5 6.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-5a.5.5 0 0 1-.5-.5v-2z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm10-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1z"/&gt;');// eslint-disable-next-line
var BIconFileEaselFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileEaselFill','&lt;path d="M5 6.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-5a.5.5 0 0 1-.5-.5v-2z"/&gt;&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM8.5 5h2A1.5 1.5 0 0 1 12 6.5v2a1.5 1.5 0 0 1-1.5 1.5h-.473l.447 1.342a.5.5 0 0 1-.948.316L8.973 10H8.5v1a.5.5 0 0 1-1 0v-1h-.473l-.553 1.658a.5.5 0 1 1-.948-.316L5.973 10H5.5A1.5 1.5 0 0 1 4 8.5v-2A1.5 1.5 0 0 1 5.5 5h2a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconFileExcel=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileExcel','&lt;path d="M5.18 4.616a.5.5 0 0 1 .704.064L8 7.219l2.116-2.54a.5.5 0 1 1 .768.641L8.651 8l2.233 2.68a.5.5 0 0 1-.768.64L8 8.781l-2.116 2.54a.5.5 0 0 1-.768-.641L7.349 8 5.116 5.32a.5.5 0 0 1 .064-.704z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileExcelFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileExcelFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM5.884 4.68 8 7.219l2.116-2.54a.5.5 0 1 1 .768.641L8.651 8l2.233 2.68a.5.5 0 0 1-.768.64L8 8.781l-2.116 2.54a.5.5 0 0 1-.768-.641L7.349 8 5.116 5.32a.5.5 0 1 1 .768-.64z"/&gt;');// eslint-disable-next-line
var BIconFileFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileFill','&lt;path fill-rule="evenodd" d="M4 0h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2z"/&gt;');// eslint-disable-next-line
var BIconFileFont=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileFont','&lt;path d="M10.943 4H5.057L5 6h.5c.18-1.096.356-1.192 1.694-1.235l.293-.01v6.09c0 .47-.1.582-.898.655v.5H9.41v-.5c-.803-.073-.903-.184-.903-.654V4.755l.298.01c1.338.043 1.514.14 1.694 1.235h.5l-.057-2z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileFontFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileFontFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM5.057 4h5.886L11 6h-.5c-.18-1.096-.356-1.192-1.694-1.235l-.298-.01v6.09c0 .47.1.582.903.655v.5H6.59v-.5c.799-.073.898-.184.898-.654V4.755l-.293.01C5.856 4.808 5.68 4.905 5.5 6H5l.057-2z"/&gt;');// eslint-disable-next-line
var BIconFileImage=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileImage','&lt;path d="M8.002 5.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM3 2a1 1 0 0 1 1-1h8a1 1 0 0 1 1 1v8l-2.083-2.083a.5.5 0 0 0-.76.063L8 11 5.835 9.7a.5.5 0 0 0-.611.076L3 12V2z"/&gt;');// eslint-disable-next-line
var BIconFileImageFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileImageFill','&lt;path d="M4 0h8a2 2 0 0 1 2 2v8.293l-2.73-2.73a1 1 0 0 0-1.52.127l-1.889 2.644-1.769-1.062a1 1 0 0 0-1.222.15L2 12.292V2a2 2 0 0 1 2-2zm4.002 5.5a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0z"/&gt;&lt;path d="M10.564 8.27 14 11.708V14a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2v-.293l3.578-3.577 2.56 1.536 2.426-3.395z"/&gt;');// eslint-disable-next-line
var BIconFileLock=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileLock','&lt;path d="M8 5a1 1 0 0 1 1 1v1H7V6a1 1 0 0 1 1-1zm2 2.076V6a2 2 0 1 0-4 0v1.076c-.54.166-1 .597-1 1.224v2.4c0 .816.781 1.3 1.5 1.3h3c.719 0 1.5-.484 1.5-1.3V8.3c0-.627-.46-1.058-1-1.224zM6.105 8.125A.637.637 0 0 1 6.5 8h3a.64.64 0 0 1 .395.125c.085.068.105.133.105.175v2.4c0 .042-.02.107-.105.175A.637.637 0 0 1 9.5 11h-3a.637.637 0 0 1-.395-.125C6.02 10.807 6 10.742 6 10.7V8.3c0-.042.02-.107.105-.175z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileLock2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileLock2','&lt;path d="M8 5a1 1 0 0 1 1 1v1H7V6a1 1 0 0 1 1-1zm2 2.076V6a2 2 0 1 0-4 0v1.076c-.54.166-1 .597-1 1.224v2.4c0 .816.781 1.3 1.5 1.3h3c.719 0 1.5-.484 1.5-1.3V8.3c0-.627-.46-1.058-1-1.224z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileLock2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileLock2Fill','&lt;path d="M7 6a1 1 0 0 1 2 0v1H7V6z"/&gt;&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zm-2 6v1.076c.54.166 1 .597 1 1.224v2.4c0 .816-.781 1.3-1.5 1.3h-3c-.719 0-1.5-.484-1.5-1.3V8.3c0-.627.46-1.058 1-1.224V6a2 2 0 1 1 4 0z"/&gt;');// eslint-disable-next-line
var BIconFileLockFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileLockFill','&lt;path d="M7 6a1 1 0 0 1 2 0v1H7V6zM6 8.3c0-.042.02-.107.105-.175A.637.637 0 0 1 6.5 8h3a.64.64 0 0 1 .395.125c.085.068.105.133.105.175v2.4c0 .042-.02.107-.105.175A.637.637 0 0 1 9.5 11h-3a.637.637 0 0 1-.395-.125C6.02 10.807 6 10.742 6 10.7V8.3z"/&gt;&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zm-2 6v1.076c.54.166 1 .597 1 1.224v2.4c0 .816-.781 1.3-1.5 1.3h-3c-.719 0-1.5-.484-1.5-1.3V8.3c0-.627.46-1.058 1-1.224V6a2 2 0 1 1 4 0z"/&gt;');// eslint-disable-next-line
var BIconFileMedical=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileMedical','&lt;path d="M8.5 4.5a.5.5 0 0 0-1 0v.634l-.549-.317a.5.5 0 1 0-.5.866L7 6l-.549.317a.5.5 0 1 0 .5.866l.549-.317V7.5a.5.5 0 1 0 1 0v-.634l.549.317a.5.5 0 1 0 .5-.866L9 6l.549-.317a.5.5 0 1 0-.5-.866l-.549.317V4.5zM5.5 9a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5zm0 2a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm10-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1z"/&gt;');// eslint-disable-next-line
var BIconFileMedicalFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileMedicalFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM8.5 4.5v.634l.549-.317a.5.5 0 1 1 .5.866L9 6l.549.317a.5.5 0 1 1-.5.866L8.5 6.866V7.5a.5.5 0 0 1-1 0v-.634l-.549.317a.5.5 0 1 1-.5-.866L7 6l-.549-.317a.5.5 0 0 1 .5-.866l.549.317V4.5a.5.5 0 1 1 1 0zM5.5 9h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1zm0 2h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconFileMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileMinus','&lt;path d="M5.5 8a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileMinusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileMinusFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM6 7.5h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconFileMusic=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileMusic','&lt;path d="M10.304 3.13a1 1 0 0 1 1.196.98v1.8l-2.5.5v5.09c0 .495-.301.883-.662 1.123C7.974 12.866 7.499 13 7 13c-.5 0-.974-.134-1.338-.377-.36-.24-.662-.628-.662-1.123s.301-.883.662-1.123C6.026 10.134 6.501 10 7 10c.356 0 .7.068 1 .196V4.41a1 1 0 0 1 .804-.98l1.5-.3z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileMusicFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileMusicFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zm-.5 4.11v1.8l-2.5.5v5.09c0 .495-.301.883-.662 1.123C7.974 12.866 7.499 13 7 13c-.5 0-.974-.134-1.338-.377-.36-.24-.662-.628-.662-1.123s.301-.883.662-1.123C6.026 10.134 6.501 10 7 10c.356 0 .7.068 1 .196V4.41a1 1 0 0 1 .804-.98l1.5-.3a1 1 0 0 1 1.196.98z"/&gt;');// eslint-disable-next-line
var BIconFilePdf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePdf','&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;&lt;path d="M4.603 12.087a.81.81 0 0 1-.438-.42c-.195-.388-.13-.776.08-1.102.198-.307.526-.568.897-.787a7.68 7.68 0 0 1 1.482-.645 19.701 19.701 0 0 0 1.062-2.227 7.269 7.269 0 0 1-.43-1.295c-.086-.4-.119-.796-.046-1.136.075-.354.274-.672.65-.823.192-.077.4-.12.602-.077a.7.7 0 0 1 .477.365c.088.164.12.356.127.538.007.187-.012.395-.047.614-.084.51-.27 1.134-.52 1.794a10.954 10.954 0 0 0 .98 1.686 5.753 5.753 0 0 1 1.334.05c.364.065.734.195.96.465.12.144.193.32.2.518.007.192-.047.382-.138.563a1.04 1.04 0 0 1-.354.416.856.856 0 0 1-.51.138c-.331-.014-.654-.196-.933-.417a5.716 5.716 0 0 1-.911-.95 11.642 11.642 0 0 0-1.997.406 11.311 11.311 0 0 1-1.021 1.51c-.29.35-.608.655-.926.787a.793.793 0 0 1-.58.029zm1.379-1.901c-.166.076-.32.156-.459.238-.328.194-.541.383-.647.547-.094.145-.096.25-.04.361.01.022.02.036.026.044a.27.27 0 0 0 .035-.012c.137-.056.355-.235.635-.572a8.18 8.18 0 0 0 .45-.606zm1.64-1.33a12.647 12.647 0 0 1 1.01-.193 11.666 11.666 0 0 1-.51-.858 20.741 20.741 0 0 1-.5 1.05zm2.446.45c.15.162.296.3.435.41.24.19.407.253.498.256a.107.107 0 0 0 .07-.015.307.307 0 0 0 .094-.125.436.436 0 0 0 .059-.2.095.095 0 0 0-.026-.063c-.052-.062-.2-.152-.518-.209a3.881 3.881 0 0 0-.612-.053zM8.078 5.8a6.7 6.7 0 0 0 .2-.828c.031-.188.043-.343.038-.465a.613.613 0 0 0-.032-.198.517.517 0 0 0-.145.04c-.087.035-.158.106-.196.283-.04.192-.03.469.046.822.024.111.054.227.09.346z"/&gt;');// eslint-disable-next-line
var BIconFilePdfFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePdfFill','&lt;path d="M5.523 10.424c.14-.082.293-.162.459-.238a7.878 7.878 0 0 1-.45.606c-.28.337-.498.516-.635.572a.266.266 0 0 1-.035.012.282.282 0 0 1-.026-.044c-.056-.11-.054-.216.04-.36.106-.165.319-.354.647-.548zm2.455-1.647c-.119.025-.237.05-.356.078a21.035 21.035 0 0 0 .5-1.05 11.96 11.96 0 0 0 .51.858c-.217.032-.436.07-.654.114zm2.525.939a3.888 3.888 0 0 1-.435-.41c.228.005.434.022.612.054.317.057.466.147.518.209a.095.095 0 0 1 .026.064.436.436 0 0 1-.06.2.307.307 0 0 1-.094.124.107.107 0 0 1-.069.015c-.09-.003-.258-.066-.498-.256zM8.278 4.97c-.04.244-.108.524-.2.829a4.86 4.86 0 0 1-.089-.346c-.076-.353-.087-.63-.046-.822.038-.177.11-.248.196-.283a.517.517 0 0 1 .145-.04c.013.03.028.092.032.198.005.122-.007.277-.038.465z"/&gt;&lt;path fill-rule="evenodd" d="M4 0h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2zm.165 11.668c.09.18.23.343.438.419.207.075.412.04.58-.03.318-.13.635-.436.926-.786.333-.401.683-.927 1.021-1.51a11.64 11.64 0 0 1 1.997-.406c.3.383.61.713.91.95.28.22.603.403.934.417a.856.856 0 0 0 .51-.138c.155-.101.27-.247.354-.416.09-.181.145-.37.138-.563a.844.844 0 0 0-.2-.518c-.226-.27-.596-.4-.96-.465a5.76 5.76 0 0 0-1.335-.05 10.954 10.954 0 0 1-.98-1.686c.25-.66.437-1.284.52-1.794.036-.218.055-.426.048-.614a1.238 1.238 0 0 0-.127-.538.7.7 0 0 0-.477-.365c-.202-.043-.41 0-.601.077-.377.15-.576.47-.651.823-.073.34-.04.736.046 1.136.088.406.238.848.43 1.295a19.707 19.707 0 0 1-1.062 2.227 7.662 7.662 0 0 0-1.482.645c-.37.22-.699.48-.897.787-.21.326-.275.714-.08 1.103z"/&gt;');// eslint-disable-next-line
var BIconFilePerson=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePerson','&lt;path d="M12 1a1 1 0 0 1 1 1v10.755S12 11 8 11s-5 1.755-5 1.755V2a1 1 0 0 1 1-1h8zM4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4z"/&gt;&lt;path d="M8 10a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;');// eslint-disable-next-line
var BIconFilePersonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePersonFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zm-1 7a3 3 0 1 1-6 0 3 3 0 0 1 6 0zm-3 4c2.623 0 4.146.826 5 1.755V14a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1v-1.245C3.854 11.825 5.377 11 8 11z"/&gt;');// eslint-disable-next-line
var BIconFilePlay=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePlay','&lt;path d="M6 10.117V5.883a.5.5 0 0 1 .757-.429l3.528 2.117a.5.5 0 0 1 0 .858l-3.528 2.117a.5.5 0 0 1-.757-.43z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFilePlayFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePlayFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM6 5.883a.5.5 0 0 1 .757-.429l3.528 2.117a.5.5 0 0 1 0 .858l-3.528 2.117a.5.5 0 0 1-.757-.43V5.884z"/&gt;');// eslint-disable-next-line
var BIconFilePlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePlus','&lt;path d="M8.5 6a.5.5 0 0 0-1 0v1.5H6a.5.5 0 0 0 0 1h1.5V10a.5.5 0 0 0 1 0V8.5H10a.5.5 0 0 0 0-1H8.5V6z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm10-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1z"/&gt;');// eslint-disable-next-line
var BIconFilePlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePlusFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM8.5 6v1.5H10a.5.5 0 0 1 0 1H8.5V10a.5.5 0 0 1-1 0V8.5H6a.5.5 0 0 1 0-1h1.5V6a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconFilePost=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePost','&lt;path d="M4 3.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-8z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm10-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1z"/&gt;');// eslint-disable-next-line
var BIconFilePostFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePostFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM4.5 3h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1zm0 2h7a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-8a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconFilePpt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePpt','&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm10-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1z"/&gt;&lt;path d="M6 5a1 1 0 0 1 1-1h1.188a2.75 2.75 0 0 1 0 5.5H7v2a.5.5 0 0 1-1 0V5zm1 3.5h1.188a1.75 1.75 0 1 0 0-3.5H7v3.5z"/&gt;');// eslint-disable-next-line
var BIconFilePptFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilePptFill','&lt;path d="M8.188 8.5H7V5h1.188a1.75 1.75 0 1 1 0 3.5z"/&gt;&lt;path d="M4 0h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2zm3 4a1 1 0 0 0-1 1v6.5a.5.5 0 0 0 1 0v-2h1.188a2.75 2.75 0 0 0 0-5.5H7z"/&gt;');// eslint-disable-next-line
var BIconFileRichtext=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileRichtext','&lt;path d="M7 4.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm-.861 1.542 1.33.886 1.854-1.855a.25.25 0 0 1 .289-.047l1.888.974V7.5a.5.5 0 0 1-.5.5H5a.5.5 0 0 1-.5-.5V7s1.54-1.274 1.639-1.208zM5 9a.5.5 0 0 0 0 1h6a.5.5 0 0 0 0-1H5zm0 2a.5.5 0 0 0 0 1h3a.5.5 0 0 0 0-1H5z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm10-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1z"/&gt;');// eslint-disable-next-line
var BIconFileRichtextFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileRichtextFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM7 4.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm-.861 1.542 1.33.886 1.854-1.855a.25.25 0 0 1 .289-.047l1.888.974V7.5a.5.5 0 0 1-.5.5H5a.5.5 0 0 1-.5-.5V7s1.54-1.274 1.639-1.208zM5 9h6a.5.5 0 0 1 0 1H5a.5.5 0 0 1 0-1zm0 2h3a.5.5 0 0 1 0 1H5a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconFileRuled=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileRuled','&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm2-1a1 1 0 0 0-1 1v4h10V2a1 1 0 0 0-1-1H4zm9 6H6v2h7V7zm0 3H6v2h7v-2zm0 3H6v2h6a1 1 0 0 0 1-1v-1zm-8 2v-2H3v1a1 1 0 0 0 1 1h1zm-2-3h2v-2H3v2zm0-3h2V7H3v2z"/&gt;');// eslint-disable-next-line
var BIconFileRuledFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileRuledFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v4h12V2a2 2 0 0 0-2-2zm2 7H6v2h8V7zm0 3H6v2h8v-2zm0 3H6v3h6a2 2 0 0 0 2-2v-1zm-9 3v-3H2v1a2 2 0 0 0 2 2h1zm-3-4h3v-2H2v2zm0-3h3V7H2v2z"/&gt;');// eslint-disable-next-line
var BIconFileSlides=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileSlides','&lt;path d="M5 4a.5.5 0 0 0-.496.438l-.5 4A.5.5 0 0 0 4.5 9h3v2.016c-.863.055-1.5.251-1.5.484 0 .276.895.5 2 .5s2-.224 2-.5c0-.233-.637-.429-1.5-.484V9h3a.5.5 0 0 0 .496-.562l-.5-4A.5.5 0 0 0 11 4H5zm2 3.78V5.22c0-.096.106-.156.19-.106l2.13 1.279a.125.125 0 0 1 0 .214l-2.13 1.28A.125.125 0 0 1 7 7.778z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm10-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1z"/&gt;');// eslint-disable-next-line
var BIconFileSlidesFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileSlidesFill','&lt;path d="M7 7.78V5.22c0-.096.106-.156.19-.106l2.13 1.279a.125.125 0 0 1 0 .214l-2.13 1.28A.125.125 0 0 1 7 7.778z"/&gt;&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM5 4h6a.5.5 0 0 1 .496.438l.5 4A.5.5 0 0 1 11.5 9h-3v2.016c.863.055 1.5.251 1.5.484 0 .276-.895.5-2 .5s-2-.224-2-.5c0-.233.637-.429 1.5-.484V9h-3a.5.5 0 0 1-.496-.562l.5-4A.5.5 0 0 1 5 4z"/&gt;');// eslint-disable-next-line
var BIconFileSpreadsheet=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileSpreadsheet','&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm2-1a1 1 0 0 0-1 1v4h10V2a1 1 0 0 0-1-1H4zm9 6h-3v2h3V7zm0 3h-3v2h3v-2zm0 3h-3v2h2a1 1 0 0 0 1-1v-1zm-4 2v-2H6v2h3zm-4 0v-2H3v1a1 1 0 0 0 1 1h1zm-2-3h2v-2H3v2zm0-3h2V7H3v2zm3-2v2h3V7H6zm3 3H6v2h3v-2z"/&gt;');// eslint-disable-next-line
var BIconFileSpreadsheetFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileSpreadsheetFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v4h12V2a2 2 0 0 0-2-2zm2 7h-4v2h4V7zm0 3h-4v2h4v-2zm0 3h-4v3h2a2 2 0 0 0 2-2v-1zm-5 3v-3H6v3h3zm-4 0v-3H2v1a2 2 0 0 0 2 2h1zm-3-4h3v-2H2v2zm0-3h3V7H2v2zm4 0V7h3v2H6zm0 1h3v2H6v-2z"/&gt;');// eslint-disable-next-line
var BIconFileText=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileText','&lt;path d="M5 4a.5.5 0 0 0 0 1h6a.5.5 0 0 0 0-1H5zm-.5 2.5A.5.5 0 0 1 5 6h6a.5.5 0 0 1 0 1H5a.5.5 0 0 1-.5-.5zM5 8a.5.5 0 0 0 0 1h6a.5.5 0 0 0 0-1H5zm0 2a.5.5 0 0 0 0 1h3a.5.5 0 0 0 0-1H5z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm10-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1z"/&gt;');// eslint-disable-next-line
var BIconFileTextFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileTextFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM5 4h6a.5.5 0 0 1 0 1H5a.5.5 0 0 1 0-1zm-.5 2.5A.5.5 0 0 1 5 6h6a.5.5 0 0 1 0 1H5a.5.5 0 0 1-.5-.5zM5 8h6a.5.5 0 0 1 0 1H5a.5.5 0 0 1 0-1zm0 2h3a.5.5 0 0 1 0 1H5a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconFileWord=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileWord','&lt;path d="M4.879 4.515a.5.5 0 0 1 .606.364l1.036 4.144.997-3.655a.5.5 0 0 1 .964 0l.997 3.655 1.036-4.144a.5.5 0 0 1 .97.242l-1.5 6a.5.5 0 0 1-.967.01L8 7.402l-1.018 3.73a.5.5 0 0 1-.967-.01l-1.5-6a.5.5 0 0 1 .364-.606z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileWordFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileWordFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM5.485 4.879l1.036 4.144.997-3.655a.5.5 0 0 1 .964 0l.997 3.655 1.036-4.144a.5.5 0 0 1 .97.242l-1.5 6a.5.5 0 0 1-.967.01L8 7.402l-1.018 3.73a.5.5 0 0 1-.967-.01l-1.5-6a.5.5 0 1 1 .97-.242z"/&gt;');// eslint-disable-next-line
var BIconFileX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileX','&lt;path d="M6.146 6.146a.5.5 0 0 1 .708 0L8 7.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 8l1.147 1.146a.5.5 0 0 1-.708.708L8 8.707 6.854 9.854a.5.5 0 0 1-.708-.708L7.293 8 6.146 6.854a.5.5 0 0 1 0-.708z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm0 1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconFileXFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileXFill','&lt;path d="M12 0H4a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zM6.854 6.146 8 7.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 8l1.147 1.146a.5.5 0 0 1-.708.708L8 8.707 6.854 9.854a.5.5 0 0 1-.708-.708L7.293 8 6.146 6.854a.5.5 0 1 1 .708-.708z"/&gt;');// eslint-disable-next-line
var BIconFileZip=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileZip','&lt;path d="M6.5 7.5a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v.938l.4 1.599a1 1 0 0 1-.416 1.074l-.93.62a1 1 0 0 1-1.109 0l-.93-.62a1 1 0 0 1-.415-1.074l.4-1.599V7.5zm2 0h-1v.938a1 1 0 0 1-.03.243l-.4 1.598.93.62.93-.62-.4-1.598a1 1 0 0 1-.03-.243V7.5z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm5.5-1H4a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H9v1H8v1h1v1H8v1h1v1H7.5V5h-1V4h1V3h-1V2h1V1z"/&gt;');// eslint-disable-next-line
var BIconFileZipFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FileZipFill','&lt;path d="M8.5 9.438V8.5h-1v.938a1 1 0 0 1-.03.243l-.4 1.598.93.62.93-.62-.4-1.598a1 1 0 0 1-.03-.243z"/&gt;&lt;path d="M4 0h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2zm2.5 8.5v.938l-.4 1.599a1 1 0 0 0 .416 1.074l.93.62a1 1 0 0 0 1.109 0l.93-.62a1 1 0 0 0 .415-1.074l-.4-1.599V8.5a1 1 0 0 0-1-1h-1a1 1 0 0 0-1 1zm1-5.5h-1v1h1v1h-1v1h1v1H9V6H8V5h1V4H8V3h1V2H8V1H6.5v1h1v1z"/&gt;');// eslint-disable-next-line
var BIconFiles=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Files','&lt;path d="M13 0H6a2 2 0 0 0-2 2 2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h7a2 2 0 0 0 2-2 2 2 0 0 0 2-2V2a2 2 0 0 0-2-2zm0 13V4a2 2 0 0 0-2-2H5a1 1 0 0 1 1-1h7a1 1 0 0 1 1 1v10a1 1 0 0 1-1 1zM3 4a1 1 0 0 1 1-1h7a1 1 0 0 1 1 1v10a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V4z"/&gt;');// eslint-disable-next-line
var BIconFilesAlt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilesAlt','&lt;path d="M11 0H3a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2 2 2 0 0 0 2-2V4a2 2 0 0 0-2-2 2 2 0 0 0-2-2zm2 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1V3zM2 2a1 1 0 0 1 1-1h8a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V2z"/&gt;');// eslint-disable-next-line
var BIconFilm=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Film','&lt;path d="M0 1a1 1 0 0 1 1-1h14a1 1 0 0 1 1 1v14a1 1 0 0 1-1 1H1a1 1 0 0 1-1-1V1zm4 0v6h8V1H4zm8 8H4v6h8V9zM1 1v2h2V1H1zm2 3H1v2h2V4zM1 7v2h2V7H1zm2 3H1v2h2v-2zm-2 3v2h2v-2H1zM15 1h-2v2h2V1zm-2 3v2h2V4h-2zm2 3h-2v2h2V7zm-2 3v2h2v-2h-2zm2 3h-2v2h2v-2z"/&gt;');// eslint-disable-next-line
var BIconFilter=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Filter','&lt;path d="M6 10.5a.5.5 0 0 1 .5-.5h3a.5.5 0 0 1 0 1h-3a.5.5 0 0 1-.5-.5zm-2-3a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm-2-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconFilterCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilterCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M7 11.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 0 1h-1a.5.5 0 0 1-.5-.5zm-2-3a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm-2-3a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconFilterCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilterCircleFill','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zM3.5 5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1 0-1zM5 8.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm2 3a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 0 1h-1a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconFilterLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilterLeft','&lt;path d="M2 10.5a.5.5 0 0 1 .5-.5h3a.5.5 0 0 1 0 1h-3a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconFilterRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilterRight','&lt;path d="M14 10.5a.5.5 0 0 0-.5-.5h-3a.5.5 0 0 0 0 1h3a.5.5 0 0 0 .5-.5zm0-3a.5.5 0 0 0-.5-.5h-7a.5.5 0 0 0 0 1h7a.5.5 0 0 0 .5-.5zm0-3a.5.5 0 0 0-.5-.5h-11a.5.5 0 0 0 0 1h11a.5.5 0 0 0 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconFilterSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilterSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M6 11.5a.5.5 0 0 1 .5-.5h3a.5.5 0 0 1 0 1h-3a.5.5 0 0 1-.5-.5zm-2-3a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm-2-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconFilterSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FilterSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm.5 5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1 0-1zM4 8.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm2 3a.5.5 0 0 1 .5-.5h3a.5.5 0 0 1 0 1h-3a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconFlag=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Flag','&lt;path d="M14.778.085A.5.5 0 0 1 15 .5V8a.5.5 0 0 1-.314.464L14.5 8l.186.464-.003.001-.006.003-.023.009a12.435 12.435 0 0 1-.397.15c-.264.095-.631.223-1.047.35-.816.252-1.879.523-2.71.523-.847 0-1.548-.28-2.158-.525l-.028-.01C7.68 8.71 7.14 8.5 6.5 8.5c-.7 0-1.638.23-2.437.477A19.626 19.626 0 0 0 3 9.342V15.5a.5.5 0 0 1-1 0V.5a.5.5 0 0 1 1 0v.282c.226-.079.496-.17.79-.26C4.606.272 5.67 0 6.5 0c.84 0 1.524.277 2.121.519l.043.018C9.286.788 9.828 1 10.5 1c.7 0 1.638-.23 2.437-.477a19.587 19.587 0 0 0 1.349-.476l.019-.007.004-.002h.001M14 1.221c-.22.078-.48.167-.766.255-.81.252-1.872.523-2.734.523-.886 0-1.592-.286-2.203-.534l-.008-.003C7.662 1.21 7.139 1 6.5 1c-.669 0-1.606.229-2.415.478A21.294 21.294 0 0 0 3 1.845v6.433c.22-.078.48-.167.766-.255C4.576 7.77 5.638 7.5 6.5 7.5c.847 0 1.548.28 2.158.525l.028.01C9.32 8.29 9.86 8.5 10.5 8.5c.668 0 1.606-.229 2.415-.478A21.317 21.317 0 0 0 14 7.655V1.222z"/&gt;');// eslint-disable-next-line
var BIconFlagFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FlagFill','&lt;path d="M14.778.085A.5.5 0 0 1 15 .5V8a.5.5 0 0 1-.314.464L14.5 8l.186.464-.003.001-.006.003-.023.009a12.435 12.435 0 0 1-.397.15c-.264.095-.631.223-1.047.35-.816.252-1.879.523-2.71.523-.847 0-1.548-.28-2.158-.525l-.028-.01C7.68 8.71 7.14 8.5 6.5 8.5c-.7 0-1.638.23-2.437.477A19.626 19.626 0 0 0 3 9.342V15.5a.5.5 0 0 1-1 0V.5a.5.5 0 0 1 1 0v.282c.226-.079.496-.17.79-.26C4.606.272 5.67 0 6.5 0c.84 0 1.524.277 2.121.519l.043.018C9.286.788 9.828 1 10.5 1c.7 0 1.638-.23 2.437-.477a19.587 19.587 0 0 0 1.349-.476l.019-.007.004-.002h.001"/&gt;');// eslint-disable-next-line
var BIconFlower1=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Flower1','&lt;path d="M6.174 1.184a2 2 0 0 1 3.652 0A2 2 0 0 1 12.99 3.01a2 2 0 0 1 1.826 3.164 2 2 0 0 1 0 3.652 2 2 0 0 1-1.826 3.164 2 2 0 0 1-3.164 1.826 2 2 0 0 1-3.652 0A2 2 0 0 1 3.01 12.99a2 2 0 0 1-1.826-3.164 2 2 0 0 1 0-3.652A2 2 0 0 1 3.01 3.01a2 2 0 0 1 3.164-1.826zM8 1a1 1 0 0 0-.998 1.03l.01.091c.012.077.029.176.054.296.049.241.122.542.213.887.182.688.428 1.513.676 2.314L8 5.762l.045-.144c.248-.8.494-1.626.676-2.314.091-.345.164-.646.213-.887a4.997 4.997 0 0 0 .064-.386L9 2a1 1 0 0 0-1-1zM2 9l.03-.002.091-.01a4.99 4.99 0 0 0 .296-.054c.241-.049.542-.122.887-.213a60.59 60.59 0 0 0 2.314-.676L5.762 8l-.144-.045a60.59 60.59 0 0 0-2.314-.676 16.705 16.705 0 0 0-.887-.213 4.99 4.99 0 0 0-.386-.064L2 7a1 1 0 1 0 0 2zm7 5-.002-.03a5.005 5.005 0 0 0-.064-.386 16.398 16.398 0 0 0-.213-.888 60.582 60.582 0 0 0-.676-2.314L8 10.238l-.045.144c-.248.8-.494 1.626-.676 2.314-.091.345-.164.646-.213.887a4.996 4.996 0 0 0-.064.386L7 14a1 1 0 1 0 2 0zm-5.696-2.134.025-.017a5.001 5.001 0 0 0 .303-.248c.184-.164.408-.377.661-.629A60.614 60.614 0 0 0 5.96 9.23l.103-.111-.147.033a60.88 60.88 0 0 0-2.343.572c-.344.093-.64.18-.874.258a5.063 5.063 0 0 0-.367.138l-.027.014a1 1 0 1 0 1 1.732zM4.5 14.062a1 1 0 0 0 1.366-.366l.014-.027c.01-.02.021-.048.036-.084a5.09 5.09 0 0 0 .102-.283c.078-.233.165-.53.258-.874a60.6 60.6 0 0 0 .572-2.343l.033-.147-.11.102a60.848 60.848 0 0 0-1.743 1.667 17.07 17.07 0 0 0-.629.66 5.06 5.06 0 0 0-.248.304l-.017.025a1 1 0 0 0 .366 1.366zm9.196-8.196a1 1 0 0 0-1-1.732l-.025.017a4.951 4.951 0 0 0-.303.248 16.69 16.69 0 0 0-.661.629A60.72 60.72 0 0 0 10.04 6.77l-.102.111.147-.033a60.6 60.6 0 0 0 2.342-.572c.345-.093.642-.18.875-.258a4.993 4.993 0 0 0 .367-.138.53.53 0 0 0 .027-.014zM11.5 1.938a1 1 0 0 0-1.366.366l-.014.027c-.01.02-.021.048-.036.084a5.09 5.09 0 0 0-.102.283c-.078.233-.165.53-.258.875a60.62 60.62 0 0 0-.572 2.342l-.033.147.11-.102a60.848 60.848 0 0 0 1.743-1.667c.252-.253.465-.477.629-.66a5.001 5.001 0 0 0 .248-.304l.017-.025a1 1 0 0 0-.366-1.366zM14 9a1 1 0 0 0 0-2l-.03.002a4.996 4.996 0 0 0-.386.064c-.242.049-.543.122-.888.213-.688.182-1.513.428-2.314.676L10.238 8l.144.045c.8.248 1.626.494 2.314.676.345.091.646.164.887.213a4.996 4.996 0 0 0 .386.064L14 9zM1.938 4.5a1 1 0 0 0 .393 1.38l.084.035c.072.03.166.064.283.103.233.078.53.165.874.258a60.88 60.88 0 0 0 2.343.572l.147.033-.103-.111a60.584 60.584 0 0 0-1.666-1.742 16.705 16.705 0 0 0-.66-.629 4.996 4.996 0 0 0-.304-.248l-.025-.017a1 1 0 0 0-1.366.366zm2.196-1.196.017.025a4.996 4.996 0 0 0 .248.303c.164.184.377.408.629.661A60.597 60.597 0 0 0 6.77 5.96l.111.102-.033-.147a60.602 60.602 0 0 0-.572-2.342c-.093-.345-.18-.642-.258-.875a5.006 5.006 0 0 0-.138-.367l-.014-.027a1 1 0 1 0-1.732 1zm9.928 8.196a1 1 0 0 0-.366-1.366l-.027-.014a5 5 0 0 0-.367-.138c-.233-.078-.53-.165-.875-.258a60.619 60.619 0 0 0-2.342-.572l-.147-.033.102.111a60.73 60.73 0 0 0 1.667 1.742c.253.252.477.465.66.629a4.946 4.946 0 0 0 .304.248l.025.017a1 1 0 0 0 1.366-.366zm-3.928 2.196a1 1 0 0 0 1.732-1l-.017-.025a5.065 5.065 0 0 0-.248-.303 16.705 16.705 0 0 0-.629-.661A60.462 60.462 0 0 0 9.23 10.04l-.111-.102.033.147a60.6 60.6 0 0 0 .572 2.342c.093.345.18.642.258.875a4.985 4.985 0 0 0 .138.367.575.575 0 0 0 .014.027zM8 9.5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3z"/&gt;');// eslint-disable-next-line
var BIconFlower2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Flower2','&lt;path d="M8 16a4 4 0 0 0 4-4 4 4 0 0 0 0-8 4 4 0 0 0-8 0 4 4 0 1 0 0 8 4 4 0 0 0 4 4zm3-12c0 .073-.01.155-.03.247-.544.241-1.091.638-1.598 1.084A2.987 2.987 0 0 0 8 5c-.494 0-.96.12-1.372.331-.507-.446-1.054-.843-1.597-1.084A1.117 1.117 0 0 1 5 4a3 3 0 0 1 6 0zm-.812 6.052A2.99 2.99 0 0 0 11 8a2.99 2.99 0 0 0-.812-2.052c.215-.18.432-.346.647-.487C11.34 5.131 11.732 5 12 5a3 3 0 1 1 0 6c-.268 0-.66-.13-1.165-.461a6.833 6.833 0 0 1-.647-.487zm-3.56.617a3.001 3.001 0 0 0 2.744 0c.507.446 1.054.842 1.598 1.084.02.091.03.174.03.247a3 3 0 1 1-6 0c0-.073.01-.155.03-.247.544-.242 1.091-.638 1.598-1.084zm-.816-4.721A2.99 2.99 0 0 0 5 8c0 .794.308 1.516.812 2.052a6.83 6.83 0 0 1-.647.487C4.66 10.869 4.268 11 4 11a3 3 0 0 1 0-6c.268 0 .66.13 1.165.461.215.141.432.306.647.487zM8 9a1 1 0 1 1 0-2 1 1 0 0 1 0 2z"/&gt;');// eslint-disable-next-line
var BIconFlower3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Flower3','&lt;path d="M11.424 8c.437-.052.811-.136 1.04-.268a2 2 0 0 0-2-3.464c-.229.132-.489.414-.752.767C9.886 4.63 10 4.264 10 4a2 2 0 1 0-4 0c0 .264.114.63.288 1.035-.263-.353-.523-.635-.752-.767a2 2 0 0 0-2 3.464c.229.132.603.216 1.04.268-.437.052-.811.136-1.04.268a2 2 0 1 0 2 3.464c.229-.132.489-.414.752-.767C6.114 11.37 6 11.736 6 12a2 2 0 1 0 4 0c0-.264-.114-.63-.288-1.035.263.353.523.635.752.767a2 2 0 1 0 2-3.464c-.229-.132-.603-.216-1.04-.268zM9 4a1.468 1.468 0 0 1-.045.205c-.039.132-.1.295-.183.484a12.88 12.88 0 0 1-.637 1.223L8 6.142a21.73 21.73 0 0 1-.135-.23 12.88 12.88 0 0 1-.637-1.223 4.216 4.216 0 0 1-.183-.484A1.473 1.473 0 0 1 7 4a1 1 0 1 1 2 0zM3.67 5.5a1 1 0 0 1 1.366-.366 1.472 1.472 0 0 1 .156.142c.094.1.204.233.326.4.245.333.502.747.742 1.163l.13.232a21.86 21.86 0 0 1-.265.002 12.88 12.88 0 0 1-1.379-.06 4.214 4.214 0 0 1-.51-.083 1.47 1.47 0 0 1-.2-.064A1 1 0 0 1 3.67 5.5zm1.366 5.366a1 1 0 0 1-1-1.732c.001 0 .016-.008.047-.02.037-.013.087-.028.153-.044.134-.032.305-.06.51-.083a12.88 12.88 0 0 1 1.379-.06c.09 0 .178 0 .266.002a21.82 21.82 0 0 1-.131.232c-.24.416-.497.83-.742 1.163a4.1 4.1 0 0 1-.327.4 1.483 1.483 0 0 1-.155.142zM9 12a1 1 0 0 1-2 0 1.476 1.476 0 0 1 .045-.206c.039-.131.1-.294.183-.483.166-.378.396-.808.637-1.223L8 9.858l.135.23c.241.415.47.845.637 1.223.083.19.144.352.183.484A1.338 1.338 0 0 1 9 12zm3.33-6.5a1 1 0 0 1-.366 1.366 1.478 1.478 0 0 1-.2.064c-.134.032-.305.06-.51.083-.412.045-.898.061-1.379.06-.09 0-.178 0-.266-.002l.131-.232c.24-.416.497-.83.742-1.163a4.1 4.1 0 0 1 .327-.4c.046-.05.085-.086.114-.11.026-.022.04-.03.041-.032a1 1 0 0 1 1.366.366zm-1.366 5.366a1.494 1.494 0 0 1-.155-.141 4.225 4.225 0 0 1-.327-.4A12.88 12.88 0 0 1 9.74 9.16a22 22 0 0 1-.13-.232l.265-.002c.48-.001.967.015 1.379.06.205.023.376.051.51.083.066.016.116.031.153.044l.048.02a1 1 0 1 1-1 1.732zM8 9a1 1 0 1 1 0-2 1 1 0 0 1 0 2z"/&gt;');// eslint-disable-next-line
var BIconFolder=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Folder','&lt;path d="M.54 3.87.5 3a2 2 0 0 1 2-2h3.672a2 2 0 0 1 1.414.586l.828.828A2 2 0 0 0 9.828 3h3.982a2 2 0 0 1 1.992 2.181l-.637 7A2 2 0 0 1 13.174 14H2.826a2 2 0 0 1-1.991-1.819l-.637-7a1.99 1.99 0 0 1 .342-1.31zM2.19 4a1 1 0 0 0-.996 1.09l.637 7a1 1 0 0 0 .995.91h10.348a1 1 0 0 0 .995-.91l.637-7A1 1 0 0 0 13.81 4H2.19zm4.69-1.707A1 1 0 0 0 6.172 2H2.5a1 1 0 0 0-1 .981l.006.139C1.72 3.042 1.95 3 2.19 3h5.396l-.707-.707z"/&gt;');// eslint-disable-next-line
var BIconFolder2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Folder2','&lt;path d="M1 3.5A1.5 1.5 0 0 1 2.5 2h2.764c.958 0 1.76.56 2.311 1.184C7.985 3.648 8.48 4 9 4h4.5A1.5 1.5 0 0 1 15 5.5v7a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 1 12.5v-9zM2.5 3a.5.5 0 0 0-.5.5V6h12v-.5a.5.5 0 0 0-.5-.5H9c-.964 0-1.71-.629-2.174-1.154C6.374 3.334 5.82 3 5.264 3H2.5zM14 7H2v5.5a.5.5 0 0 0 .5.5h11a.5.5 0 0 0 .5-.5V7z"/&gt;');// eslint-disable-next-line
var BIconFolder2Open=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Folder2Open','&lt;path d="M1 3.5A1.5 1.5 0 0 1 2.5 2h2.764c.958 0 1.76.56 2.311 1.184C7.985 3.648 8.48 4 9 4h4.5A1.5 1.5 0 0 1 15 5.5v.64c.57.265.94.876.856 1.546l-.64 5.124A2.5 2.5 0 0 1 12.733 15H3.266a2.5 2.5 0 0 1-2.481-2.19l-.64-5.124A1.5 1.5 0 0 1 1 6.14V3.5zM2 6h12v-.5a.5.5 0 0 0-.5-.5H9c-.964 0-1.71-.629-2.174-1.154C6.374 3.334 5.82 3 5.264 3H2.5a.5.5 0 0 0-.5.5V6zm-.367 1a.5.5 0 0 0-.496.562l.64 5.124A1.5 1.5 0 0 0 3.266 14h9.468a1.5 1.5 0 0 0 1.489-1.314l.64-5.124A.5.5 0 0 0 14.367 7H1.633z"/&gt;');// eslint-disable-next-line
var BIconFolderCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FolderCheck','&lt;path d="m.5 3 .04.87a1.99 1.99 0 0 0-.342 1.311l.637 7A2 2 0 0 0 2.826 14H9v-1H2.826a1 1 0 0 1-.995-.91l-.637-7A1 1 0 0 1 2.19 4h11.62a1 1 0 0 1 .996 1.09L14.54 8h1.005l.256-2.819A2 2 0 0 0 13.81 3H9.828a2 2 0 0 1-1.414-.586l-.828-.828A2 2 0 0 0 6.172 1H2.5a2 2 0 0 0-2 2zm5.672-1a1 1 0 0 1 .707.293L7.586 3H2.19c-.24 0-.47.042-.683.12L1.5 2.98a1 1 0 0 1 1-.98h3.672z"/&gt;&lt;path d="M15.854 10.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.707 0l-1.5-1.5a.5.5 0 0 1 .707-.708l1.146 1.147 2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconFolderFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FolderFill','&lt;path d="M9.828 3h3.982a2 2 0 0 1 1.992 2.181l-.637 7A2 2 0 0 1 13.174 14H2.825a2 2 0 0 1-1.991-1.819l-.637-7a1.99 1.99 0 0 1 .342-1.31L.5 3a2 2 0 0 1 2-2h3.672a2 2 0 0 1 1.414.586l.828.828A2 2 0 0 0 9.828 3zm-8.322.12C1.72 3.042 1.95 3 2.19 3h5.396l-.707-.707A1 1 0 0 0 6.172 2H2.5a1 1 0 0 0-1 .981l.006.139z"/&gt;');// eslint-disable-next-line
var BIconFolderMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FolderMinus','&lt;path d="m.5 3 .04.87a1.99 1.99 0 0 0-.342 1.311l.637 7A2 2 0 0 0 2.826 14H9v-1H2.826a1 1 0 0 1-.995-.91l-.637-7A1 1 0 0 1 2.19 4h11.62a1 1 0 0 1 .996 1.09L14.54 8h1.005l.256-2.819A2 2 0 0 0 13.81 3H9.828a2 2 0 0 1-1.414-.586l-.828-.828A2 2 0 0 0 6.172 1H2.5a2 2 0 0 0-2 2zm5.672-1a1 1 0 0 1 .707.293L7.586 3H2.19c-.24 0-.47.042-.683.12L1.5 2.98a1 1 0 0 1 1-.98h3.672z"/&gt;&lt;path d="M11 11.5a.5.5 0 0 1 .5-.5h4a.5.5 0 1 1 0 1h-4a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconFolderPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FolderPlus','&lt;path d="m.5 3 .04.87a1.99 1.99 0 0 0-.342 1.311l.637 7A2 2 0 0 0 2.826 14H9v-1H2.826a1 1 0 0 1-.995-.91l-.637-7A1 1 0 0 1 2.19 4h11.62a1 1 0 0 1 .996 1.09L14.54 8h1.005l.256-2.819A2 2 0 0 0 13.81 3H9.828a2 2 0 0 1-1.414-.586l-.828-.828A2 2 0 0 0 6.172 1H2.5a2 2 0 0 0-2 2zm5.672-1a1 1 0 0 1 .707.293L7.586 3H2.19c-.24 0-.47.042-.683.12L1.5 2.98a1 1 0 0 1 1-.98h3.672z"/&gt;&lt;path d="M13.5 10a.5.5 0 0 1 .5.5V12h1.5a.5.5 0 1 1 0 1H14v1.5a.5.5 0 1 1-1 0V13h-1.5a.5.5 0 0 1 0-1H13v-1.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconFolderSymlink=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FolderSymlink','&lt;path d="m11.798 8.271-3.182 1.97c-.27.166-.616-.036-.616-.372V9.1s-2.571-.3-4 2.4c.571-4.8 3.143-4.8 4-4.8v-.769c0-.336.346-.538.616-.371l3.182 1.969c.27.166.27.576 0 .742z"/&gt;&lt;path d="m.5 3 .04.87a1.99 1.99 0 0 0-.342 1.311l.637 7A2 2 0 0 0 2.826 14h10.348a2 2 0 0 0 1.991-1.819l.637-7A2 2 0 0 0 13.81 3H9.828a2 2 0 0 1-1.414-.586l-.828-.828A2 2 0 0 0 6.172 1H2.5a2 2 0 0 0-2 2zm.694 2.09A1 1 0 0 1 2.19 4h11.62a1 1 0 0 1 .996 1.09l-.636 7a1 1 0 0 1-.996.91H2.826a1 1 0 0 1-.995-.91l-.637-7zM6.172 2a1 1 0 0 1 .707.293L7.586 3H2.19c-.24 0-.47.042-.683.12L1.5 2.98a1 1 0 0 1 1-.98h3.672z"/&gt;');// eslint-disable-next-line
var BIconFolderSymlinkFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FolderSymlinkFill','&lt;path d="M13.81 3H9.828a2 2 0 0 1-1.414-.586l-.828-.828A2 2 0 0 0 6.172 1H2.5a2 2 0 0 0-2 2l.04.87a1.99 1.99 0 0 0-.342 1.311l.637 7A2 2 0 0 0 2.826 14h10.348a2 2 0 0 0 1.991-1.819l.637-7A2 2 0 0 0 13.81 3zM2.19 3c-.24 0-.47.042-.683.12L1.5 2.98a1 1 0 0 1 1-.98h3.672a1 1 0 0 1 .707.293L7.586 3H2.19zm9.608 5.271-3.182 1.97c-.27.166-.616-.036-.616-.372V9.1s-2.571-.3-4 2.4c.571-4.8 3.143-4.8 4-4.8v-.769c0-.336.346-.538.616-.371l3.182 1.969c.27.166.27.576 0 .742z"/&gt;');// eslint-disable-next-line
var BIconFolderX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FolderX','&lt;path d="M.54 3.87.5 3a2 2 0 0 1 2-2h3.672a2 2 0 0 1 1.414.586l.828.828A2 2 0 0 0 9.828 3h3.982a2 2 0 0 1 1.992 2.181L15.546 8H14.54l.265-2.91A1 1 0 0 0 13.81 4H2.19a1 1 0 0 0-.996 1.09l.637 7a1 1 0 0 0 .995.91H9v1H2.826a2 2 0 0 1-1.991-1.819l-.637-7a1.99 1.99 0 0 1 .342-1.31zm6.339-1.577A1 1 0 0 0 6.172 2H2.5a1 1 0 0 0-1 .981l.006.139C1.72 3.042 1.95 3 2.19 3h5.396l-.707-.707z"/&gt;&lt;path d="M11.854 10.146a.5.5 0 0 0-.707.708L12.293 12l-1.146 1.146a.5.5 0 0 0 .707.708L13 12.707l1.146 1.147a.5.5 0 0 0 .708-.708L13.707 12l1.147-1.146a.5.5 0 0 0-.707-.708L13 11.293l-1.146-1.147z"/&gt;');// eslint-disable-next-line
var BIconFonts=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Fonts','&lt;path d="M12.258 3h-8.51l-.083 2.46h.479c.26-1.544.758-1.783 2.693-1.845l.424-.013v7.827c0 .663-.144.82-1.3.923v.52h4.082v-.52c-1.162-.103-1.306-.26-1.306-.923V3.602l.431.013c1.934.062 2.434.301 2.693 1.846h.479L12.258 3z"/&gt;');// eslint-disable-next-line
var BIconForward=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Forward','&lt;path d="M9.502 5.513a.144.144 0 0 0-.202.134V6.65a.5.5 0 0 1-.5.5H2.5v2.9h6.3a.5.5 0 0 1 .5.5v1.003c0 .108.11.176.202.134l3.984-2.933a.51.51 0 0 1 .042-.028.147.147 0 0 0 0-.252.51.51 0 0 1-.042-.028L9.502 5.513zM8.3 5.647a1.144 1.144 0 0 1 1.767-.96l3.994 2.94a1.147 1.147 0 0 1 0 1.946l-3.994 2.94a1.144 1.144 0 0 1-1.767-.96v-.503H2a.5.5 0 0 1-.5-.5v-3.9a.5.5 0 0 1 .5-.5h6.3v-.503z"/&gt;');// eslint-disable-next-line
var BIconForwardFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ForwardFill','&lt;path d="m9.77 12.11 4.012-2.953a.647.647 0 0 0 0-1.114L9.771 5.09a.644.644 0 0 0-.971.557V6.65H2v3.9h6.8v1.003c0 .505.545.808.97.557z"/&gt;');// eslint-disable-next-line
var BIconFront=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Front','&lt;path d="M0 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v2h2a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H6a2 2 0 0 1-2-2v-2H2a2 2 0 0 1-2-2V2zm5 10v2a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V6a1 1 0 0 0-1-1h-2v5a2 2 0 0 1-2 2H5z"/&gt;');// eslint-disable-next-line
var BIconFullscreen=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Fullscreen','&lt;path d="M1.5 1a.5.5 0 0 0-.5.5v4a.5.5 0 0 1-1 0v-4A1.5 1.5 0 0 1 1.5 0h4a.5.5 0 0 1 0 1h-4zM10 .5a.5.5 0 0 1 .5-.5h4A1.5 1.5 0 0 1 16 1.5v4a.5.5 0 0 1-1 0v-4a.5.5 0 0 0-.5-.5h-4a.5.5 0 0 1-.5-.5zM.5 10a.5.5 0 0 1 .5.5v4a.5.5 0 0 0 .5.5h4a.5.5 0 0 1 0 1h-4A1.5 1.5 0 0 1 0 14.5v-4a.5.5 0 0 1 .5-.5zm15 0a.5.5 0 0 1 .5.5v4a1.5 1.5 0 0 1-1.5 1.5h-4a.5.5 0 0 1 0-1h4a.5.5 0 0 0 .5-.5v-4a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconFullscreenExit=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FullscreenExit','&lt;path d="M5.5 0a.5.5 0 0 1 .5.5v4A1.5 1.5 0 0 1 4.5 6h-4a.5.5 0 0 1 0-1h4a.5.5 0 0 0 .5-.5v-4a.5.5 0 0 1 .5-.5zm5 0a.5.5 0 0 1 .5.5v4a.5.5 0 0 0 .5.5h4a.5.5 0 0 1 0 1h-4A1.5 1.5 0 0 1 10 4.5v-4a.5.5 0 0 1 .5-.5zM0 10.5a.5.5 0 0 1 .5-.5h4A1.5 1.5 0 0 1 6 11.5v4a.5.5 0 0 1-1 0v-4a.5.5 0 0 0-.5-.5h-4a.5.5 0 0 1-.5-.5zm10 1a1.5 1.5 0 0 1 1.5-1.5h4a.5.5 0 0 1 0 1h-4a.5.5 0 0 0-.5.5v4a.5.5 0 0 1-1 0v-4z"/&gt;');// eslint-disable-next-line
var BIconFunnel=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Funnel','&lt;path d="M1.5 1.5A.5.5 0 0 1 2 1h12a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.128.334L10 8.692V13.5a.5.5 0 0 1-.342.474l-3 1A.5.5 0 0 1 6 14.5V8.692L1.628 3.834A.5.5 0 0 1 1.5 3.5v-2zm1 .5v1.308l4.372 4.858A.5.5 0 0 1 7 8.5v5.306l2-.666V8.5a.5.5 0 0 1 .128-.334L13.5 3.308V2h-11z"/&gt;');// eslint-disable-next-line
var BIconFunnelFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('FunnelFill','&lt;path d="M1.5 1.5A.5.5 0 0 1 2 1h12a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.128.334L10 8.692V13.5a.5.5 0 0 1-.342.474l-3 1A.5.5 0 0 1 6 14.5V8.692L1.628 3.834A.5.5 0 0 1 1.5 3.5v-2z"/&gt;');// eslint-disable-next-line
var BIconGear=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Gear','&lt;path d="M8 4.754a3.246 3.246 0 1 0 0 6.492 3.246 3.246 0 0 0 0-6.492zM5.754 8a2.246 2.246 0 1 1 4.492 0 2.246 2.246 0 0 1-4.492 0z"/&gt;&lt;path d="M9.796 1.343c-.527-1.79-3.065-1.79-3.592 0l-.094.319a.873.873 0 0 1-1.255.52l-.292-.16c-1.64-.892-3.433.902-2.54 2.541l.159.292a.873.873 0 0 1-.52 1.255l-.319.094c-1.79.527-1.79 3.065 0 3.592l.319.094a.873.873 0 0 1 .52 1.255l-.16.292c-.892 1.64.901 3.434 2.541 2.54l.292-.159a.873.873 0 0 1 1.255.52l.094.319c.527 1.79 3.065 1.79 3.592 0l.094-.319a.873.873 0 0 1 1.255-.52l.292.16c1.64.893 3.434-.902 2.54-2.541l-.159-.292a.873.873 0 0 1 .52-1.255l.319-.094c1.79-.527 1.79-3.065 0-3.592l-.319-.094a.873.873 0 0 1-.52-1.255l.16-.292c.893-1.64-.902-3.433-2.541-2.54l-.292.159a.873.873 0 0 1-1.255-.52l-.094-.319zm-2.633.283c.246-.835 1.428-.835 1.674 0l.094.319a1.873 1.873 0 0 0 2.693 1.115l.291-.16c.764-.415 1.6.42 1.184 1.185l-.159.292a1.873 1.873 0 0 0 1.116 2.692l.318.094c.835.246.835 1.428 0 1.674l-.319.094a1.873 1.873 0 0 0-1.115 2.693l.16.291c.415.764-.42 1.6-1.185 1.184l-.291-.159a1.873 1.873 0 0 0-2.693 1.116l-.094.318c-.246.835-1.428.835-1.674 0l-.094-.319a1.873 1.873 0 0 0-2.692-1.115l-.292.16c-.764.415-1.6-.42-1.184-1.185l.159-.291A1.873 1.873 0 0 0 1.945 8.93l-.319-.094c-.835-.246-.835-1.428 0-1.674l.319-.094A1.873 1.873 0 0 0 3.06 4.377l-.16-.292c-.415-.764.42-1.6 1.185-1.184l.292.159a1.873 1.873 0 0 0 2.692-1.115l.094-.319z"/&gt;');// eslint-disable-next-line
var BIconGearFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GearFill','&lt;path d="M9.405 1.05c-.413-1.4-2.397-1.4-2.81 0l-.1.34a1.464 1.464 0 0 1-2.105.872l-.31-.17c-1.283-.698-2.686.705-1.987 1.987l.169.311c.446.82.023 1.841-.872 2.105l-.34.1c-1.4.413-1.4 2.397 0 2.81l.34.1a1.464 1.464 0 0 1 .872 2.105l-.17.31c-.698 1.283.705 2.686 1.987 1.987l.311-.169a1.464 1.464 0 0 1 2.105.872l.1.34c.413 1.4 2.397 1.4 2.81 0l.1-.34a1.464 1.464 0 0 1 2.105-.872l.31.17c1.283.698 2.686-.705 1.987-1.987l-.169-.311a1.464 1.464 0 0 1 .872-2.105l.34-.1c1.4-.413 1.4-2.397 0-2.81l-.34-.1a1.464 1.464 0 0 1-.872-2.105l.17-.31c.698-1.283-.705-2.686-1.987-1.987l-.311.169a1.464 1.464 0 0 1-2.105-.872l-.1-.34zM8 10.93a2.929 2.929 0 1 1 0-5.86 2.929 2.929 0 0 1 0 5.858z"/&gt;');// eslint-disable-next-line
var BIconGearWide=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GearWide','&lt;path d="M8.932.727c-.243-.97-1.62-.97-1.864 0l-.071.286a.96.96 0 0 1-1.622.434l-.205-.211c-.695-.719-1.888-.03-1.613.931l.08.284a.96.96 0 0 1-1.186 1.187l-.284-.081c-.96-.275-1.65.918-.931 1.613l.211.205a.96.96 0 0 1-.434 1.622l-.286.071c-.97.243-.97 1.62 0 1.864l.286.071a.96.96 0 0 1 .434 1.622l-.211.205c-.719.695-.03 1.888.931 1.613l.284-.08a.96.96 0 0 1 1.187 1.187l-.081.283c-.275.96.918 1.65 1.613.931l.205-.211a.96.96 0 0 1 1.622.434l.071.286c.243.97 1.62.97 1.864 0l.071-.286a.96.96 0 0 1 1.622-.434l.205.211c.695.719 1.888.03 1.613-.931l-.08-.284a.96.96 0 0 1 1.187-1.187l.283.081c.96.275 1.65-.918.931-1.613l-.211-.205a.96.96 0 0 1 .434-1.622l.286-.071c.97-.243.97-1.62 0-1.864l-.286-.071a.96.96 0 0 1-.434-1.622l.211-.205c.719-.695.03-1.888-.931-1.613l-.284.08a.96.96 0 0 1-1.187-1.186l.081-.284c.275-.96-.918-1.65-1.613-.931l-.205.211a.96.96 0 0 1-1.622-.434L8.932.727zM8 12.997a4.998 4.998 0 1 1 0-9.995 4.998 4.998 0 0 1 0 9.996z"/&gt;');// eslint-disable-next-line
var BIconGearWideConnected=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GearWideConnected','&lt;path d="M7.068.727c.243-.97 1.62-.97 1.864 0l.071.286a.96.96 0 0 0 1.622.434l.205-.211c.695-.719 1.888-.03 1.613.931l-.08.284a.96.96 0 0 0 1.187 1.187l.283-.081c.96-.275 1.65.918.931 1.613l-.211.205a.96.96 0 0 0 .434 1.622l.286.071c.97.243.97 1.62 0 1.864l-.286.071a.96.96 0 0 0-.434 1.622l.211.205c.719.695.03 1.888-.931 1.613l-.284-.08a.96.96 0 0 0-1.187 1.187l.081.283c.275.96-.918 1.65-1.613.931l-.205-.211a.96.96 0 0 0-1.622.434l-.071.286c-.243.97-1.62.97-1.864 0l-.071-.286a.96.96 0 0 0-1.622-.434l-.205.211c-.695.719-1.888.03-1.613-.931l.08-.284a.96.96 0 0 0-1.186-1.187l-.284.081c-.96.275-1.65-.918-.931-1.613l.211-.205a.96.96 0 0 0-.434-1.622l-.286-.071c-.97-.243-.97-1.62 0-1.864l.286-.071a.96.96 0 0 0 .434-1.622l-.211-.205c-.719-.695-.03-1.888.931-1.613l.284.08a.96.96 0 0 0 1.187-1.186l-.081-.284c-.275-.96.918-1.65 1.613-.931l.205.211a.96.96 0 0 0 1.622-.434l.071-.286zM12.973 8.5H8.25l-2.834 3.779A4.998 4.998 0 0 0 12.973 8.5zm0-1a4.998 4.998 0 0 0-7.557-3.779l2.834 3.78h4.723zM5.048 3.967c-.03.021-.058.043-.087.065l.087-.065zm-.431.355A4.984 4.984 0 0 0 3.002 8c0 1.455.622 2.765 1.615 3.678L7.375 8 4.617 4.322zm.344 7.646.087.065-.087-.065z"/&gt;');// eslint-disable-next-line
var BIconGem=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Gem','&lt;path d="M3.1.7a.5.5 0 0 1 .4-.2h9a.5.5 0 0 1 .4.2l2.976 3.974c.149.185.156.45.01.644L8.4 15.3a.5.5 0 0 1-.8 0L.1 5.3a.5.5 0 0 1 0-.6l3-4zm11.386 3.785-1.806-2.41-.776 2.413 2.582-.003zm-3.633.004.961-2.989H4.186l.963 2.995 5.704-.006zM5.47 5.495 8 13.366l2.532-7.876-5.062.005zm-1.371-.999-.78-2.422-1.818 2.425 2.598-.003zM1.499 5.5l5.113 6.817-2.192-6.82L1.5 5.5zm7.889 6.817 5.123-6.83-2.928.002-2.195 6.828z"/&gt;');// eslint-disable-next-line
var BIconGenderAmbiguous=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GenderAmbiguous','&lt;path fill-rule="evenodd" d="M11.5 1a.5.5 0 0 1 0-1h4a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-1 0V1.707l-3.45 3.45A4 4 0 0 1 8.5 10.97V13H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V14H6a.5.5 0 0 1 0-1h1.5v-2.03a4 4 0 1 1 3.471-6.648L14.293 1H11.5zm-.997 4.346a3 3 0 1 0-5.006 3.309 3 3 0 0 0 5.006-3.31z"/&gt;');// eslint-disable-next-line
var BIconGenderFemale=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GenderFemale','&lt;path fill-rule="evenodd" d="M8 1a4 4 0 1 0 0 8 4 4 0 0 0 0-8zM3 5a5 5 0 1 1 5.5 4.975V12h2a.5.5 0 0 1 0 1h-2v2.5a.5.5 0 0 1-1 0V13h-2a.5.5 0 0 1 0-1h2V9.975A5 5 0 0 1 3 5z"/&gt;');// eslint-disable-next-line
var BIconGenderMale=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GenderMale','&lt;path fill-rule="evenodd" d="M9.5 2a.5.5 0 0 1 0-1h5a.5.5 0 0 1 .5.5v5a.5.5 0 0 1-1 0V2.707L9.871 6.836a5 5 0 1 1-.707-.707L13.293 2H9.5zM6 6a4 4 0 1 0 0 8 4 4 0 0 0 0-8z"/&gt;');// eslint-disable-next-line
var BIconGenderTrans=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GenderTrans','&lt;path fill-rule="evenodd" d="M0 .5A.5.5 0 0 1 .5 0h3a.5.5 0 0 1 0 1H1.707L3.5 2.793l.646-.647a.5.5 0 1 1 .708.708l-.647.646.822.822A3.99 3.99 0 0 1 8 3c1.18 0 2.239.51 2.971 1.322L14.293 1H11.5a.5.5 0 0 1 0-1h4a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-1 0V1.707l-3.45 3.45A4 4 0 0 1 8.5 10.97V13H10a.5.5 0 0 1 0 1H8.5v1.5a.5.5 0 0 1-1 0V14H6a.5.5 0 0 1 0-1h1.5v-2.03a4 4 0 0 1-3.05-5.814l-.95-.949-.646.647a.5.5 0 1 1-.708-.708l.647-.646L1 1.707V3.5a.5.5 0 0 1-1 0v-3zm5.49 4.856a3 3 0 1 0 5.02 3.288 3 3 0 0 0-5.02-3.288z"/&gt;');// eslint-disable-next-line
var BIconGeo=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Geo','&lt;path fill-rule="evenodd" d="M8 1a3 3 0 1 0 0 6 3 3 0 0 0 0-6zM4 4a4 4 0 1 1 4.5 3.969V13.5a.5.5 0 0 1-1 0V7.97A4 4 0 0 1 4 3.999zm2.493 8.574a.5.5 0 0 1-.411.575c-.712.118-1.28.295-1.655.493a1.319 1.319 0 0 0-.37.265.301.301 0 0 0-.057.09V14l.002.008a.147.147 0 0 0 .016.033.617.617 0 0 0 .145.15c.165.13.435.27.813.395.751.25 1.82.414 3.024.414s2.273-.163 3.024-.414c.378-.126.648-.265.813-.395a.619.619 0 0 0 .146-.15.148.148 0 0 0 .015-.033L12 14v-.004a.301.301 0 0 0-.057-.09 1.318 1.318 0 0 0-.37-.264c-.376-.198-.943-.375-1.655-.493a.5.5 0 1 1 .164-.986c.77.127 1.452.328 1.957.594C12.5 13 13 13.4 13 14c0 .426-.26.752-.544.977-.29.228-.68.413-1.116.558-.878.293-2.059.465-3.34.465-1.281 0-2.462-.172-3.34-.465-.436-.145-.826-.33-1.116-.558C3.26 14.752 3 14.426 3 14c0-.599.5-1 .961-1.243.505-.266 1.187-.467 1.957-.594a.5.5 0 0 1 .575.411z"/&gt;');// eslint-disable-next-line
var BIconGeoAlt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GeoAlt','&lt;path d="M12.166 8.94c-.524 1.062-1.234 2.12-1.96 3.07A31.493 31.493 0 0 1 8 14.58a31.481 31.481 0 0 1-2.206-2.57c-.726-.95-1.436-2.008-1.96-3.07C3.304 7.867 3 6.862 3 6a5 5 0 0 1 10 0c0 .862-.305 1.867-.834 2.94zM8 16s6-5.686 6-10A6 6 0 0 0 2 6c0 4.314 6 10 6 10z"/&gt;&lt;path d="M8 8a2 2 0 1 1 0-4 2 2 0 0 1 0 4zm0 1a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;');// eslint-disable-next-line
var BIconGeoAltFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GeoAltFill','&lt;path d="M8 16s6-5.686 6-10A6 6 0 0 0 2 6c0 4.314 6 10 6 10zm0-7a3 3 0 1 1 0-6 3 3 0 0 1 0 6z"/&gt;');// eslint-disable-next-line
var BIconGeoFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GeoFill','&lt;path fill-rule="evenodd" d="M4 4a4 4 0 1 1 4.5 3.969V13.5a.5.5 0 0 1-1 0V7.97A4 4 0 0 1 4 3.999zm2.493 8.574a.5.5 0 0 1-.411.575c-.712.118-1.28.295-1.655.493a1.319 1.319 0 0 0-.37.265.301.301 0 0 0-.057.09V14l.002.008a.147.147 0 0 0 .016.033.617.617 0 0 0 .145.15c.165.13.435.27.813.395.751.25 1.82.414 3.024.414s2.273-.163 3.024-.414c.378-.126.648-.265.813-.395a.619.619 0 0 0 .146-.15.148.148 0 0 0 .015-.033L12 14v-.004a.301.301 0 0 0-.057-.09 1.318 1.318 0 0 0-.37-.264c-.376-.198-.943-.375-1.655-.493a.5.5 0 1 1 .164-.986c.77.127 1.452.328 1.957.594C12.5 13 13 13.4 13 14c0 .426-.26.752-.544.977-.29.228-.68.413-1.116.558-.878.293-2.059.465-3.34.465-1.281 0-2.462-.172-3.34-.465-.436-.145-.826-.33-1.116-.558C3.26 14.752 3 14.426 3 14c0-.599.5-1 .961-1.243.505-.266 1.187-.467 1.957-.594a.5.5 0 0 1 .575.411z"/&gt;');// eslint-disable-next-line
var BIconGift=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Gift','&lt;path d="M3 2.5a2.5 2.5 0 0 1 5 0 2.5 2.5 0 0 1 5 0v.006c0 .07 0 .27-.038.494H15a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1v7.5a1.5 1.5 0 0 1-1.5 1.5h-11A1.5 1.5 0 0 1 1 14.5V7a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h2.038A2.968 2.968 0 0 1 3 2.506V2.5zm1.068.5H7v-.5a1.5 1.5 0 1 0-3 0c0 .085.002.274.045.43a.522.522 0 0 0 .023.07zM9 3h2.932a.56.56 0 0 0 .023-.07c.043-.156.045-.345.045-.43a1.5 1.5 0 0 0-3 0V3zM1 4v2h6V4H1zm8 0v2h6V4H9zm5 3H9v8h4.5a.5.5 0 0 0 .5-.5V7zm-7 8V7H2v7.5a.5.5 0 0 0 .5.5H7z"/&gt;');// eslint-disable-next-line
var BIconGiftFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GiftFill','&lt;path d="M3 2.5a2.5 2.5 0 0 1 5 0 2.5 2.5 0 0 1 5 0v.006c0 .07 0 .27-.038.494H15a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1H1a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h2.038A2.968 2.968 0 0 1 3 2.506V2.5zm1.068.5H7v-.5a1.5 1.5 0 1 0-3 0c0 .085.002.274.045.43a.522.522 0 0 0 .023.07zM9 3h2.932a.56.56 0 0 0 .023-.07c.043-.156.045-.345.045-.43a1.5 1.5 0 0 0-3 0V3zm6 4v7.5a1.5 1.5 0 0 1-1.5 1.5H9V7h6zM2.5 16A1.5 1.5 0 0 1 1 14.5V7h6v9H2.5z"/&gt;');// eslint-disable-next-line
var BIconGithub=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Github','&lt;path d="M8 0C3.58 0 0 3.58 0 8c0 3.54 2.29 6.53 5.47 7.59.4.07.55-.17.55-.38 0-.19-.01-.82-.01-1.49-2.01.37-2.53-.49-2.69-.94-.09-.23-.48-.94-.82-1.13-.28-.15-.68-.52-.01-.53.63-.01 1.08.58 1.23.82.72 1.21 1.87.87 2.33.66.07-.52.28-.87.51-1.07-1.78-.2-3.64-.89-3.64-3.95 0-.87.31-1.59.82-2.15-.08-.2-.36-1.02.08-2.12 0 0 .67-.21 2.2.82.64-.18 1.32-.27 2-.27.68 0 1.36.09 2 .27 1.53-1.04 2.2-.82 2.2-.82.44 1.1.16 1.92.08 2.12.51.56.82 1.27.82 2.15 0 3.07-1.87 3.75-3.65 3.95.29.25.54.73.54 1.48 0 1.07-.01 1.93-.01 2.2 0 .21.15.46.55.38A8.012 8.012 0 0 0 16 8c0-4.42-3.58-8-8-8z"/&gt;');// eslint-disable-next-line
var BIconGlobe=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Globe','&lt;path d="M0 8a8 8 0 1 1 16 0A8 8 0 0 1 0 8zm7.5-6.923c-.67.204-1.335.82-1.887 1.855A7.97 7.97 0 0 0 5.145 4H7.5V1.077zM4.09 4a9.267 9.267 0 0 1 .64-1.539 6.7 6.7 0 0 1 .597-.933A7.025 7.025 0 0 0 2.255 4H4.09zm-.582 3.5c.03-.877.138-1.718.312-2.5H1.674a6.958 6.958 0 0 0-.656 2.5h2.49zM4.847 5a12.5 12.5 0 0 0-.338 2.5H7.5V5H4.847zM8.5 5v2.5h2.99a12.495 12.495 0 0 0-.337-2.5H8.5zM4.51 8.5a12.5 12.5 0 0 0 .337 2.5H7.5V8.5H4.51zm3.99 0V11h2.653c.187-.765.306-1.608.338-2.5H8.5zM5.145 12c.138.386.295.744.468 1.068.552 1.035 1.218 1.65 1.887 1.855V12H5.145zm.182 2.472a6.696 6.696 0 0 1-.597-.933A9.268 9.268 0 0 1 4.09 12H2.255a7.024 7.024 0 0 0 3.072 2.472zM3.82 11a13.652 13.652 0 0 1-.312-2.5h-2.49c.062.89.291 1.733.656 2.5H3.82zm6.853 3.472A7.024 7.024 0 0 0 13.745 12H11.91a9.27 9.27 0 0 1-.64 1.539 6.688 6.688 0 0 1-.597.933zM8.5 12v2.923c.67-.204 1.335-.82 1.887-1.855.173-.324.33-.682.468-1.068H8.5zm3.68-1h2.146c.365-.767.594-1.61.656-2.5h-2.49a13.65 13.65 0 0 1-.312 2.5zm2.802-3.5a6.959 6.959 0 0 0-.656-2.5H12.18c.174.782.282 1.623.312 2.5h2.49zM11.27 2.461c.247.464.462.98.64 1.539h1.835a7.024 7.024 0 0 0-3.072-2.472c.218.284.418.598.597.933zM10.855 4a7.966 7.966 0 0 0-.468-1.068C9.835 1.897 9.17 1.282 8.5 1.077V4h2.355z"/&gt;');// eslint-disable-next-line
var BIconGlobe2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Globe2','&lt;path d="M0 8a8 8 0 1 1 16 0A8 8 0 0 1 0 8zm7.5-6.923c-.67.204-1.335.82-1.887 1.855-.143.268-.276.56-.395.872.705.157 1.472.257 2.282.287V1.077zM4.249 3.539c.142-.384.304-.744.481-1.078a6.7 6.7 0 0 1 .597-.933A7.01 7.01 0 0 0 3.051 3.05c.362.184.763.349 1.198.49zM3.509 7.5c.036-1.07.188-2.087.436-3.008a9.124 9.124 0 0 1-1.565-.667A6.964 6.964 0 0 0 1.018 7.5h2.49zm1.4-2.741a12.344 12.344 0 0 0-.4 2.741H7.5V5.091c-.91-.03-1.783-.145-2.591-.332zM8.5 5.09V7.5h2.99a12.342 12.342 0 0 0-.399-2.741c-.808.187-1.681.301-2.591.332zM4.51 8.5c.035.987.176 1.914.399 2.741A13.612 13.612 0 0 1 7.5 10.91V8.5H4.51zm3.99 0v2.409c.91.03 1.783.145 2.591.332.223-.827.364-1.754.4-2.741H8.5zm-3.282 3.696c.12.312.252.604.395.872.552 1.035 1.218 1.65 1.887 1.855V11.91c-.81.03-1.577.13-2.282.287zm.11 2.276a6.696 6.696 0 0 1-.598-.933 8.853 8.853 0 0 1-.481-1.079 8.38 8.38 0 0 0-1.198.49 7.01 7.01 0 0 0 2.276 1.522zm-1.383-2.964A13.36 13.36 0 0 1 3.508 8.5h-2.49a6.963 6.963 0 0 0 1.362 3.675c.47-.258.995-.482 1.565-.667zm6.728 2.964a7.009 7.009 0 0 0 2.275-1.521 8.376 8.376 0 0 0-1.197-.49 8.853 8.853 0 0 1-.481 1.078 6.688 6.688 0 0 1-.597.933zM8.5 11.909v3.014c.67-.204 1.335-.82 1.887-1.855.143-.268.276-.56.395-.872A12.63 12.63 0 0 0 8.5 11.91zm3.555-.401c.57.185 1.095.409 1.565.667A6.963 6.963 0 0 0 14.982 8.5h-2.49a13.36 13.36 0 0 1-.437 3.008zM14.982 7.5a6.963 6.963 0 0 0-1.362-3.675c-.47.258-.995.482-1.565.667.248.92.4 1.938.437 3.008h2.49zM11.27 2.461c.177.334.339.694.482 1.078a8.368 8.368 0 0 0 1.196-.49 7.01 7.01 0 0 0-2.275-1.52c.218.283.418.597.597.932zm-.488 1.343a7.765 7.765 0 0 0-.395-.872C9.835 1.897 9.17 1.282 8.5 1.077V4.09c.81-.03 1.577-.13 2.282-.287z"/&gt;');// eslint-disable-next-line
var BIconGoogle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Google','&lt;path d="M15.545 6.558a9.42 9.42 0 0 1 .139 1.626c0 2.434-.87 4.492-2.384 5.885h.002C11.978 15.292 10.158 16 8 16A8 8 0 1 1 8 0a7.689 7.689 0 0 1 5.352 2.082l-2.284 2.284A4.347 4.347 0 0 0 8 3.166c-2.087 0-3.86 1.408-4.492 3.304a4.792 4.792 0 0 0 0 3.063h.003c.635 1.893 2.405 3.301 4.492 3.301 1.078 0 2.004-.276 2.722-.764h-.003a3.702 3.702 0 0 0 1.599-2.431H8v-3.08h7.545z"/&gt;');// eslint-disable-next-line
var BIconGraphDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GraphDown','&lt;path fill-rule="evenodd" d="M0 0h1v15h15v1H0V0zm10 11.5a.5.5 0 0 0 .5.5h4a.5.5 0 0 0 .5-.5v-4a.5.5 0 0 0-1 0v2.6l-3.613-4.417a.5.5 0 0 0-.74-.037L7.06 8.233 3.404 3.206a.5.5 0 0 0-.808.588l4 5.5a.5.5 0 0 0 .758.06l2.609-2.61L13.445 11H10.5a.5.5 0 0 0-.5.5z"/&gt;');// eslint-disable-next-line
var BIconGraphUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GraphUp','&lt;path fill-rule="evenodd" d="M0 0h1v15h15v1H0V0zm10 3.5a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-1 0V4.9l-3.613 4.417a.5.5 0 0 1-.74.037L7.06 6.767l-3.656 5.027a.5.5 0 0 1-.808-.588l4-5.5a.5.5 0 0 1 .758-.06l2.609 2.61L13.445 4H10.5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconGrid=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Grid','&lt;path d="M1 2.5A1.5 1.5 0 0 1 2.5 1h3A1.5 1.5 0 0 1 7 2.5v3A1.5 1.5 0 0 1 5.5 7h-3A1.5 1.5 0 0 1 1 5.5v-3zM2.5 2a.5.5 0 0 0-.5.5v3a.5.5 0 0 0 .5.5h3a.5.5 0 0 0 .5-.5v-3a.5.5 0 0 0-.5-.5h-3zm6.5.5A1.5 1.5 0 0 1 10.5 1h3A1.5 1.5 0 0 1 15 2.5v3A1.5 1.5 0 0 1 13.5 7h-3A1.5 1.5 0 0 1 9 5.5v-3zm1.5-.5a.5.5 0 0 0-.5.5v3a.5.5 0 0 0 .5.5h3a.5.5 0 0 0 .5-.5v-3a.5.5 0 0 0-.5-.5h-3zM1 10.5A1.5 1.5 0 0 1 2.5 9h3A1.5 1.5 0 0 1 7 10.5v3A1.5 1.5 0 0 1 5.5 15h-3A1.5 1.5 0 0 1 1 13.5v-3zm1.5-.5a.5.5 0 0 0-.5.5v3a.5.5 0 0 0 .5.5h3a.5.5 0 0 0 .5-.5v-3a.5.5 0 0 0-.5-.5h-3zm6.5.5A1.5 1.5 0 0 1 10.5 9h3a1.5 1.5 0 0 1 1.5 1.5v3a1.5 1.5 0 0 1-1.5 1.5h-3A1.5 1.5 0 0 1 9 13.5v-3zm1.5-.5a.5.5 0 0 0-.5.5v3a.5.5 0 0 0 .5.5h3a.5.5 0 0 0 .5-.5v-3a.5.5 0 0 0-.5-.5h-3z"/&gt;');// eslint-disable-next-line
var BIconGrid1x2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Grid1x2','&lt;path d="M6 1H1v14h5V1zm9 0h-5v5h5V1zm0 9v5h-5v-5h5zM0 1a1 1 0 0 1 1-1h5a1 1 0 0 1 1 1v14a1 1 0 0 1-1 1H1a1 1 0 0 1-1-1V1zm9 0a1 1 0 0 1 1-1h5a1 1 0 0 1 1 1v5a1 1 0 0 1-1 1h-5a1 1 0 0 1-1-1V1zm1 8a1 1 0 0 0-1 1v5a1 1 0 0 0 1 1h5a1 1 0 0 0 1-1v-5a1 1 0 0 0-1-1h-5z"/&gt;');// eslint-disable-next-line
var BIconGrid1x2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Grid1x2Fill','&lt;path d="M0 1a1 1 0 0 1 1-1h5a1 1 0 0 1 1 1v14a1 1 0 0 1-1 1H1a1 1 0 0 1-1-1V1zm9 0a1 1 0 0 1 1-1h5a1 1 0 0 1 1 1v5a1 1 0 0 1-1 1h-5a1 1 0 0 1-1-1V1zm0 9a1 1 0 0 1 1-1h5a1 1 0 0 1 1 1v5a1 1 0 0 1-1 1h-5a1 1 0 0 1-1-1v-5z"/&gt;');// eslint-disable-next-line
var BIconGrid3x2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Grid3x2','&lt;path d="M0 3.5A1.5 1.5 0 0 1 1.5 2h13A1.5 1.5 0 0 1 16 3.5v8a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 0 11.5v-8zM1.5 3a.5.5 0 0 0-.5.5V7h4V3H1.5zM5 8H1v3.5a.5.5 0 0 0 .5.5H5V8zm1 0v4h4V8H6zm4-1V3H6v4h4zm1 1v4h3.5a.5.5 0 0 0 .5-.5V8h-4zm0-1h4V3.5a.5.5 0 0 0-.5-.5H11v4z"/&gt;');// eslint-disable-next-line
var BIconGrid3x2Gap=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Grid3x2Gap','&lt;path d="M4 4v2H2V4h2zm1 7V9a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1zm0-5V4a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1zm5 5V9a1 1 0 0 0-1-1H7a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1zm0-5V4a1 1 0 0 0-1-1H7a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1zM9 4v2H7V4h2zm5 0h-2v2h2V4zM4 9v2H2V9h2zm5 0v2H7V9h2zm5 0v2h-2V9h2zm-3-5a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1V4zm1 4a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1V9a1 1 0 0 0-1-1h-2z"/&gt;');// eslint-disable-next-line
var BIconGrid3x2GapFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Grid3x2GapFill','&lt;path d="M1 4a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4zm5 0a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H7a1 1 0 0 1-1-1V4zm5 0a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1V4zM1 9a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V9zm5 0a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H7a1 1 0 0 1-1-1V9zm5 0a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1V9z"/&gt;');// eslint-disable-next-line
var BIconGrid3x3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Grid3x3','&lt;path d="M0 1.5A1.5 1.5 0 0 1 1.5 0h13A1.5 1.5 0 0 1 16 1.5v13a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 0 14.5v-13zM1.5 1a.5.5 0 0 0-.5.5V5h4V1H1.5zM5 6H1v4h4V6zm1 4h4V6H6v4zm-1 1H1v3.5a.5.5 0 0 0 .5.5H5v-4zm1 0v4h4v-4H6zm5 0v4h3.5a.5.5 0 0 0 .5-.5V11h-4zm0-1h4V6h-4v4zm0-5h4V1.5a.5.5 0 0 0-.5-.5H11v4zm-1 0V1H6v4h4z"/&gt;');// eslint-disable-next-line
var BIconGrid3x3Gap=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Grid3x3Gap','&lt;path d="M4 2v2H2V2h2zm1 12v-2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1zm0-5V7a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1zm0-5V2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1zm5 10v-2a1 1 0 0 0-1-1H7a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1zm0-5V7a1 1 0 0 0-1-1H7a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1zm0-5V2a1 1 0 0 0-1-1H7a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1zM9 2v2H7V2h2zm5 0v2h-2V2h2zM4 7v2H2V7h2zm5 0v2H7V7h2zm5 0h-2v2h2V7zM4 12v2H2v-2h2zm5 0v2H7v-2h2zm5 0v2h-2v-2h2zM12 1a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1h-2zm-1 6a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1V7zm1 4a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1v-2a1 1 0 0 0-1-1h-2z"/&gt;');// eslint-disable-next-line
var BIconGrid3x3GapFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Grid3x3GapFill','&lt;path d="M1 2a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2zm5 0a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H7a1 1 0 0 1-1-1V2zm5 0a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1V2zM1 7a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V7zm5 0a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H7a1 1 0 0 1-1-1V7zm5 0a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1V7zM1 12a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1v-2zm5 0a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H7a1 1 0 0 1-1-1v-2zm5 0a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1v-2z"/&gt;');// eslint-disable-next-line
var BIconGridFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GridFill','&lt;path d="M1 2.5A1.5 1.5 0 0 1 2.5 1h3A1.5 1.5 0 0 1 7 2.5v3A1.5 1.5 0 0 1 5.5 7h-3A1.5 1.5 0 0 1 1 5.5v-3zm8 0A1.5 1.5 0 0 1 10.5 1h3A1.5 1.5 0 0 1 15 2.5v3A1.5 1.5 0 0 1 13.5 7h-3A1.5 1.5 0 0 1 9 5.5v-3zm-8 8A1.5 1.5 0 0 1 2.5 9h3A1.5 1.5 0 0 1 7 10.5v3A1.5 1.5 0 0 1 5.5 15h-3A1.5 1.5 0 0 1 1 13.5v-3zm8 0A1.5 1.5 0 0 1 10.5 9h3a1.5 1.5 0 0 1 1.5 1.5v3a1.5 1.5 0 0 1-1.5 1.5h-3A1.5 1.5 0 0 1 9 13.5v-3z"/&gt;');// eslint-disable-next-line
var BIconGripHorizontal=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GripHorizontal','&lt;path d="M2 8a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm3 3a1 1 0 1 1 0 2 1 1 0 0 1 0-2zm0-3a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"/&gt;');// eslint-disable-next-line
var BIconGripVertical=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('GripVertical','&lt;path d="M7 2a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm3 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zM7 5a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm3 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zM7 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm3 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm-3 3a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm3 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm-3 3a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm3 0a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconHammer=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Hammer','&lt;path d="M9.972 2.508a.5.5 0 0 0-.16-.556l-.178-.129a5.009 5.009 0 0 0-2.076-.783C6.215.862 4.504 1.229 2.84 3.133H1.786a.5.5 0 0 0-.354.147L.146 4.567a.5.5 0 0 0 0 .706l2.571 2.579a.5.5 0 0 0 .708 0l1.286-1.29a.5.5 0 0 0 .146-.353V5.57l8.387 8.873A.5.5 0 0 0 14 14.5l1.5-1.5a.5.5 0 0 0 .017-.689l-9.129-8.63c.747-.456 1.772-.839 3.112-.839a.5.5 0 0 0 .472-.334z"/&gt;');// eslint-disable-next-line
var BIconHandIndex=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HandIndex','&lt;path d="M6.75 1a.75.75 0 0 1 .75.75V8a.5.5 0 0 0 1 0V5.467l.086-.004c.317-.012.637-.008.816.027.134.027.294.096.448.182.077.042.15.147.15.314V8a.5.5 0 1 0 1 0V6.435a4.9 4.9 0 0 1 .106-.01c.316-.024.584-.01.708.04.118.046.3.207.486.43.081.096.15.19.2.259V8.5a.5.5 0 0 0 1 0v-1h.342a1 1 0 0 1 .995 1.1l-.271 2.715a2.5 2.5 0 0 1-.317.991l-1.395 2.442a.5.5 0 0 1-.434.252H6.035a.5.5 0 0 1-.416-.223l-1.433-2.15a1.5 1.5 0 0 1-.243-.666l-.345-3.105a.5.5 0 0 1 .399-.546L5 8.11V9a.5.5 0 0 0 1 0V1.75A.75.75 0 0 1 6.75 1zM8.5 4.466V1.75a1.75 1.75 0 1 0-3.5 0v5.34l-1.2.24a1.5 1.5 0 0 0-1.196 1.636l.345 3.106a2.5 2.5 0 0 0 .405 1.11l1.433 2.15A1.5 1.5 0 0 0 6.035 16h6.385a1.5 1.5 0 0 0 1.302-.756l1.395-2.441a3.5 3.5 0 0 0 .444-1.389l.271-2.715a2 2 0 0 0-1.99-2.199h-.581a5.114 5.114 0 0 0-.195-.248c-.191-.229-.51-.568-.88-.716-.364-.146-.846-.132-1.158-.108l-.132.012a1.26 1.26 0 0 0-.56-.642 2.632 2.632 0 0 0-.738-.288c-.31-.062-.739-.058-1.05-.046l-.048.002zm2.094 2.025z"/&gt;');// eslint-disable-next-line
var BIconHandIndexFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HandIndexFill','&lt;path d="M8.5 4.466V1.75a1.75 1.75 0 1 0-3.5 0v5.34l-1.2.24a1.5 1.5 0 0 0-1.196 1.636l.345 3.106a2.5 2.5 0 0 0 .405 1.11l1.433 2.15A1.5 1.5 0 0 0 6.035 16h6.385a1.5 1.5 0 0 0 1.302-.756l1.395-2.441a3.5 3.5 0 0 0 .444-1.389l.271-2.715a2 2 0 0 0-1.99-2.199h-.581a5.114 5.114 0 0 0-.195-.248c-.191-.229-.51-.568-.88-.716-.364-.146-.846-.132-1.158-.108l-.132.012a1.26 1.26 0 0 0-.56-.642 2.632 2.632 0 0 0-.738-.288c-.31-.062-.739-.058-1.05-.046l-.048.002z"/&gt;');// eslint-disable-next-line
var BIconHandIndexThumb=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HandIndexThumb','&lt;path d="M6.75 1a.75.75 0 0 1 .75.75V8a.5.5 0 0 0 1 0V5.467l.086-.004c.317-.012.637-.008.816.027.134.027.294.096.448.182.077.042.15.147.15.314V8a.5.5 0 0 0 1 0V6.435l.106-.01c.316-.024.584-.01.708.04.118.046.3.207.486.43.081.096.15.19.2.259V8.5a.5.5 0 1 0 1 0v-1h.342a1 1 0 0 1 .995 1.1l-.271 2.715a2.5 2.5 0 0 1-.317.991l-1.395 2.442a.5.5 0 0 1-.434.252H6.118a.5.5 0 0 1-.447-.276l-1.232-2.465-2.512-4.185a.517.517 0 0 1 .809-.631l2.41 2.41A.5.5 0 0 0 6 9.5V1.75A.75.75 0 0 1 6.75 1zM8.5 4.466V1.75a1.75 1.75 0 1 0-3.5 0v6.543L3.443 6.736A1.517 1.517 0 0 0 1.07 8.588l2.491 4.153 1.215 2.43A1.5 1.5 0 0 0 6.118 16h6.302a1.5 1.5 0 0 0 1.302-.756l1.395-2.441a3.5 3.5 0 0 0 .444-1.389l.271-2.715a2 2 0 0 0-1.99-2.199h-.581a5.114 5.114 0 0 0-.195-.248c-.191-.229-.51-.568-.88-.716-.364-.146-.846-.132-1.158-.108l-.132.012a1.26 1.26 0 0 0-.56-.642 2.632 2.632 0 0 0-.738-.288c-.31-.062-.739-.058-1.05-.046l-.048.002zm2.094 2.025z"/&gt;');// eslint-disable-next-line
var BIconHandIndexThumbFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HandIndexThumbFill','&lt;path d="M8.5 1.75v2.716l.047-.002c.312-.012.742-.016 1.051.046.28.056.543.18.738.288.273.152.456.385.56.642l.132-.012c.312-.024.794-.038 1.158.108.37.148.689.487.88.716.075.09.141.175.195.248h.582a2 2 0 0 1 1.99 2.199l-.272 2.715a3.5 3.5 0 0 1-.444 1.389l-1.395 2.441A1.5 1.5 0 0 1 12.42 16H6.118a1.5 1.5 0 0 1-1.342-.83l-1.215-2.43L1.07 8.589a1.517 1.517 0 0 1 2.373-1.852L5 8.293V1.75a1.75 1.75 0 0 1 3.5 0z"/&gt;');// eslint-disable-next-line
var BIconHandThumbsDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HandThumbsDown','&lt;path d="M8.864 15.674c-.956.24-1.843-.484-1.908-1.42-.072-1.05-.23-2.015-.428-2.59-.125-.36-.479-1.012-1.04-1.638-.557-.624-1.282-1.179-2.131-1.41C2.685 8.432 2 7.85 2 7V3c0-.845.682-1.464 1.448-1.546 1.07-.113 1.564-.415 2.068-.723l.048-.029c.272-.166.578-.349.97-.484C6.931.08 7.395 0 8 0h3.5c.937 0 1.599.478 1.934 1.064.164.287.254.607.254.913 0 .152-.023.312-.077.464.201.262.38.577.488.9.11.33.172.762.004 1.15.069.13.12.268.159.403.077.27.113.567.113.856 0 .289-.036.586-.113.856-.035.12-.08.244-.138.363.394.571.418 1.2.234 1.733-.206.592-.682 1.1-1.2 1.272-.847.283-1.803.276-2.516.211a9.877 9.877 0 0 1-.443-.05 9.364 9.364 0 0 1-.062 4.51c-.138.508-.55.848-1.012.964l-.261.065zM11.5 1H8c-.51 0-.863.068-1.14.163-.281.097-.506.229-.776.393l-.04.025c-.555.338-1.198.73-2.49.868-.333.035-.554.29-.554.55V7c0 .255.226.543.62.65 1.095.3 1.977.997 2.614 1.709.635.71 1.064 1.475 1.238 1.977.243.7.407 1.768.482 2.85.025.362.36.595.667.518l.262-.065c.16-.04.258-.144.288-.255a8.34 8.34 0 0 0-.145-4.726.5.5 0 0 1 .595-.643h.003l.014.004.058.013a8.912 8.912 0 0 0 1.036.157c.663.06 1.457.054 2.11-.163.175-.059.45-.301.57-.651.107-.308.087-.67-.266-1.021L12.793 7l.353-.354c.043-.042.105-.14.154-.315.048-.167.075-.37.075-.581 0-.211-.027-.414-.075-.581-.05-.174-.111-.273-.154-.315l-.353-.354.353-.354c.047-.047.109-.176.005-.488a2.224 2.224 0 0 0-.505-.804l-.353-.354.353-.354c.006-.005.041-.05.041-.17a.866.866 0 0 0-.121-.415C12.4 1.272 12.063 1 11.5 1z"/&gt;');// eslint-disable-next-line
var BIconHandThumbsDownFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HandThumbsDownFill','&lt;path d="M6.956 14.534c.065.936.952 1.659 1.908 1.42l.261-.065a1.378 1.378 0 0 0 1.012-.965c.22-.816.533-2.512.062-4.51.136.02.285.037.443.051.713.065 1.669.071 2.516-.211.518-.173.994-.68 1.2-1.272a1.896 1.896 0 0 0-.234-1.734c.058-.118.103-.242.138-.362.077-.27.113-.568.113-.856 0-.29-.036-.586-.113-.857a2.094 2.094 0 0 0-.16-.403c.169-.387.107-.82-.003-1.149a3.162 3.162 0 0 0-.488-.9c.054-.153.076-.313.076-.465a1.86 1.86 0 0 0-.253-.912C13.1.757 12.437.28 11.5.28H8c-.605 0-1.07.08-1.466.217a4.823 4.823 0 0 0-.97.485l-.048.029c-.504.308-.999.61-2.068.723C2.682 1.815 2 2.434 2 3.279v4c0 .851.685 1.433 1.357 1.616.849.232 1.574.787 2.132 1.41.56.626.914 1.28 1.039 1.638.199.575.356 1.54.428 2.591z"/&gt;');// eslint-disable-next-line
var BIconHandThumbsUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HandThumbsUp','&lt;path d="M8.864.046C7.908-.193 7.02.53 6.956 1.466c-.072 1.051-.23 2.016-.428 2.59-.125.36-.479 1.013-1.04 1.639-.557.623-1.282 1.178-2.131 1.41C2.685 7.288 2 7.87 2 8.72v4.001c0 .845.682 1.464 1.448 1.545 1.07.114 1.564.415 2.068.723l.048.03c.272.165.578.348.97.484.397.136.861.217 1.466.217h3.5c.937 0 1.599-.477 1.934-1.064a1.86 1.86 0 0 0 .254-.912c0-.152-.023-.312-.077-.464.201-.263.38-.578.488-.901.11-.33.172-.762.004-1.149.069-.13.12-.269.159-.403.077-.27.113-.568.113-.857 0-.288-.036-.585-.113-.856a2.144 2.144 0 0 0-.138-.362 1.9 1.9 0 0 0 .234-1.734c-.206-.592-.682-1.1-1.2-1.272-.847-.282-1.803-.276-2.516-.211a9.84 9.84 0 0 0-.443.05 9.365 9.365 0 0 0-.062-4.509A1.38 1.38 0 0 0 9.125.111L8.864.046zM11.5 14.721H8c-.51 0-.863-.069-1.14-.164-.281-.097-.506-.228-.776-.393l-.04-.024c-.555-.339-1.198-.731-2.49-.868-.333-.036-.554-.29-.554-.55V8.72c0-.254.226-.543.62-.65 1.095-.3 1.977-.996 2.614-1.708.635-.71 1.064-1.475 1.238-1.978.243-.7.407-1.768.482-2.85.025-.362.36-.594.667-.518l.262.066c.16.04.258.143.288.255a8.34 8.34 0 0 1-.145 4.725.5.5 0 0 0 .595.644l.003-.001.014-.003.058-.014a8.908 8.908 0 0 1 1.036-.157c.663-.06 1.457-.054 2.11.164.175.058.45.3.57.65.107.308.087.67-.266 1.022l-.353.353.353.354c.043.043.105.141.154.315.048.167.075.37.075.581 0 .212-.027.414-.075.582-.05.174-.111.272-.154.315l-.353.353.353.354c.047.047.109.177.005.488a2.224 2.224 0 0 1-.505.805l-.353.353.353.354c.006.005.041.05.041.17a.866.866 0 0 1-.121.416c-.165.288-.503.56-1.066.56z"/&gt;');// eslint-disable-next-line
var BIconHandThumbsUpFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HandThumbsUpFill','&lt;path d="M6.956 1.745C7.021.81 7.908.087 8.864.325l.261.066c.463.116.874.456 1.012.965.22.816.533 2.511.062 4.51a9.84 9.84 0 0 1 .443-.051c.713-.065 1.669-.072 2.516.21.518.173.994.681 1.2 1.273.184.532.16 1.162-.234 1.733.058.119.103.242.138.363.077.27.113.567.113.856 0 .289-.036.586-.113.856-.039.135-.09.273-.16.404.169.387.107.819-.003 1.148a3.163 3.163 0 0 1-.488.901c.054.152.076.312.076.465 0 .305-.089.625-.253.912C13.1 15.522 12.437 16 11.5 16H8c-.605 0-1.07-.081-1.466-.218a4.82 4.82 0 0 1-.97-.484l-.048-.03c-.504-.307-.999-.609-2.068-.722C2.682 14.464 2 13.846 2 13V9c0-.85.685-1.432 1.357-1.615.849-.232 1.574-.787 2.132-1.41.56-.627.914-1.28 1.039-1.639.199-.575.356-1.539.428-2.59z"/&gt;');// eslint-disable-next-line
var BIconHandbag=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Handbag','&lt;path d="M8 1a2 2 0 0 1 2 2v2H6V3a2 2 0 0 1 2-2zm3 4V3a3 3 0 1 0-6 0v2H3.36a1.5 1.5 0 0 0-1.483 1.277L.85 13.13A2.5 2.5 0 0 0 3.322 16h9.355a2.5 2.5 0 0 0 2.473-2.87l-1.028-6.853A1.5 1.5 0 0 0 12.64 5H11zm-1 1v1.5a.5.5 0 0 0 1 0V6h1.639a.5.5 0 0 1 .494.426l1.028 6.851A1.5 1.5 0 0 1 12.678 15H3.322a1.5 1.5 0 0 1-1.483-1.723l1.028-6.851A.5.5 0 0 1 3.36 6H5v1.5a.5.5 0 1 0 1 0V6h4z"/&gt;');// eslint-disable-next-line
var BIconHandbagFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HandbagFill','&lt;path d="M8 1a2 2 0 0 0-2 2v2H5V3a3 3 0 1 1 6 0v2h-1V3a2 2 0 0 0-2-2zM5 5H3.36a1.5 1.5 0 0 0-1.483 1.277L.85 13.13A2.5 2.5 0 0 0 3.322 16h9.355a2.5 2.5 0 0 0 2.473-2.87l-1.028-6.853A1.5 1.5 0 0 0 12.64 5H11v1.5a.5.5 0 0 1-1 0V5H6v1.5a.5.5 0 0 1-1 0V5z"/&gt;');// eslint-disable-next-line
var BIconHash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Hash','&lt;path d="M8.39 12.648a1.32 1.32 0 0 0-.015.18c0 .305.21.508.5.508.266 0 .492-.172.555-.477l.554-2.703h1.204c.421 0 .617-.234.617-.547 0-.312-.188-.53-.617-.53h-.985l.516-2.524h1.265c.43 0 .618-.227.618-.547 0-.313-.188-.524-.618-.524h-1.046l.476-2.304a1.06 1.06 0 0 0 .016-.164.51.51 0 0 0-.516-.516.54.54 0 0 0-.539.43l-.523 2.554H7.617l.477-2.304c.008-.04.015-.118.015-.164a.512.512 0 0 0-.523-.516.539.539 0 0 0-.531.43L6.53 5.484H5.414c-.43 0-.617.22-.617.532 0 .312.187.539.617.539h.906l-.515 2.523H4.609c-.421 0-.609.219-.609.531 0 .313.188.547.61.547h.976l-.516 2.492c-.008.04-.015.125-.015.18 0 .305.21.508.5.508.265 0 .492-.172.554-.477l.555-2.703h2.242l-.515 2.492zm-1-6.109h2.266l-.515 2.563H6.859l.532-2.563z"/&gt;');// eslint-disable-next-line
var BIconHdd=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Hdd','&lt;path d="M4.5 11a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1zM3 10.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0z"/&gt;&lt;path d="M16 11a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V9.51c0-.418.105-.83.305-1.197l2.472-4.531A1.5 1.5 0 0 1 4.094 3h7.812a1.5 1.5 0 0 1 1.317.782l2.472 4.53c.2.368.305.78.305 1.198V11zM3.655 4.26 1.592 8.043C1.724 8.014 1.86 8 2 8h12c.14 0 .276.014.408.042L12.345 4.26a.5.5 0 0 0-.439-.26H4.094a.5.5 0 0 0-.44.26zM1 10v1a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1v-1a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1z"/&gt;');// eslint-disable-next-line
var BIconHddFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HddFill','&lt;path d="M0 10a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v1a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2v-1zm2.5 1a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1zm2 0a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1zM.91 7.204A2.993 2.993 0 0 1 2 7h12c.384 0 .752.072 1.09.204l-1.867-3.422A1.5 1.5 0 0 0 11.906 3H4.094a1.5 1.5 0 0 0-1.317.782L.91 7.204z"/&gt;');// eslint-disable-next-line
var BIconHddNetwork=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HddNetwork','&lt;path d="M4.5 5a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1zM3 4.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v1a2 2 0 0 1-2 2H8.5v3a1.5 1.5 0 0 1 1.5 1.5h5.5a.5.5 0 0 1 0 1H10A1.5 1.5 0 0 1 8.5 14h-1A1.5 1.5 0 0 1 6 12.5H.5a.5.5 0 0 1 0-1H6A1.5 1.5 0 0 1 7.5 10V7H2a2 2 0 0 1-2-2V4zm1 0v1a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1zm6 7.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5z"/&gt;');// eslint-disable-next-line
var BIconHddNetworkFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HddNetworkFill','&lt;path d="M2 2a2 2 0 0 0-2 2v1a2 2 0 0 0 2 2h5.5v3A1.5 1.5 0 0 0 6 11.5H.5a.5.5 0 0 0 0 1H6A1.5 1.5 0 0 0 7.5 14h1a1.5 1.5 0 0 0 1.5-1.5h5.5a.5.5 0 0 0 0-1H10A1.5 1.5 0 0 0 8.5 10V7H14a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm.5 3a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm2 0a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1z"/&gt;');// eslint-disable-next-line
var BIconHddRack=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HddRack','&lt;path d="M4.5 5a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1zM3 4.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm2 7a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm-2.5.5a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1z"/&gt;&lt;path d="M2 2a2 2 0 0 0-2 2v1a2 2 0 0 0 2 2h1v2H2a2 2 0 0 0-2 2v1a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2v-1a2 2 0 0 0-2-2h-1V7h1a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm13 2v1a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1zm0 7v1a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1v-1a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1zm-3-4v2H4V7h8z"/&gt;');// eslint-disable-next-line
var BIconHddRackFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HddRackFill','&lt;path d="M2 2a2 2 0 0 0-2 2v1a2 2 0 0 0 2 2h1v2H2a2 2 0 0 0-2 2v1a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2v-1a2 2 0 0 0-2-2h-1V7h1a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm.5 3a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm2 0a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm-2 7a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm2 0a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zM12 7v2H4V7h8z"/&gt;');// eslint-disable-next-line
var BIconHddStack=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HddStack','&lt;path d="M14 10a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1v-1a1 1 0 0 1 1-1h12zM2 9a2 2 0 0 0-2 2v1a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2v-1a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M5 11.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm-2 0a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zM14 3a1 1 0 0 1 1 1v1a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v1a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M5 4.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm-2 0a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconHddStackFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HddStackFill','&lt;path d="M2 9a2 2 0 0 0-2 2v1a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2v-1a2 2 0 0 0-2-2H2zm.5 3a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm2 0a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zM2 2a2 2 0 0 0-2 2v1a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2zm.5 3a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm2 0a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1z"/&gt;');// eslint-disable-next-line
var BIconHeadphones=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Headphones','&lt;path d="M8 3a5 5 0 0 0-5 5v1h1a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V8a6 6 0 1 1 12 0v5a1 1 0 0 1-1 1h-1a1 1 0 0 1-1-1v-3a1 1 0 0 1 1-1h1V8a5 5 0 0 0-5-5z"/&gt;');// eslint-disable-next-line
var BIconHeadset=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Headset','&lt;path d="M8 1a5 5 0 0 0-5 5v1h1a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V6a6 6 0 1 1 12 0v6a2.5 2.5 0 0 1-2.5 2.5H9.366a1 1 0 0 1-.866.5h-1a1 1 0 1 1 0-2h1a1 1 0 0 1 .866.5H11.5A1.5 1.5 0 0 0 13 12h-1a1 1 0 0 1-1-1V8a1 1 0 0 1 1-1h1V6a5 5 0 0 0-5-5z"/&gt;');// eslint-disable-next-line
var BIconHeadsetVr=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HeadsetVr','&lt;path d="M8 1.248c1.857 0 3.526.641 4.65 1.794a4.978 4.978 0 0 1 2.518 1.09C13.907 1.482 11.295 0 8 0 4.75 0 2.12 1.48.844 4.122a4.979 4.979 0 0 1 2.289-1.047C4.236 1.872 5.974 1.248 8 1.248z"/&gt;&lt;path d="M12 12a3.988 3.988 0 0 1-2.786-1.13l-.002-.002a1.612 1.612 0 0 0-.276-.167A2.164 2.164 0 0 0 8 10.5c-.414 0-.729.103-.935.201a1.612 1.612 0 0 0-.277.167l-.002.002A4 4 0 1 1 4 4h8a4 4 0 0 1 0 8z"/&gt;');// eslint-disable-next-line
var BIconHeart=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Heart','&lt;path d="m8 2.748-.717-.737C5.6.281 2.514.878 1.4 3.053c-.523 1.023-.641 2.5.314 4.385.92 1.815 2.834 3.989 6.286 6.357 3.452-2.368 5.365-4.542 6.286-6.357.955-1.886.838-3.362.314-4.385C13.486.878 10.4.28 8.717 2.01L8 2.748zM8 15C-7.333 4.868 3.279-3.04 7.824 1.143c.06.055.119.112.176.171a3.12 3.12 0 0 1 .176-.17C12.72-3.042 23.333 4.867 8 15z"/&gt;');// eslint-disable-next-line
var BIconHeartFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HeartFill','&lt;path fill-rule="evenodd" d="M8 1.314C12.438-3.248 23.534 4.735 8 15-7.534 4.736 3.562-3.248 8 1.314z"/&gt;');// eslint-disable-next-line
var BIconHeartHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HeartHalf','&lt;path d="M8 2.748v11.047c3.452-2.368 5.365-4.542 6.286-6.357.955-1.886.838-3.362.314-4.385C13.486.878 10.4.28 8.717 2.01L8 2.748zM8 15C-7.333 4.868 3.279-3.04 7.824 1.143c.06.055.119.112.176.171a3.12 3.12 0 0 1 .176-.17C12.72-3.042 23.333 4.867 8 15z"/&gt;');// eslint-disable-next-line
var BIconHeptagon=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Heptagon','&lt;path d="M7.779.052a.5.5 0 0 1 .442 0l6.015 2.97a.5.5 0 0 1 .267.34l1.485 6.676a.5.5 0 0 1-.093.415l-4.162 5.354a.5.5 0 0 1-.395.193H4.662a.5.5 0 0 1-.395-.193L.105 10.453a.5.5 0 0 1-.093-.415l1.485-6.676a.5.5 0 0 1 .267-.34L7.779.053zM2.422 3.813l-1.383 6.212L4.907 15h6.186l3.868-4.975-1.383-6.212L8 1.058 2.422 3.813z"/&gt;');// eslint-disable-next-line
var BIconHeptagonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HeptagonFill','&lt;path fill-rule="evenodd" d="M7.779.052a.5.5 0 0 1 .442 0l6.015 2.97a.5.5 0 0 1 .267.34l1.485 6.676a.5.5 0 0 1-.093.415l-4.162 5.354a.5.5 0 0 1-.395.193H4.662a.5.5 0 0 1-.395-.193L.105 10.453a.5.5 0 0 1-.093-.415l1.485-6.676a.5.5 0 0 1 .267-.34L7.779.053z"/&gt;');// eslint-disable-next-line
var BIconHeptagonHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HeptagonHalf','&lt;path d="M7.779.052a.5.5 0 0 1 .442 0l6.015 2.97a.5.5 0 0 1 .267.34l1.485 6.676a.5.5 0 0 1-.093.415l-4.162 5.354a.5.5 0 0 1-.395.193H4.662a.5.5 0 0 1-.395-.193L.105 10.453a.5.5 0 0 1-.093-.415l1.485-6.676a.5.5 0 0 1 .267-.34L7.779.053zM8 15h3.093l3.868-4.975-1.383-6.212L8 1.058V15z"/&gt;');// eslint-disable-next-line
var BIconHexagon=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Hexagon','&lt;path d="M14 4.577v6.846L8 15l-6-3.577V4.577L8 1l6 3.577zM8.5.134a1 1 0 0 0-1 0l-6 3.577a1 1 0 0 0-.5.866v6.846a1 1 0 0 0 .5.866l6 3.577a1 1 0 0 0 1 0l6-3.577a1 1 0 0 0 .5-.866V4.577a1 1 0 0 0-.5-.866L8.5.134z"/&gt;');// eslint-disable-next-line
var BIconHexagonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HexagonFill','&lt;path fill-rule="evenodd" d="M8.5.134a1 1 0 0 0-1 0l-6 3.577a1 1 0 0 0-.5.866v6.846a1 1 0 0 0 .5.866l6 3.577a1 1 0 0 0 1 0l6-3.577a1 1 0 0 0 .5-.866V4.577a1 1 0 0 0-.5-.866L8.5.134z"/&gt;');// eslint-disable-next-line
var BIconHexagonHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HexagonHalf','&lt;path d="M14 4.577v6.846L8 15V1l6 3.577zM8.5.134a1 1 0 0 0-1 0l-6 3.577a1 1 0 0 0-.5.866v6.846a1 1 0 0 0 .5.866l6 3.577a1 1 0 0 0 1 0l6-3.577a1 1 0 0 0 .5-.866V4.577a1 1 0 0 0-.5-.866L8.5.134z"/&gt;');// eslint-disable-next-line
var BIconHourglass=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Hourglass','&lt;path d="M2 1.5a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-1v1a4.5 4.5 0 0 1-2.557 4.06c-.29.139-.443.377-.443.59v.7c0 .213.154.451.443.59A4.5 4.5 0 0 1 12.5 13v1h1a.5.5 0 0 1 0 1h-11a.5.5 0 1 1 0-1h1v-1a4.5 4.5 0 0 1 2.557-4.06c.29-.139.443-.377.443-.59v-.7c0-.213-.154-.451-.443-.59A4.5 4.5 0 0 1 3.5 3V2h-1a.5.5 0 0 1-.5-.5zm2.5.5v1a3.5 3.5 0 0 0 1.989 3.158c.533.256 1.011.791 1.011 1.491v.702c0 .7-.478 1.235-1.011 1.491A3.5 3.5 0 0 0 4.5 13v1h7v-1a3.5 3.5 0 0 0-1.989-3.158C8.978 9.586 8.5 9.052 8.5 8.351v-.702c0-.7.478-1.235 1.011-1.491A3.5 3.5 0 0 0 11.5 3V2h-7z"/&gt;');// eslint-disable-next-line
var BIconHourglassBottom=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HourglassBottom','&lt;path d="M2 1.5a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-1v1a4.5 4.5 0 0 1-2.557 4.06c-.29.139-.443.377-.443.59v.7c0 .213.154.451.443.59A4.5 4.5 0 0 1 12.5 13v1h1a.5.5 0 0 1 0 1h-11a.5.5 0 1 1 0-1h1v-1a4.5 4.5 0 0 1 2.557-4.06c.29-.139.443-.377.443-.59v-.7c0-.213-.154-.451-.443-.59A4.5 4.5 0 0 1 3.5 3V2h-1a.5.5 0 0 1-.5-.5zm2.5.5v1a3.5 3.5 0 0 0 1.989 3.158c.533.256 1.011.791 1.011 1.491v.702s.18.149.5.149.5-.15.5-.15v-.7c0-.701.478-1.236 1.011-1.492A3.5 3.5 0 0 0 11.5 3V2h-7z"/&gt;');// eslint-disable-next-line
var BIconHourglassSplit=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HourglassSplit','&lt;path d="M2.5 15a.5.5 0 1 1 0-1h1v-1a4.5 4.5 0 0 1 2.557-4.06c.29-.139.443-.377.443-.59v-.7c0-.213-.154-.451-.443-.59A4.5 4.5 0 0 1 3.5 3V2h-1a.5.5 0 0 1 0-1h11a.5.5 0 0 1 0 1h-1v1a4.5 4.5 0 0 1-2.557 4.06c-.29.139-.443.377-.443.59v.7c0 .213.154.451.443.59A4.5 4.5 0 0 1 12.5 13v1h1a.5.5 0 0 1 0 1h-11zm2-13v1c0 .537.12 1.045.337 1.5h6.326c.216-.455.337-.963.337-1.5V2h-7zm3 6.35c0 .701-.478 1.236-1.011 1.492A3.5 3.5 0 0 0 4.5 13s.866-1.299 3-1.48V8.35zm1 0v3.17c2.134.181 3 1.48 3 1.48a3.5 3.5 0 0 0-1.989-3.158C8.978 9.586 8.5 9.052 8.5 8.351z"/&gt;');// eslint-disable-next-line
var BIconHourglassTop=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HourglassTop','&lt;path d="M2 14.5a.5.5 0 0 0 .5.5h11a.5.5 0 1 0 0-1h-1v-1a4.5 4.5 0 0 0-2.557-4.06c-.29-.139-.443-.377-.443-.59v-.7c0-.213.154-.451.443-.59A4.5 4.5 0 0 0 12.5 3V2h1a.5.5 0 0 0 0-1h-11a.5.5 0 0 0 0 1h1v1a4.5 4.5 0 0 0 2.557 4.06c.29.139.443.377.443.59v.7c0 .213-.154.451-.443.59A4.5 4.5 0 0 0 3.5 13v1h-1a.5.5 0 0 0-.5.5zm2.5-.5v-1a3.5 3.5 0 0 1 1.989-3.158c.533-.256 1.011-.79 1.011-1.491v-.702s.18.101.5.101.5-.1.5-.1v.7c0 .701.478 1.236 1.011 1.492A3.5 3.5 0 0 1 11.5 13v1h-7z"/&gt;');// eslint-disable-next-line
var BIconHouse=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('House','&lt;path fill-rule="evenodd" d="M2 13.5V7h1v6.5a.5.5 0 0 0 .5.5h9a.5.5 0 0 0 .5-.5V7h1v6.5a1.5 1.5 0 0 1-1.5 1.5h-9A1.5 1.5 0 0 1 2 13.5zm11-11V6l-2-2V2.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5z"/&gt;&lt;path fill-rule="evenodd" d="M7.293 1.5a1 1 0 0 1 1.414 0l6.647 6.646a.5.5 0 0 1-.708.708L8 2.207 1.354 8.854a.5.5 0 1 1-.708-.708L7.293 1.5z"/&gt;');// eslint-disable-next-line
var BIconHouseDoor=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HouseDoor','&lt;path d="M8.354 1.146a.5.5 0 0 0-.708 0l-6 6A.5.5 0 0 0 1.5 7.5v7a.5.5 0 0 0 .5.5h4.5a.5.5 0 0 0 .5-.5v-4h2v4a.5.5 0 0 0 .5.5H14a.5.5 0 0 0 .5-.5v-7a.5.5 0 0 0-.146-.354L13 5.793V2.5a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5v1.293L8.354 1.146zM2.5 14V7.707l5.5-5.5 5.5 5.5V14H10v-4a.5.5 0 0 0-.5-.5h-3a.5.5 0 0 0-.5.5v4H2.5z"/&gt;');// eslint-disable-next-line
var BIconHouseDoorFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HouseDoorFill','&lt;path d="M6.5 14.5v-3.505c0-.245.25-.495.5-.495h2c.25 0 .5.25.5.5v3.5a.5.5 0 0 0 .5.5h4a.5.5 0 0 0 .5-.5v-7a.5.5 0 0 0-.146-.354L13 5.793V2.5a.5.5 0 0 0-.5-.5h-1a.5.5 0 0 0-.5.5v1.293L8.354 1.146a.5.5 0 0 0-.708 0l-6 6A.5.5 0 0 0 1.5 7.5v7a.5.5 0 0 0 .5.5h4a.5.5 0 0 0 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconHouseFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('HouseFill','&lt;path fill-rule="evenodd" d="m8 3.293 6 6V13.5a1.5 1.5 0 0 1-1.5 1.5h-9A1.5 1.5 0 0 1 2 13.5V9.293l6-6zm5-.793V6l-2-2V2.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5z"/&gt;&lt;path fill-rule="evenodd" d="M7.293 1.5a1 1 0 0 1 1.414 0l6.647 6.646a.5.5 0 0 1-.708.708L8 2.207 1.354 8.854a.5.5 0 1 1-.708-.708L7.293 1.5z"/&gt;');// eslint-disable-next-line
var BIconHr=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Hr','&lt;path d="M12 3H4a1 1 0 0 0-1 1v2.5H2V4a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v2.5h-1V4a1 1 0 0 0-1-1zM2 9.5h1V12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V9.5h1V12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V9.5zm-1.5-2a.5.5 0 0 0 0 1h15a.5.5 0 0 0 0-1H.5z"/&gt;');// eslint-disable-next-line
var BIconHurricane=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Hurricane','&lt;path d="M6.999 2.6A5.5 5.5 0 0 1 15 7.5a.5.5 0 0 0 1 0 6.5 6.5 0 1 0-13 0 5 5 0 0 0 6.001 4.9A5.5 5.5 0 0 1 1 7.5a.5.5 0 0 0-1 0 6.5 6.5 0 1 0 13 0 5 5 0 0 0-6.001-4.9zM10 7.5a2 2 0 1 1-4 0 2 2 0 0 1 4 0z"/&gt;');// eslint-disable-next-line
var BIconImage=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Image','&lt;path d="M6.002 5.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;&lt;path d="M2.002 1a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V3a2 2 0 0 0-2-2h-12zm12 1a1 1 0 0 1 1 1v6.5l-3.777-1.947a.5.5 0 0 0-.577.093l-3.71 3.71-2.66-1.772a.5.5 0 0 0-.63.062L1.002 12V3a1 1 0 0 1 1-1h12z"/&gt;');// eslint-disable-next-line
var BIconImageAlt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ImageAlt','&lt;path d="M7 2.5a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0zm4.225 4.053a.5.5 0 0 0-.577.093l-3.71 4.71-2.66-2.772a.5.5 0 0 0-.63.062L.002 13v2a1 1 0 0 0 1 1h14a1 1 0 0 0 1-1v-4.5l-4.777-3.947z"/&gt;');// eslint-disable-next-line
var BIconImageFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ImageFill','&lt;path d="M.002 3a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2h-12a2 2 0 0 1-2-2V3zm1 9v1a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V9.5l-3.777-1.947a.5.5 0 0 0-.577.093l-3.71 3.71-2.66-1.772a.5.5 0 0 0-.63.062L1.002 12zm5-6.5a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0z"/&gt;');// eslint-disable-next-line
var BIconImages=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Images','&lt;path d="M4.502 9a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3z"/&gt;&lt;path d="M14.002 13a2 2 0 0 1-2 2h-10a2 2 0 0 1-2-2V5A2 2 0 0 1 2 3a2 2 0 0 1 2-2h10a2 2 0 0 1 2 2v8a2 2 0 0 1-1.998 2zM14 2H4a1 1 0 0 0-1 1h9.002a2 2 0 0 1 2 2v7A1 1 0 0 0 15 11V3a1 1 0 0 0-1-1zM2.002 4a1 1 0 0 0-1 1v8l2.646-2.354a.5.5 0 0 1 .63-.062l2.66 1.773 3.71-3.71a.5.5 0 0 1 .577-.094l1.777 1.947V5a1 1 0 0 0-1-1h-10z"/&gt;');// eslint-disable-next-line
var BIconInbox=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Inbox','&lt;path d="M4.98 4a.5.5 0 0 0-.39.188L1.54 8H6a.5.5 0 0 1 .5.5 1.5 1.5 0 1 0 3 0A.5.5 0 0 1 10 8h4.46l-3.05-3.812A.5.5 0 0 0 11.02 4H4.98zm9.954 5H10.45a2.5 2.5 0 0 1-4.9 0H1.066l.32 2.562a.5.5 0 0 0 .497.438h12.234a.5.5 0 0 0 .496-.438L14.933 9zM3.809 3.563A1.5 1.5 0 0 1 4.981 3h6.038a1.5 1.5 0 0 1 1.172.563l3.7 4.625a.5.5 0 0 1 .105.374l-.39 3.124A1.5 1.5 0 0 1 14.117 13H1.883a1.5 1.5 0 0 1-1.489-1.314l-.39-3.124a.5.5 0 0 1 .106-.374l3.7-4.625z"/&gt;');// eslint-disable-next-line
var BIconInboxFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('InboxFill','&lt;path d="M4.98 4a.5.5 0 0 0-.39.188L1.54 8H6a.5.5 0 0 1 .5.5 1.5 1.5 0 1 0 3 0A.5.5 0 0 1 10 8h4.46l-3.05-3.812A.5.5 0 0 0 11.02 4H4.98zm-1.17-.437A1.5 1.5 0 0 1 4.98 3h6.04a1.5 1.5 0 0 1 1.17.563l3.7 4.625a.5.5 0 0 1 .106.374l-.39 3.124A1.5 1.5 0 0 1 14.117 13H1.883a1.5 1.5 0 0 1-1.489-1.314l-.39-3.124a.5.5 0 0 1 .106-.374l3.7-4.625z"/&gt;');// eslint-disable-next-line
var BIconInboxes=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Inboxes','&lt;path d="M4.98 1a.5.5 0 0 0-.39.188L1.54 5H6a.5.5 0 0 1 .5.5 1.5 1.5 0 0 0 3 0A.5.5 0 0 1 10 5h4.46l-3.05-3.812A.5.5 0 0 0 11.02 1H4.98zm9.954 5H10.45a2.5 2.5 0 0 1-4.9 0H1.066l.32 2.562A.5.5 0 0 0 1.884 9h12.234a.5.5 0 0 0 .496-.438L14.933 6zM3.809.563A1.5 1.5 0 0 1 4.981 0h6.038a1.5 1.5 0 0 1 1.172.563l3.7 4.625a.5.5 0 0 1 .105.374l-.39 3.124A1.5 1.5 0 0 1 14.117 10H1.883A1.5 1.5 0 0 1 .394 8.686l-.39-3.124a.5.5 0 0 1 .106-.374L3.81.563zM.125 11.17A.5.5 0 0 1 .5 11H6a.5.5 0 0 1 .5.5 1.5 1.5 0 0 0 3 0 .5.5 0 0 1 .5-.5h5.5a.5.5 0 0 1 .496.562l-.39 3.124A1.5 1.5 0 0 1 14.117 16H1.883a1.5 1.5 0 0 1-1.489-1.314l-.39-3.124a.5.5 0 0 1 .121-.393zm.941.83.32 2.562a.5.5 0 0 0 .497.438h12.234a.5.5 0 0 0 .496-.438l.32-2.562H10.45a2.5 2.5 0 0 1-4.9 0H1.066z"/&gt;');// eslint-disable-next-line
var BIconInboxesFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('InboxesFill','&lt;path d="M4.98 1a.5.5 0 0 0-.39.188L1.54 5H6a.5.5 0 0 1 .5.5 1.5 1.5 0 0 0 3 0A.5.5 0 0 1 10 5h4.46l-3.05-3.812A.5.5 0 0 0 11.02 1H4.98zM3.81.563A1.5 1.5 0 0 1 4.98 0h6.04a1.5 1.5 0 0 1 1.17.563l3.7 4.625a.5.5 0 0 1 .106.374l-.39 3.124A1.5 1.5 0 0 1 14.117 10H1.883A1.5 1.5 0 0 1 .394 8.686l-.39-3.124a.5.5 0 0 1 .106-.374L3.81.563zM.125 11.17A.5.5 0 0 1 .5 11H6a.5.5 0 0 1 .5.5 1.5 1.5 0 0 0 3 0 .5.5 0 0 1 .5-.5h5.5a.5.5 0 0 1 .496.562l-.39 3.124A1.5 1.5 0 0 1 14.117 16H1.883a1.5 1.5 0 0 1-1.489-1.314l-.39-3.124a.5.5 0 0 1 .121-.393z"/&gt;');// eslint-disable-next-line
var BIconInfo=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Info','&lt;path d="m8.93 6.588-2.29.287-.082.38.45.083c.294.07.352.176.288.469l-.738 3.468c-.194.897.105 1.319.808 1.319.545 0 1.178-.252 1.465-.598l.088-.416c-.2.176-.492.246-.686.246-.275 0-.375-.193-.304-.533L8.93 6.588zM9 4.5a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconInfoCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('InfoCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="m8.93 6.588-2.29.287-.082.38.45.083c.294.07.352.176.288.469l-.738 3.468c-.194.897.105 1.319.808 1.319.545 0 1.178-.252 1.465-.598l.088-.416c-.2.176-.492.246-.686.246-.275 0-.375-.193-.304-.533L8.93 6.588zM9 4.5a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconInfoCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('InfoCircleFill','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zm.93-9.412-1 4.705c-.07.34.029.533.304.533.194 0 .487-.07.686-.246l-.088.416c-.287.346-.92.598-1.465.598-.703 0-1.002-.422-.808-1.319l.738-3.468c.064-.293.006-.399-.287-.47l-.451-.081.082-.381 2.29-.287zM8 5.5a1 1 0 1 1 0-2 1 1 0 0 1 0 2z"/&gt;');// eslint-disable-next-line
var BIconInfoLg=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('InfoLg','&lt;path d="m10.277 5.433-4.031.505-.145.67.794.145c.516.123.619.309.505.824L6.101 13.68c-.34 1.578.186 2.32 1.423 2.32.959 0 2.072-.443 2.577-1.052l.155-.732c-.35.31-.866.434-1.206.434-.485 0-.66-.34-.536-.939l1.763-8.278zm.122-3.673a1.76 1.76 0 1 1-3.52 0 1.76 1.76 0 0 1 3.52 0z"/&gt;');// eslint-disable-next-line
var BIconInfoSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('InfoSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="m8.93 6.588-2.29.287-.082.38.45.083c.294.07.352.176.288.469l-.738 3.468c-.194.897.105 1.319.808 1.319.545 0 1.178-.252 1.465-.598l.088-.416c-.2.176-.492.246-.686.246-.275 0-.375-.193-.304-.533L8.93 6.588zM9 4.5a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconInfoSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('InfoSquareFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm8.93 4.588-2.29.287-.082.38.45.083c.294.07.352.176.288.469l-.738 3.468c-.194.897.105 1.319.808 1.319.545 0 1.178-.252 1.465-.598l.088-.416c-.2.176-.492.246-.686.246-.275 0-.375-.193-.304-.533L8.93 6.588zM8 5.5a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconInputCursor=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('InputCursor','&lt;path d="M10 5h4a1 1 0 0 1 1 1v4a1 1 0 0 1-1 1h-4v1h4a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2h-4v1zM6 5V4H2a2 2 0 0 0-2 2v4a2 2 0 0 0 2 2h4v-1H2a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h4z"/&gt;&lt;path fill-rule="evenodd" d="M8 1a.5.5 0 0 1 .5.5v13a.5.5 0 0 1-1 0v-13A.5.5 0 0 1 8 1z"/&gt;');// eslint-disable-next-line
var BIconInputCursorText=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('InputCursorText','&lt;path fill-rule="evenodd" d="M5 2a.5.5 0 0 1 .5-.5c.862 0 1.573.287 2.06.566.174.099.321.198.44.286.119-.088.266-.187.44-.286A4.165 4.165 0 0 1 10.5 1.5a.5.5 0 0 1 0 1c-.638 0-1.177.213-1.564.434a3.49 3.49 0 0 0-.436.294V7.5H9a.5.5 0 0 1 0 1h-.5v4.272c.1.08.248.187.436.294.387.221.926.434 1.564.434a.5.5 0 0 1 0 1 4.165 4.165 0 0 1-2.06-.566A4.561 4.561 0 0 1 8 13.65a4.561 4.561 0 0 1-.44.285 4.165 4.165 0 0 1-2.06.566.5.5 0 0 1 0-1c.638 0 1.177-.213 1.564-.434.188-.107.335-.214.436-.294V8.5H7a.5.5 0 0 1 0-1h.5V3.228a3.49 3.49 0 0 0-.436-.294A3.166 3.166 0 0 0 5.5 2.5.5.5 0 0 1 5 2z"/&gt;&lt;path d="M10 5h4a1 1 0 0 1 1 1v4a1 1 0 0 1-1 1h-4v1h4a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2h-4v1zM6 5V4H2a2 2 0 0 0-2 2v4a2 2 0 0 0 2 2h4v-1H2a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h4z"/&gt;');// eslint-disable-next-line
var BIconInstagram=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Instagram','&lt;path d="M8 0C5.829 0 5.556.01 4.703.048 3.85.088 3.269.222 2.76.42a3.917 3.917 0 0 0-1.417.923A3.927 3.927 0 0 0 .42 2.76C.222 3.268.087 3.85.048 4.7.01 5.555 0 5.827 0 8.001c0 2.172.01 2.444.048 3.297.04.852.174 1.433.372 1.942.205.526.478.972.923 1.417.444.445.89.719 1.416.923.51.198 1.09.333 1.942.372C5.555 15.99 5.827 16 8 16s2.444-.01 3.298-.048c.851-.04 1.434-.174 1.943-.372a3.916 3.916 0 0 0 1.416-.923c.445-.445.718-.891.923-1.417.197-.509.332-1.09.372-1.942C15.99 10.445 16 10.173 16 8s-.01-2.445-.048-3.299c-.04-.851-.175-1.433-.372-1.941a3.926 3.926 0 0 0-.923-1.417A3.911 3.911 0 0 0 13.24.42c-.51-.198-1.092-.333-1.943-.372C10.443.01 10.172 0 7.998 0h.003zm-.717 1.442h.718c2.136 0 2.389.007 3.232.046.78.035 1.204.166 1.486.275.373.145.64.319.92.599.28.28.453.546.598.92.11.281.24.705.275 1.485.039.843.047 1.096.047 3.231s-.008 2.389-.047 3.232c-.035.78-.166 1.203-.275 1.485a2.47 2.47 0 0 1-.599.919c-.28.28-.546.453-.92.598-.28.11-.704.24-1.485.276-.843.038-1.096.047-3.232.047s-2.39-.009-3.233-.047c-.78-.036-1.203-.166-1.485-.276a2.478 2.478 0 0 1-.92-.598 2.48 2.48 0 0 1-.6-.92c-.109-.281-.24-.705-.275-1.485-.038-.843-.046-1.096-.046-3.233 0-2.136.008-2.388.046-3.231.036-.78.166-1.204.276-1.486.145-.373.319-.64.599-.92.28-.28.546-.453.92-.598.282-.11.705-.24 1.485-.276.738-.034 1.024-.044 2.515-.045v.002zm4.988 1.328a.96.96 0 1 0 0 1.92.96.96 0 0 0 0-1.92zm-4.27 1.122a4.109 4.109 0 1 0 0 8.217 4.109 4.109 0 0 0 0-8.217zm0 1.441a2.667 2.667 0 1 1 0 5.334 2.667 2.667 0 0 1 0-5.334z"/&gt;');// eslint-disable-next-line
var BIconIntersect=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Intersect','&lt;path d="M0 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v2h2a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H6a2 2 0 0 1-2-2v-2H2a2 2 0 0 1-2-2V2zm5 10v2a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V6a1 1 0 0 0-1-1h-2v5a2 2 0 0 1-2 2H5zm6-8V2a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h2V6a2 2 0 0 1 2-2h5z"/&gt;');// eslint-disable-next-line
var BIconJournal=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Journal','&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalAlbum=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalAlbum','&lt;path d="M5.5 4a.5.5 0 0 0-.5.5v5a.5.5 0 0 0 .5.5h5a.5.5 0 0 0 .5-.5v-5a.5.5 0 0 0-.5-.5h-5zm1 7a.5.5 0 0 0 0 1h3a.5.5 0 0 0 0-1h-3z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalArrowDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalArrowDown','&lt;path fill-rule="evenodd" d="M8 5a.5.5 0 0 1 .5.5v3.793l1.146-1.147a.5.5 0 0 1 .708.708l-2 2a.5.5 0 0 1-.708 0l-2-2a.5.5 0 1 1 .708-.708L7.5 9.293V5.5A.5.5 0 0 1 8 5z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalArrowUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalArrowUp','&lt;path fill-rule="evenodd" d="M8 11a.5.5 0 0 0 .5-.5V6.707l1.146 1.147a.5.5 0 0 0 .708-.708l-2-2a.5.5 0 0 0-.708 0l-2 2a.5.5 0 1 0 .708.708L7.5 6.707V10.5a.5.5 0 0 0 .5.5z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalBookmark=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalBookmark','&lt;path fill-rule="evenodd" d="M6 8V1h1v6.117L8.743 6.07a.5.5 0 0 1 .514 0L11 7.117V1h1v7a.5.5 0 0 1-.757.429L9 7.083 6.757 8.43A.5.5 0 0 1 6 8z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalBookmarkFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalBookmarkFill','&lt;path fill-rule="evenodd" d="M6 1h6v7a.5.5 0 0 1-.757.429L9 7.083 6.757 8.43A.5.5 0 0 1 6 8V1z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalCheck','&lt;path fill-rule="evenodd" d="M10.854 6.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7.5 8.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalCode=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalCode','&lt;path fill-rule="evenodd" d="M8.646 5.646a.5.5 0 0 1 .708 0l2 2a.5.5 0 0 1 0 .708l-2 2a.5.5 0 0 1-.708-.708L10.293 8 8.646 6.354a.5.5 0 0 1 0-.708zm-1.292 0a.5.5 0 0 0-.708 0l-2 2a.5.5 0 0 0 0 .708l2 2a.5.5 0 0 0 .708-.708L5.707 8l1.647-1.646a.5.5 0 0 0 0-.708z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalMedical=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalMedical','&lt;path fill-rule="evenodd" d="M8 4a.5.5 0 0 1 .5.5v.634l.549-.317a.5.5 0 1 1 .5.866L9 6l.549.317a.5.5 0 1 1-.5.866L8.5 6.866V7.5a.5.5 0 0 1-1 0v-.634l-.549.317a.5.5 0 1 1-.5-.866L7 6l-.549-.317a.5.5 0 0 1 .5-.866l.549.317V4.5A.5.5 0 0 1 8 4zM5 9.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalMinus','&lt;path fill-rule="evenodd" d="M5.5 8a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalPlus','&lt;path fill-rule="evenodd" d="M8 5.5a.5.5 0 0 1 .5.5v1.5H10a.5.5 0 0 1 0 1H8.5V10a.5.5 0 0 1-1 0V8.5H6a.5.5 0 0 1 0-1h1.5V6a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalRichtext=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalRichtext','&lt;path d="M7.5 3.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm-.861 1.542 1.33.886 1.854-1.855a.25.25 0 0 1 .289-.047L11 4.75V7a.5.5 0 0 1-.5.5h-5A.5.5 0 0 1 5 7v-.5s1.54-1.274 1.639-1.208zM5 9.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalText=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalText','&lt;path d="M5 10.5a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5zm0-2a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm0-2a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm0-2a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournalX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JournalX','&lt;path fill-rule="evenodd" d="M6.146 6.146a.5.5 0 0 1 .708 0L8 7.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 8l1.147 1.146a.5.5 0 0 1-.708.708L8 8.707 6.854 9.854a.5.5 0 0 1-.708-.708L7.293 8 6.146 6.854a.5.5 0 0 1 0-.708z"/&gt;&lt;path d="M3 0h10a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-1h1v1a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1v1H1V2a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 5v-.5a.5.5 0 0 1 1 0V5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V8h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0v.5h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1z"/&gt;');// eslint-disable-next-line
var BIconJournals=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Journals','&lt;path d="M5 0h8a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2 2 2 0 0 1-2 2H3a2 2 0 0 1-2-2h1a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H3a1 1 0 0 0-1 1H1a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v9a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H5a1 1 0 0 0-1 1H3a2 2 0 0 1 2-2z"/&gt;&lt;path d="M1 6v-.5a.5.5 0 0 1 1 0V6h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 3v-.5a.5.5 0 0 1 1 0V9h.5a.5.5 0 0 1 0 1h-2a.5.5 0 0 1 0-1H1zm0 2.5v.5H.5a.5.5 0 0 0 0 1h2a.5.5 0 0 0 0-1H2v-.5a.5.5 0 0 0-1 0z"/&gt;');// eslint-disable-next-line
var BIconJoystick=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Joystick','&lt;path d="M10 2a2 2 0 0 1-1.5 1.937v5.087c.863.083 1.5.377 1.5.726 0 .414-.895.75-2 .75s-2-.336-2-.75c0-.35.637-.643 1.5-.726V3.937A2 2 0 1 1 10 2z"/&gt;&lt;path d="M0 9.665v1.717a1 1 0 0 0 .553.894l6.553 3.277a2 2 0 0 0 1.788 0l6.553-3.277a1 1 0 0 0 .553-.894V9.665c0-.1-.06-.19-.152-.23L9.5 6.715v.993l5.227 2.178a.125.125 0 0 1 .001.23l-5.94 2.546a2 2 0 0 1-1.576 0l-5.94-2.546a.125.125 0 0 1 .001-.23L6.5 7.708l-.013-.988L.152 9.435a.25.25 0 0 0-.152.23z"/&gt;');// eslint-disable-next-line
var BIconJustify=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Justify','&lt;path fill-rule="evenodd" d="M2 12.5a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconJustifyLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JustifyLeft','&lt;path fill-rule="evenodd" d="M2 12.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconJustifyRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('JustifyRight','&lt;path fill-rule="evenodd" d="M6 12.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm-4-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconKanban=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Kanban','&lt;path d="M13.5 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1h-11a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h11zm-11-1a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h11a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2h-11z"/&gt;&lt;path d="M6.5 3a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1h-1a1 1 0 0 1-1-1V3zm-4 0a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v7a1 1 0 0 1-1 1h-1a1 1 0 0 1-1-1V3zm8 0a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v10a1 1 0 0 1-1 1h-1a1 1 0 0 1-1-1V3z"/&gt;');// eslint-disable-next-line
var BIconKanbanFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('KanbanFill','&lt;path d="M2.5 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h11a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2h-11zm5 2h1a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1h-1a1 1 0 0 1-1-1V3a1 1 0 0 1 1-1zm-5 1a1 1 0 0 1 1-1h1a1 1 0 0 1 1 1v7a1 1 0 0 1-1 1h-1a1 1 0 0 1-1-1V3zm9-1h1a1 1 0 0 1 1 1v10a1 1 0 0 1-1 1h-1a1 1 0 0 1-1-1V3a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconKey=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Key','&lt;path d="M0 8a4 4 0 0 1 7.465-2H14a.5.5 0 0 1 .354.146l1.5 1.5a.5.5 0 0 1 0 .708l-1.5 1.5a.5.5 0 0 1-.708 0L13 9.207l-.646.647a.5.5 0 0 1-.708 0L11 9.207l-.646.647a.5.5 0 0 1-.708 0L9 9.207l-.646.647A.5.5 0 0 1 8 10h-.535A4 4 0 0 1 0 8zm4-3a3 3 0 1 0 2.712 4.285A.5.5 0 0 1 7.163 9h.63l.853-.854a.5.5 0 0 1 .708 0l.646.647.646-.647a.5.5 0 0 1 .708 0l.646.647.646-.647a.5.5 0 0 1 .708 0l.646.647.793-.793-1-1h-6.63a.5.5 0 0 1-.451-.285A3 3 0 0 0 4 5z"/&gt;&lt;path d="M4 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconKeyFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('KeyFill','&lt;path d="M3.5 11.5a3.5 3.5 0 1 1 3.163-5H14L15.5 8 14 9.5l-1-1-1 1-1-1-1 1-1-1-1 1H6.663a3.5 3.5 0 0 1-3.163 2zM2.5 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconKeyboard=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Keyboard','&lt;path d="M14 5a1 1 0 0 1 1 1v5a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h12zM2 4a2 2 0 0 0-2 2v5a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V6a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M13 10.25a.25.25 0 0 1 .25-.25h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5a.25.25 0 0 1-.25-.25v-.5zm0-2a.25.25 0 0 1 .25-.25h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5a.25.25 0 0 1-.25-.25v-.5zm-5 0A.25.25 0 0 1 8.25 8h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5A.25.25 0 0 1 8 8.75v-.5zm2 0a.25.25 0 0 1 .25-.25h1.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-1.5a.25.25 0 0 1-.25-.25v-.5zm1 2a.25.25 0 0 1 .25-.25h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5a.25.25 0 0 1-.25-.25v-.5zm-5-2A.25.25 0 0 1 6.25 8h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5A.25.25 0 0 1 6 8.75v-.5zm-2 0A.25.25 0 0 1 4.25 8h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5A.25.25 0 0 1 4 8.75v-.5zm-2 0A.25.25 0 0 1 2.25 8h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5A.25.25 0 0 1 2 8.75v-.5zm11-2a.25.25 0 0 1 .25-.25h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5a.25.25 0 0 1-.25-.25v-.5zm-2 0a.25.25 0 0 1 .25-.25h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5a.25.25 0 0 1-.25-.25v-.5zm-2 0A.25.25 0 0 1 9.25 6h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5A.25.25 0 0 1 9 6.75v-.5zm-2 0A.25.25 0 0 1 7.25 6h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5A.25.25 0 0 1 7 6.75v-.5zm-2 0A.25.25 0 0 1 5.25 6h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5A.25.25 0 0 1 5 6.75v-.5zm-3 0A.25.25 0 0 1 2.25 6h1.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-1.5A.25.25 0 0 1 2 6.75v-.5zm0 4a.25.25 0 0 1 .25-.25h.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-.5a.25.25 0 0 1-.25-.25v-.5zm2 0a.25.25 0 0 1 .25-.25h5.5a.25.25 0 0 1 .25.25v.5a.25.25 0 0 1-.25.25h-5.5a.25.25 0 0 1-.25-.25v-.5z"/&gt;');// eslint-disable-next-line
var BIconKeyboardFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('KeyboardFill','&lt;path d="M0 6a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V6zm13 .25v.5c0 .138.112.25.25.25h.5a.25.25 0 0 0 .25-.25v-.5a.25.25 0 0 0-.25-.25h-.5a.25.25 0 0 0-.25.25zM2.25 8a.25.25 0 0 0-.25.25v.5c0 .138.112.25.25.25h.5A.25.25 0 0 0 3 8.75v-.5A.25.25 0 0 0 2.75 8h-.5zM4 8.25v.5c0 .138.112.25.25.25h.5A.25.25 0 0 0 5 8.75v-.5A.25.25 0 0 0 4.75 8h-.5a.25.25 0 0 0-.25.25zM6.25 8a.25.25 0 0 0-.25.25v.5c0 .138.112.25.25.25h.5A.25.25 0 0 0 7 8.75v-.5A.25.25 0 0 0 6.75 8h-.5zM8 8.25v.5c0 .138.112.25.25.25h.5A.25.25 0 0 0 9 8.75v-.5A.25.25 0 0 0 8.75 8h-.5a.25.25 0 0 0-.25.25zM13.25 8a.25.25 0 0 0-.25.25v.5c0 .138.112.25.25.25h.5a.25.25 0 0 0 .25-.25v-.5a.25.25 0 0 0-.25-.25h-.5zm0 2a.25.25 0 0 0-.25.25v.5c0 .138.112.25.25.25h.5a.25.25 0 0 0 .25-.25v-.5a.25.25 0 0 0-.25-.25h-.5zm-3-2a.25.25 0 0 0-.25.25v.5c0 .138.112.25.25.25h1.5a.25.25 0 0 0 .25-.25v-.5a.25.25 0 0 0-.25-.25h-1.5zm.75 2.25v.5c0 .138.112.25.25.25h.5a.25.25 0 0 0 .25-.25v-.5a.25.25 0 0 0-.25-.25h-.5a.25.25 0 0 0-.25.25zM11.25 6a.25.25 0 0 0-.25.25v.5c0 .138.112.25.25.25h.5a.25.25 0 0 0 .25-.25v-.5a.25.25 0 0 0-.25-.25h-.5zM9 6.25v.5c0 .138.112.25.25.25h.5a.25.25 0 0 0 .25-.25v-.5A.25.25 0 0 0 9.75 6h-.5a.25.25 0 0 0-.25.25zM7.25 6a.25.25 0 0 0-.25.25v.5c0 .138.112.25.25.25h.5A.25.25 0 0 0 8 6.75v-.5A.25.25 0 0 0 7.75 6h-.5zM5 6.25v.5c0 .138.112.25.25.25h.5A.25.25 0 0 0 6 6.75v-.5A.25.25 0 0 0 5.75 6h-.5a.25.25 0 0 0-.25.25zM2.25 6a.25.25 0 0 0-.25.25v.5c0 .138.112.25.25.25h1.5A.25.25 0 0 0 4 6.75v-.5A.25.25 0 0 0 3.75 6h-1.5zM2 10.25v.5c0 .138.112.25.25.25h.5a.25.25 0 0 0 .25-.25v-.5a.25.25 0 0 0-.25-.25h-.5a.25.25 0 0 0-.25.25zM4.25 10a.25.25 0 0 0-.25.25v.5c0 .138.112.25.25.25h5.5a.25.25 0 0 0 .25-.25v-.5a.25.25 0 0 0-.25-.25h-5.5z"/&gt;');// eslint-disable-next-line
var BIconLadder=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Ladder','&lt;path d="M4.5 1a.5.5 0 0 1 .5.5V2h6v-.5a.5.5 0 0 1 1 0v14a.5.5 0 0 1-1 0V15H5v.5a.5.5 0 0 1-1 0v-14a.5.5 0 0 1 .5-.5zM5 14h6v-2H5v2zm0-3h6V9H5v2zm0-3h6V6H5v2zm0-3h6V3H5v2z"/&gt;');// eslint-disable-next-line
var BIconLamp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Lamp','&lt;path d="M13 3v4H3V3h10zM3 2a1 1 0 0 0-1 1v4a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H3zm4.5-1 .276-.553a.25.25 0 0 1 .448 0L8.5 1h-1zm-.012 9h1.024c.337.646.677 1.33.95 1.949.176.396.318.75.413 1.042.048.146.081.266.102.36A1.347 1.347 0 0 1 10 13.5c0 .665-.717 1.5-2 1.5s-2-.835-2-1.5c0 0 0-.013.004-.039.003-.027.01-.063.02-.11.02-.094.053-.214.1-.36.096-.291.238-.646.413-1.042.274-.62.614-1.303.95-1.949zm1.627-1h-2.23C6.032 10.595 5 12.69 5 13.5 5 14.88 6.343 16 8 16s3-1.12 3-2.5c0-.81-1.032-2.905-1.885-4.5z"/&gt;');// eslint-disable-next-line
var BIconLampFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LampFill','&lt;path d="M2 3a1 1 0 0 1 1-1h10a1 1 0 0 1 1 1v4a1 1 0 0 1-1 1H3a1 1 0 0 1-1-1V3zm5.5-2 .276-.553a.25.25 0 0 1 .448 0L8.5 1h-1zm-.615 8h2.23C9.968 10.595 11 12.69 11 13.5c0 1.38-1.343 2.5-3 2.5s-3-1.12-3-2.5c0-.81 1.032-2.905 1.885-4.5z"/&gt;');// eslint-disable-next-line
var BIconLaptop=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Laptop','&lt;path d="M13.5 3a.5.5 0 0 1 .5.5V11H2V3.5a.5.5 0 0 1 .5-.5h11zm-11-1A1.5 1.5 0 0 0 1 3.5V12h14V3.5A1.5 1.5 0 0 0 13.5 2h-11zM0 12.5h16a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 0 12.5z"/&gt;');// eslint-disable-next-line
var BIconLaptopFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LaptopFill','&lt;path d="M2.5 2A1.5 1.5 0 0 0 1 3.5V12h14V3.5A1.5 1.5 0 0 0 13.5 2h-11zM0 12.5h16a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 0 12.5z"/&gt;');// eslint-disable-next-line
var BIconLayerBackward=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayerBackward','&lt;path d="M8.354 15.854a.5.5 0 0 1-.708 0l-3-3a.5.5 0 0 1 0-.708l1-1a.5.5 0 0 1 .708 0l.646.647V4H1a1 1 0 0 1-1-1V1a1 1 0 0 1 1-1h14a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1H9v7.793l.646-.647a.5.5 0 0 1 .708 0l1 1a.5.5 0 0 1 0 .708l-3 3z"/&gt;&lt;path d="M1 9a1 1 0 0 1-1-1V6a1 1 0 0 1 1-1h4.5a.5.5 0 0 1 0 1H1v2h4.5a.5.5 0 0 1 0 1H1zm9.5 0a.5.5 0 0 1 0-1H15V6h-4.5a.5.5 0 0 1 0-1H15a1 1 0 0 1 1 1v2a1 1 0 0 1-1 1h-4.5z"/&gt;');// eslint-disable-next-line
var BIconLayerForward=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayerForward','&lt;path d="M8.354.146a.5.5 0 0 0-.708 0l-3 3a.5.5 0 0 0 0 .708l1 1a.5.5 0 0 0 .708 0L7 4.207V12H1a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h14a1 1 0 0 0 1-1v-2a1 1 0 0 0-1-1H9V4.207l.646.647a.5.5 0 0 0 .708 0l1-1a.5.5 0 0 0 0-.708l-3-3z"/&gt;&lt;path d="M1 7a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h4.5a.5.5 0 0 0 0-1H1V8h4.5a.5.5 0 0 0 0-1H1zm9.5 0a.5.5 0 0 0 0 1H15v2h-4.5a.5.5 0 0 0 0 1H15a1 1 0 0 0 1-1V8a1 1 0 0 0-1-1h-4.5z"/&gt;');// eslint-disable-next-line
var BIconLayers=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Layers','&lt;path d="M8.235 1.559a.5.5 0 0 0-.47 0l-7.5 4a.5.5 0 0 0 0 .882L3.188 8 .264 9.559a.5.5 0 0 0 0 .882l7.5 4a.5.5 0 0 0 .47 0l7.5-4a.5.5 0 0 0 0-.882L12.813 8l2.922-1.559a.5.5 0 0 0 0-.882l-7.5-4zm3.515 7.008L14.438 10 8 13.433 1.562 10 4.25 8.567l3.515 1.874a.5.5 0 0 0 .47 0l3.515-1.874zM8 9.433 1.562 6 8 2.567 14.438 6 8 9.433z"/&gt;');// eslint-disable-next-line
var BIconLayersFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayersFill','&lt;path d="M7.765 1.559a.5.5 0 0 1 .47 0l7.5 4a.5.5 0 0 1 0 .882l-7.5 4a.5.5 0 0 1-.47 0l-7.5-4a.5.5 0 0 1 0-.882l7.5-4z"/&gt;&lt;path d="m2.125 8.567-1.86.992a.5.5 0 0 0 0 .882l7.5 4a.5.5 0 0 0 .47 0l7.5-4a.5.5 0 0 0 0-.882l-1.86-.992-5.17 2.756a1.5 1.5 0 0 1-1.41 0l-5.17-2.756z"/&gt;');// eslint-disable-next-line
var BIconLayersHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayersHalf','&lt;path d="M8.235 1.559a.5.5 0 0 0-.47 0l-7.5 4a.5.5 0 0 0 0 .882L3.188 8 .264 9.559a.5.5 0 0 0 0 .882l7.5 4a.5.5 0 0 0 .47 0l7.5-4a.5.5 0 0 0 0-.882L12.813 8l2.922-1.559a.5.5 0 0 0 0-.882l-7.5-4zM8 9.433 1.562 6 8 2.567 14.438 6 8 9.433z"/&gt;');// eslint-disable-next-line
var BIconLayoutSidebar=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutSidebar','&lt;path d="M0 3a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3zm5-1v12h9a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H5zM4 2H2a1 1 0 0 0-1 1v10a1 1 0 0 0 1 1h2V2z"/&gt;');// eslint-disable-next-line
var BIconLayoutSidebarInset=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutSidebarInset','&lt;path d="M14 2a1 1 0 0 1 1 1v10a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V3a1 1 0 0 1 1-1h12zM2 1a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V3a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M3 4a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V4z"/&gt;');// eslint-disable-next-line
var BIconLayoutSidebarInsetReverse=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutSidebarInsetReverse','&lt;path d="M2 2a1 1 0 0 0-1 1v10a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H2zm12-1a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2h12z"/&gt;&lt;path d="M13 4a1 1 0 0 0-1-1h-2a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1V4z"/&gt;');// eslint-disable-next-line
var BIconLayoutSidebarReverse=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutSidebarReverse','&lt;path d="M16 3a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V3zm-5-1v12H2a1 1 0 0 1-1-1V3a1 1 0 0 1 1-1h9zm1 0h2a1 1 0 0 1 1 1v10a1 1 0 0 1-1 1h-2V2z"/&gt;');// eslint-disable-next-line
var BIconLayoutSplit=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutSplit','&lt;path d="M0 3a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3zm8.5-1v12H14a1 1 0 0 0 1-1V3a1 1 0 0 0-1-1H8.5zm-1 0H2a1 1 0 0 0-1 1v10a1 1 0 0 0 1 1h5.5V2z"/&gt;');// eslint-disable-next-line
var BIconLayoutTextSidebar=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutTextSidebar','&lt;path d="M3.5 3a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5zm0 3a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5zM3 9.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm.5 2.5a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5z"/&gt;&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm12-1v14h2a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1h-2zm-1 0H2a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h9V1z"/&gt;');// eslint-disable-next-line
var BIconLayoutTextSidebarReverse=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutTextSidebarReverse','&lt;path d="M12.5 3a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1h5zm0 3a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1h5zm.5 3.5a.5.5 0 0 0-.5-.5h-5a.5.5 0 0 0 0 1h5a.5.5 0 0 0 .5-.5zm-.5 2.5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1h5z"/&gt;&lt;path d="M16 2a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2zM4 1v14H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h2zm1 0h9a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H5V1z"/&gt;');// eslint-disable-next-line
var BIconLayoutTextWindow=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutTextWindow','&lt;path d="M3 6.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm0 3a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm.5 2.5a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5z"/&gt;&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm12 1a1 1 0 0 1 1 1v1H1V2a1 1 0 0 1 1-1h12zm1 3v10a1 1 0 0 1-1 1h-2V4h3zm-4 0v11H2a1 1 0 0 1-1-1V4h10z"/&gt;');// eslint-disable-next-line
var BIconLayoutTextWindowReverse=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutTextWindowReverse','&lt;path d="M13 6.5a.5.5 0 0 0-.5-.5h-5a.5.5 0 0 0 0 1h5a.5.5 0 0 0 .5-.5zm0 3a.5.5 0 0 0-.5-.5h-5a.5.5 0 0 0 0 1h5a.5.5 0 0 0 .5-.5zm-.5 2.5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1 0-1h5z"/&gt;&lt;path d="M14 0a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h12zM2 1a1 1 0 0 0-1 1v1h14V2a1 1 0 0 0-1-1H2zM1 4v10a1 1 0 0 0 1 1h2V4H1zm4 0v11h9a1 1 0 0 0 1-1V4H5z"/&gt;');// eslint-disable-next-line
var BIconLayoutThreeColumns=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutThreeColumns','&lt;path d="M0 1.5A1.5 1.5 0 0 1 1.5 0h13A1.5 1.5 0 0 1 16 1.5v13a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 0 14.5v-13zM1.5 1a.5.5 0 0 0-.5.5v13a.5.5 0 0 0 .5.5H5V1H1.5zM10 15V1H6v14h4zm1 0h3.5a.5.5 0 0 0 .5-.5v-13a.5.5 0 0 0-.5-.5H11v14z"/&gt;');// eslint-disable-next-line
var BIconLayoutWtf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LayoutWtf','&lt;path d="M5 1v8H1V1h4zM1 0a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h4a1 1 0 0 0 1-1V1a1 1 0 0 0-1-1H1zm13 2v5H9V2h5zM9 1a1 1 0 0 0-1 1v5a1 1 0 0 0 1 1h5a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H9zM5 13v2H3v-2h2zm-2-1a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h2a1 1 0 0 0 1-1v-2a1 1 0 0 0-1-1H3zm12-1v2H9v-2h6zm-6-1a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h6a1 1 0 0 0 1-1v-2a1 1 0 0 0-1-1H9z"/&gt;');// eslint-disable-next-line
var BIconLifePreserver=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LifePreserver','&lt;path d="M8 16A8 8 0 1 0 8 0a8 8 0 0 0 0 16zm6.43-5.228a7.025 7.025 0 0 1-3.658 3.658l-1.115-2.788a4.015 4.015 0 0 0 1.985-1.985l2.788 1.115zM5.228 14.43a7.025 7.025 0 0 1-3.658-3.658l2.788-1.115a4.015 4.015 0 0 0 1.985 1.985L5.228 14.43zm9.202-9.202-2.788 1.115a4.015 4.015 0 0 0-1.985-1.985l1.115-2.788a7.025 7.025 0 0 1 3.658 3.658zm-8.087-.87a4.015 4.015 0 0 0-1.985 1.985L1.57 5.228A7.025 7.025 0 0 1 5.228 1.57l1.115 2.788zM8 11a3 3 0 1 1 0-6 3 3 0 0 1 0 6z"/&gt;');// eslint-disable-next-line
var BIconLightbulb=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Lightbulb','&lt;path d="M2 6a6 6 0 1 1 10.174 4.31c-.203.196-.359.4-.453.619l-.762 1.769A.5.5 0 0 1 10.5 13a.5.5 0 0 1 0 1 .5.5 0 0 1 0 1l-.224.447a1 1 0 0 1-.894.553H6.618a1 1 0 0 1-.894-.553L5.5 15a.5.5 0 0 1 0-1 .5.5 0 0 1 0-1 .5.5 0 0 1-.46-.302l-.761-1.77a1.964 1.964 0 0 0-.453-.618A5.984 5.984 0 0 1 2 6zm6-5a5 5 0 0 0-3.479 8.592c.263.254.514.564.676.941L5.83 12h4.342l.632-1.467c.162-.377.413-.687.676-.941A5 5 0 0 0 8 1z"/&gt;');// eslint-disable-next-line
var BIconLightbulbFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LightbulbFill','&lt;path d="M2 6a6 6 0 1 1 10.174 4.31c-.203.196-.359.4-.453.619l-.762 1.769A.5.5 0 0 1 10.5 13h-5a.5.5 0 0 1-.46-.302l-.761-1.77a1.964 1.964 0 0 0-.453-.618A5.984 5.984 0 0 1 2 6zm3 8.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1l-.224.447a1 1 0 0 1-.894.553H6.618a1 1 0 0 1-.894-.553L5.5 15a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconLightbulbOff=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LightbulbOff','&lt;path fill-rule="evenodd" d="M2.23 4.35A6.004 6.004 0 0 0 2 6c0 1.691.7 3.22 1.826 4.31.203.196.359.4.453.619l.762 1.769A.5.5 0 0 0 5.5 13a.5.5 0 0 0 0 1 .5.5 0 0 0 0 1l.224.447a1 1 0 0 0 .894.553h2.764a1 1 0 0 0 .894-.553L10.5 15a.5.5 0 0 0 0-1 .5.5 0 0 0 0-1 .5.5 0 0 0 .288-.091L9.878 12H5.83l-.632-1.467a2.954 2.954 0 0 0-.676-.941 4.984 4.984 0 0 1-1.455-4.405l-.837-.836zm1.588-2.653.708.707a5 5 0 0 1 7.07 7.07l.707.707a6 6 0 0 0-8.484-8.484zm-2.172-.051a.5.5 0 0 1 .708 0l12 12a.5.5 0 0 1-.708.708l-12-12a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconLightbulbOffFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LightbulbOffFill','&lt;path d="M2 6c0-.572.08-1.125.23-1.65l8.558 8.559A.5.5 0 0 1 10.5 13h-5a.5.5 0 0 1-.46-.302l-.761-1.77a1.964 1.964 0 0 0-.453-.618A5.984 5.984 0 0 1 2 6zm10.303 4.181L3.818 1.697a6 6 0 0 1 8.484 8.484zM5 14.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1l-.224.447a1 1 0 0 1-.894.553H6.618a1 1 0 0 1-.894-.553L5.5 15a.5.5 0 0 1-.5-.5zM2.354 1.646a.5.5 0 1 0-.708.708l12 12a.5.5 0 0 0 .708-.708l-12-12z"/&gt;');// eslint-disable-next-line
var BIconLightning=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Lightning','&lt;path d="M5.52.359A.5.5 0 0 1 6 0h4a.5.5 0 0 1 .474.658L8.694 6H12.5a.5.5 0 0 1 .395.807l-7 9a.5.5 0 0 1-.873-.454L6.823 9.5H3.5a.5.5 0 0 1-.48-.641l2.5-8.5zM6.374 1 4.168 8.5H7.5a.5.5 0 0 1 .478.647L6.78 13.04 11.478 7H8a.5.5 0 0 1-.474-.658L9.306 1H6.374z"/&gt;');// eslint-disable-next-line
var BIconLightningCharge=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LightningCharge','&lt;path d="M11.251.068a.5.5 0 0 1 .227.58L9.677 6.5H13a.5.5 0 0 1 .364.843l-8 8.5a.5.5 0 0 1-.842-.49L6.323 9.5H3a.5.5 0 0 1-.364-.843l8-8.5a.5.5 0 0 1 .615-.09zM4.157 8.5H7a.5.5 0 0 1 .478.647L6.11 13.59l5.732-6.09H9a.5.5 0 0 1-.478-.647L9.89 2.41 4.157 8.5z"/&gt;');// eslint-disable-next-line
var BIconLightningChargeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LightningChargeFill','&lt;path d="M11.251.068a.5.5 0 0 1 .227.58L9.677 6.5H13a.5.5 0 0 1 .364.843l-8 8.5a.5.5 0 0 1-.842-.49L6.323 9.5H3a.5.5 0 0 1-.364-.843l8-8.5a.5.5 0 0 1 .615-.09z"/&gt;');// eslint-disable-next-line
var BIconLightningFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LightningFill','&lt;path d="M5.52.359A.5.5 0 0 1 6 0h4a.5.5 0 0 1 .474.658L8.694 6H12.5a.5.5 0 0 1 .395.807l-7 9a.5.5 0 0 1-.873-.454L6.823 9.5H3.5a.5.5 0 0 1-.48-.641l2.5-8.5z"/&gt;');// eslint-disable-next-line
var BIconLink=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Link','&lt;path d="M6.354 5.5H4a3 3 0 0 0 0 6h3a3 3 0 0 0 2.83-4H9c-.086 0-.17.01-.25.031A2 2 0 0 1 7 10.5H4a2 2 0 1 1 0-4h1.535c.218-.376.495-.714.82-1z"/&gt;&lt;path d="M9 5.5a3 3 0 0 0-2.83 4h1.098A2 2 0 0 1 9 6.5h3a2 2 0 1 1 0 4h-1.535a4.02 4.02 0 0 1-.82 1H12a3 3 0 1 0 0-6H9z"/&gt;');// eslint-disable-next-line
var BIconLink45deg=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Link45deg','&lt;path d="M4.715 6.542 3.343 7.914a3 3 0 1 0 4.243 4.243l1.828-1.829A3 3 0 0 0 8.586 5.5L8 6.086a1.002 1.002 0 0 0-.154.199 2 2 0 0 1 .861 3.337L6.88 11.45a2 2 0 1 1-2.83-2.83l.793-.792a4.018 4.018 0 0 1-.128-1.287z"/&gt;&lt;path d="M6.586 4.672A3 3 0 0 0 7.414 9.5l.775-.776a2 2 0 0 1-.896-3.346L9.12 3.55a2 2 0 1 1 2.83 2.83l-.793.792c.112.42.155.855.128 1.287l1.372-1.372a3 3 0 1 0-4.243-4.243L6.586 4.672z"/&gt;');// eslint-disable-next-line
var BIconLinkedin=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Linkedin','&lt;path d="M0 1.146C0 .513.526 0 1.175 0h13.65C15.474 0 16 .513 16 1.146v13.708c0 .633-.526 1.146-1.175 1.146H1.175C.526 16 0 15.487 0 14.854V1.146zm4.943 12.248V6.169H2.542v7.225h2.401zm-1.2-8.212c.837 0 1.358-.554 1.358-1.248-.015-.709-.52-1.248-1.342-1.248-.822 0-1.359.54-1.359 1.248 0 .694.521 1.248 1.327 1.248h.016zm4.908 8.212V9.359c0-.216.016-.432.08-.586.173-.431.568-.878 1.232-.878.869 0 1.216.662 1.216 1.634v3.865h2.401V9.25c0-2.22-1.184-3.252-2.764-3.252-1.274 0-1.845.7-2.165 1.193v.025h-.016a5.54 5.54 0 0 1 .016-.025V6.169h-2.4c.03.678 0 7.225 0 7.225h2.4z"/&gt;');// eslint-disable-next-line
var BIconList=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('List','&lt;path fill-rule="evenodd" d="M2.5 12a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 0 1H3a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 0 1H3a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h10a.5.5 0 0 1 0 1H3a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconListCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ListCheck','&lt;path fill-rule="evenodd" d="M5 11.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zM3.854 2.146a.5.5 0 0 1 0 .708l-1.5 1.5a.5.5 0 0 1-.708 0l-.5-.5a.5.5 0 1 1 .708-.708L2 3.293l1.146-1.147a.5.5 0 0 1 .708 0zm0 4a.5.5 0 0 1 0 .708l-1.5 1.5a.5.5 0 0 1-.708 0l-.5-.5a.5.5 0 1 1 .708-.708L2 7.293l1.146-1.147a.5.5 0 0 1 .708 0zm0 4a.5.5 0 0 1 0 .708l-1.5 1.5a.5.5 0 0 1-.708 0l-.5-.5a.5.5 0 0 1 .708-.708l.146.147 1.146-1.147a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconListNested=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ListNested','&lt;path fill-rule="evenodd" d="M4.5 11.5A.5.5 0 0 1 5 11h10a.5.5 0 0 1 0 1H5a.5.5 0 0 1-.5-.5zm-2-4A.5.5 0 0 1 3 7h10a.5.5 0 0 1 0 1H3a.5.5 0 0 1-.5-.5zm-2-4A.5.5 0 0 1 1 3h10a.5.5 0 0 1 0 1H1a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconListOl=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ListOl','&lt;path fill-rule="evenodd" d="M5 11.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M1.713 11.865v-.474H2c.217 0 .363-.137.363-.317 0-.185-.158-.31-.361-.31-.223 0-.367.152-.373.31h-.59c.016-.467.373-.787.986-.787.588-.002.954.291.957.703a.595.595 0 0 1-.492.594v.033a.615.615 0 0 1 .569.631c.003.533-.502.8-1.051.8-.656 0-1-.37-1.008-.794h.582c.008.178.186.306.422.309.254 0 .424-.145.422-.35-.002-.195-.155-.348-.414-.348h-.3zm-.004-4.699h-.604v-.035c0-.408.295-.844.958-.844.583 0 .96.326.96.756 0 .389-.257.617-.476.848l-.537.572v.03h1.054V9H1.143v-.395l.957-.99c.138-.142.293-.304.293-.508 0-.18-.147-.32-.342-.32a.33.33 0 0 0-.342.338v.041zM2.564 5h-.635V2.924h-.031l-.598.42v-.567l.629-.443h.635V5z"/&gt;');// eslint-disable-next-line
var BIconListStars=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ListStars','&lt;path fill-rule="evenodd" d="M5 11.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M2.242 2.194a.27.27 0 0 1 .516 0l.162.53c.035.115.14.194.258.194h.551c.259 0 .37.333.164.493l-.468.363a.277.277 0 0 0-.094.3l.173.569c.078.256-.213.462-.423.3l-.417-.324a.267.267 0 0 0-.328 0l-.417.323c-.21.163-.5-.043-.423-.299l.173-.57a.277.277 0 0 0-.094-.299l-.468-.363c-.206-.16-.095-.493.164-.493h.55a.271.271 0 0 0 .259-.194l.162-.53zm0 4a.27.27 0 0 1 .516 0l.162.53c.035.115.14.194.258.194h.551c.259 0 .37.333.164.493l-.468.363a.277.277 0 0 0-.094.3l.173.569c.078.255-.213.462-.423.3l-.417-.324a.267.267 0 0 0-.328 0l-.417.323c-.21.163-.5-.043-.423-.299l.173-.57a.277.277 0 0 0-.094-.299l-.468-.363c-.206-.16-.095-.493.164-.493h.55a.271.271 0 0 0 .259-.194l.162-.53zm0 4a.27.27 0 0 1 .516 0l.162.53c.035.115.14.194.258.194h.551c.259 0 .37.333.164.493l-.468.363a.277.277 0 0 0-.094.3l.173.569c.078.255-.213.462-.423.3l-.417-.324a.267.267 0 0 0-.328 0l-.417.323c-.21.163-.5-.043-.423-.299l.173-.57a.277.277 0 0 0-.094-.299l-.468-.363c-.206-.16-.095-.493.164-.493h.55a.271.271 0 0 0 .259-.194l.162-.53z"/&gt;');// eslint-disable-next-line
var BIconListTask=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ListTask','&lt;path fill-rule="evenodd" d="M2 2.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5V3a.5.5 0 0 0-.5-.5H2zM3 3H2v1h1V3z"/&gt;&lt;path d="M5 3.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zM5.5 7a.5.5 0 0 0 0 1h9a.5.5 0 0 0 0-1h-9zm0 4a.5.5 0 0 0 0 1h9a.5.5 0 0 0 0-1h-9z"/&gt;&lt;path fill-rule="evenodd" d="M1.5 7a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5H2a.5.5 0 0 1-.5-.5V7zM2 7h1v1H2V7zm0 3.5a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5H2zm1 .5H2v1h1v-1z"/&gt;');// eslint-disable-next-line
var BIconListUl=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ListUl','&lt;path fill-rule="evenodd" d="M5 11.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0-4a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm-3 1a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm0 4a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm0 4a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconLock=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Lock','&lt;path d="M8 1a2 2 0 0 1 2 2v4H6V3a2 2 0 0 1 2-2zm3 6V3a3 3 0 0 0-6 0v4a2 2 0 0 0-2 2v5a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2V9a2 2 0 0 0-2-2zM5 8h6a1 1 0 0 1 1 1v5a1 1 0 0 1-1 1H5a1 1 0 0 1-1-1V9a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconLockFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('LockFill','&lt;path d="M8 1a2 2 0 0 1 2 2v4H6V3a2 2 0 0 1 2-2zm3 6V3a3 3 0 0 0-6 0v4a2 2 0 0 0-2 2v5a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2V9a2 2 0 0 0-2-2z"/&gt;');// eslint-disable-next-line
var BIconMailbox=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Mailbox','&lt;path d="M4 4a3 3 0 0 0-3 3v6h6V7a3 3 0 0 0-3-3zm0-1h8a4 4 0 0 1 4 4v6a1 1 0 0 1-1 1H1a1 1 0 0 1-1-1V7a4 4 0 0 1 4-4zm2.646 1A3.99 3.99 0 0 1 8 7v6h7V7a3 3 0 0 0-3-3H6.646z"/&gt;&lt;path d="M11.793 8.5H9v-1h5a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.354-.146l-.853-.854zM5 7c0 .552-.448 0-1 0s-1 .552-1 0a1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconMailbox2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Mailbox2','&lt;path d="M9 8.5h2.793l.853.854A.5.5 0 0 0 13 9.5h1a.5.5 0 0 0 .5-.5V8a.5.5 0 0 0-.5-.5H9v1z"/&gt;&lt;path d="M12 3H4a4 4 0 0 0-4 4v6a1 1 0 0 0 1 1h14a1 1 0 0 0 1-1V7a4 4 0 0 0-4-4zM8 7a3.99 3.99 0 0 0-1.354-3H12a3 3 0 0 1 3 3v6H8V7zm-3.415.157C4.42 7.087 4.218 7 4 7c-.218 0-.42.086-.585.157C3.164 7.264 3 7.334 3 7a1 1 0 0 1 2 0c0 .334-.164.264-.415.157z"/&gt;');// eslint-disable-next-line
var BIconMap=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Map','&lt;path fill-rule="evenodd" d="M15.817.113A.5.5 0 0 1 16 .5v14a.5.5 0 0 1-.402.49l-5 1a.502.502 0 0 1-.196 0L5.5 15.01l-4.902.98A.5.5 0 0 1 0 15.5v-14a.5.5 0 0 1 .402-.49l5-1a.5.5 0 0 1 .196 0L10.5.99l4.902-.98a.5.5 0 0 1 .415.103zM10 1.91l-4-.8v12.98l4 .8V1.91zm1 12.98 4-.8V1.11l-4 .8v12.98zm-6-.8V1.11l-4 .8v12.98l4-.8z"/&gt;');// eslint-disable-next-line
var BIconMapFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MapFill','&lt;path fill-rule="evenodd" d="M16 .5a.5.5 0 0 0-.598-.49L10.5.99 5.598.01a.5.5 0 0 0-.196 0l-5 1A.5.5 0 0 0 0 1.5v14a.5.5 0 0 0 .598.49l4.902-.98 4.902.98a.502.502 0 0 0 .196 0l5-1A.5.5 0 0 0 16 14.5V.5zM5 14.09V1.11l.5-.1.5.1v12.98l-.402-.08a.498.498 0 0 0-.196 0L5 14.09zm5 .8V1.91l.402.08a.5.5 0 0 0 .196 0L11 1.91v12.98l-.5.1-.5-.1z"/&gt;');// eslint-disable-next-line
var BIconMarkdown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Markdown','&lt;path d="M14 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h12zM2 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2z"/&gt;&lt;path fill-rule="evenodd" d="M9.146 8.146a.5.5 0 0 1 .708 0L11.5 9.793l1.646-1.647a.5.5 0 0 1 .708.708l-2 2a.5.5 0 0 1-.708 0l-2-2a.5.5 0 0 1 0-.708z"/&gt;&lt;path fill-rule="evenodd" d="M11.5 5a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-1 0v-4a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M3.56 11V7.01h.056l1.428 3.239h.774l1.42-3.24h.056V11h1.073V5.001h-1.2l-1.71 3.894h-.039l-1.71-3.894H2.5V11h1.06z"/&gt;');// eslint-disable-next-line
var BIconMarkdownFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MarkdownFill','&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm11.5 1a.5.5 0 0 0-.5.5v3.793L9.854 8.146a.5.5 0 1 0-.708.708l2 2a.5.5 0 0 0 .708 0l2-2a.5.5 0 0 0-.708-.708L12 9.293V5.5a.5.5 0 0 0-.5-.5zM3.56 7.01h.056l1.428 3.239h.774l1.42-3.24h.056V11h1.073V5.001h-1.2l-1.71 3.894h-.039l-1.71-3.894H2.5V11h1.06V7.01z"/&gt;');// eslint-disable-next-line
var BIconMask=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Mask','&lt;path d="M6.225 1.227A7.5 7.5 0 0 1 10.5 8a7.5 7.5 0 0 1-4.275 6.773 7 7 0 1 0 0-13.546zM4.187.966a8 8 0 1 1 7.627 14.069A8 8 0 0 1 4.186.964z"/&gt;');// eslint-disable-next-line
var BIconMastodon=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Mastodon','&lt;path d="M11.19 12.195c2.016-.24 3.77-1.475 3.99-2.603.348-1.778.32-4.339.32-4.339 0-3.47-2.286-4.488-2.286-4.488C12.062.238 10.083.017 8.027 0h-.05C5.92.017 3.942.238 2.79.765c0 0-2.285 1.017-2.285 4.488l-.002.662c-.004.64-.007 1.35.011 2.091.083 3.394.626 6.74 3.78 7.57 1.454.383 2.703.463 3.709.408 1.823-.1 2.847-.647 2.847-.647l-.06-1.317s-1.303.41-2.767.36c-1.45-.05-2.98-.156-3.215-1.928a3.614 3.614 0 0 1-.033-.496s1.424.346 3.228.428c1.103.05 2.137-.064 3.188-.189zm1.613-2.47H11.13v-4.08c0-.859-.364-1.295-1.091-1.295-.804 0-1.207.517-1.207 1.541v2.233H7.168V5.89c0-1.024-.403-1.541-1.207-1.541-.727 0-1.091.436-1.091 1.296v4.079H3.197V5.522c0-.859.22-1.541.66-2.046.456-.505 1.052-.764 1.793-.764.856 0 1.504.328 1.933.983L8 4.39l.417-.695c.429-.655 1.077-.983 1.934-.983.74 0 1.336.259 1.791.764.442.505.661 1.187.661 2.046v4.203z"/&gt;');// eslint-disable-next-line
var BIconMegaphone=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Megaphone','&lt;path d="M13 2.5a1.5 1.5 0 0 1 3 0v11a1.5 1.5 0 0 1-3 0v-.214c-2.162-1.241-4.49-1.843-6.912-2.083l.405 2.712A1 1 0 0 1 5.51 15.1h-.548a1 1 0 0 1-.916-.599l-1.85-3.49a68.14 68.14 0 0 0-.202-.003A2.014 2.014 0 0 1 0 9V7a2.02 2.02 0 0 1 1.992-2.013 74.663 74.663 0 0 0 2.483-.075c3.043-.154 6.148-.849 8.525-2.199V2.5zm1 0v11a.5.5 0 0 0 1 0v-11a.5.5 0 0 0-1 0zm-1 1.35c-2.344 1.205-5.209 1.842-8 2.033v4.233c.18.01.359.022.537.036 2.568.189 5.093.744 7.463 1.993V3.85zm-9 6.215v-4.13a95.09 95.09 0 0 1-1.992.052A1.02 1.02 0 0 0 1 7v2c0 .55.448 1.002 1.006 1.009A60.49 60.49 0 0 1 4 10.065zm-.657.975 1.609 3.037.01.024h.548l-.002-.014-.443-2.966a68.019 68.019 0 0 0-1.722-.082z"/&gt;');// eslint-disable-next-line
var BIconMegaphoneFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MegaphoneFill','&lt;path d="M13 2.5a1.5 1.5 0 0 1 3 0v11a1.5 1.5 0 0 1-3 0v-11zm-1 .724c-2.067.95-4.539 1.481-7 1.656v6.237a25.222 25.222 0 0 1 1.088.085c2.053.204 4.038.668 5.912 1.56V3.224zm-8 7.841V4.934c-.68.027-1.399.043-2.008.053A2.02 2.02 0 0 0 0 7v2c0 1.106.896 1.996 1.994 2.009a68.14 68.14 0 0 1 .496.008 64 64 0 0 1 1.51.048zm1.39 1.081c.285.021.569.047.85.078l.253 1.69a1 1 0 0 1-.983 1.187h-.548a1 1 0 0 1-.916-.599l-1.314-2.48a65.81 65.81 0 0 1 1.692.064c.327.017.65.037.966.06z"/&gt;');// eslint-disable-next-line
var BIconMenuApp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MenuApp','&lt;path d="M0 1.5A1.5 1.5 0 0 1 1.5 0h2A1.5 1.5 0 0 1 5 1.5v2A1.5 1.5 0 0 1 3.5 5h-2A1.5 1.5 0 0 1 0 3.5v-2zM1.5 1a.5.5 0 0 0-.5.5v2a.5.5 0 0 0 .5.5h2a.5.5 0 0 0 .5-.5v-2a.5.5 0 0 0-.5-.5h-2zM0 8a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V8zm1 3v2a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1v-2H1zm14-1V8a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2h14zM2 8.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0 4a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconMenuAppFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MenuAppFill','&lt;path d="M0 1.5A1.5 1.5 0 0 1 1.5 0h2A1.5 1.5 0 0 1 5 1.5v2A1.5 1.5 0 0 1 3.5 5h-2A1.5 1.5 0 0 1 0 3.5v-2zM0 8a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V8zm1 3v2a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1v-2H1zm14-1V8a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2h14zM2 8.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0 4a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconMenuButton=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MenuButton','&lt;path d="M0 1.5A1.5 1.5 0 0 1 1.5 0h8A1.5 1.5 0 0 1 11 1.5v2A1.5 1.5 0 0 1 9.5 5h-8A1.5 1.5 0 0 1 0 3.5v-2zM1.5 1a.5.5 0 0 0-.5.5v2a.5.5 0 0 0 .5.5h8a.5.5 0 0 0 .5-.5v-2a.5.5 0 0 0-.5-.5h-8z"/&gt;&lt;path d="m7.823 2.823-.396-.396A.25.25 0 0 1 7.604 2h.792a.25.25 0 0 1 .177.427l-.396.396a.25.25 0 0 1-.354 0zM0 8a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V8zm1 3v2a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1v-2H1zm14-1V8a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2h14zM2 8.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0 4a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconMenuButtonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MenuButtonFill','&lt;path d="M1.5 0A1.5 1.5 0 0 0 0 1.5v2A1.5 1.5 0 0 0 1.5 5h8A1.5 1.5 0 0 0 11 3.5v-2A1.5 1.5 0 0 0 9.5 0h-8zm5.927 2.427A.25.25 0 0 1 7.604 2h.792a.25.25 0 0 1 .177.427l-.396.396a.25.25 0 0 1-.354 0l-.396-.396zM0 8a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V8zm1 3v2a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1v-2H1zm14-1V8a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2h14zM2 8.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0 4a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconMenuButtonWide=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MenuButtonWide','&lt;path d="M0 1.5A1.5 1.5 0 0 1 1.5 0h13A1.5 1.5 0 0 1 16 1.5v2A1.5 1.5 0 0 1 14.5 5h-13A1.5 1.5 0 0 1 0 3.5v-2zM1.5 1a.5.5 0 0 0-.5.5v2a.5.5 0 0 0 .5.5h13a.5.5 0 0 0 .5-.5v-2a.5.5 0 0 0-.5-.5h-13z"/&gt;&lt;path d="M2 2.5a.5.5 0 0 1 .5-.5h3a.5.5 0 0 1 0 1h-3a.5.5 0 0 1-.5-.5zm10.823.323-.396-.396A.25.25 0 0 1 12.604 2h.792a.25.25 0 0 1 .177.427l-.396.396a.25.25 0 0 1-.354 0zM0 8a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V8zm1 3v2a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1v-2H1zm14-1V8a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2h14zM2 8.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0 4a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconMenuButtonWideFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MenuButtonWideFill','&lt;path d="M1.5 0A1.5 1.5 0 0 0 0 1.5v2A1.5 1.5 0 0 0 1.5 5h13A1.5 1.5 0 0 0 16 3.5v-2A1.5 1.5 0 0 0 14.5 0h-13zm1 2h3a.5.5 0 0 1 0 1h-3a.5.5 0 0 1 0-1zm9.927.427A.25.25 0 0 1 12.604 2h.792a.25.25 0 0 1 .177.427l-.396.396a.25.25 0 0 1-.354 0l-.396-.396zM0 8a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V8zm1 3v2a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1v-2H1zm14-1V8a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v2h14zM2 8.5a.5.5 0 0 1 .5-.5h9a.5.5 0 0 1 0 1h-9a.5.5 0 0 1-.5-.5zm0 4a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconMenuDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MenuDown','&lt;path d="M7.646.146a.5.5 0 0 1 .708 0L10.207 2H14a2 2 0 0 1 2 2v9a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4a2 2 0 0 1 2-2h3.793L7.646.146zM1 7v3h14V7H1zm14-1V4a1 1 0 0 0-1-1h-3.793a1 1 0 0 1-.707-.293L8 1.207l-1.5 1.5A1 1 0 0 1 5.793 3H2a1 1 0 0 0-1 1v2h14zm0 5H1v2a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1v-2zM2 4.5a.5.5 0 0 1 .5-.5h8a.5.5 0 0 1 0 1h-8a.5.5 0 0 1-.5-.5zm0 4a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm0 4a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconMenuUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MenuUp','&lt;path d="M7.646 15.854a.5.5 0 0 0 .708 0L10.207 14H14a2 2 0 0 0 2-2V3a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v9a2 2 0 0 0 2 2h3.793l1.853 1.854zM1 9V6h14v3H1zm14 1v2a1 1 0 0 1-1 1h-3.793a1 1 0 0 0-.707.293l-1.5 1.5-1.5-1.5A1 1 0 0 0 5.793 13H2a1 1 0 0 1-1-1v-2h14zm0-5H1V3a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1v2zM2 11.5a.5.5 0 0 0 .5.5h8a.5.5 0 0 0 0-1h-8a.5.5 0 0 0-.5.5zm0-4a.5.5 0 0 0 .5.5h11a.5.5 0 0 0 0-1h-11a.5.5 0 0 0-.5.5zm0-4a.5.5 0 0 0 .5.5h6a.5.5 0 0 0 0-1h-6a.5.5 0 0 0-.5.5z"/&gt;');// eslint-disable-next-line
var BIconMessenger=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Messenger','&lt;path d="M0 7.76C0 3.301 3.493 0 8 0s8 3.301 8 7.76-3.493 7.76-8 7.76c-.81 0-1.586-.107-2.316-.307a.639.639 0 0 0-.427.03l-1.588.702a.64.64 0 0 1-.898-.566l-.044-1.423a.639.639 0 0 0-.215-.456C.956 12.108 0 10.092 0 7.76zm5.546-1.459-2.35 3.728c-.225.358.214.761.551.506l2.525-1.916a.48.48 0 0 1 .578-.002l1.869 1.402a1.2 1.2 0 0 0 1.735-.32l2.35-3.728c.226-.358-.214-.761-.551-.506L9.728 7.381a.48.48 0 0 1-.578.002L7.281 5.98a1.2 1.2 0 0 0-1.735.32z"/&gt;');// eslint-disable-next-line
var BIconMic=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Mic','&lt;path d="M3.5 6.5A.5.5 0 0 1 4 7v1a4 4 0 0 0 8 0V7a.5.5 0 0 1 1 0v1a5 5 0 0 1-4.5 4.975V15h3a.5.5 0 0 1 0 1h-7a.5.5 0 0 1 0-1h3v-2.025A5 5 0 0 1 3 8V7a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M10 8a2 2 0 1 1-4 0V3a2 2 0 1 1 4 0v5zM8 0a3 3 0 0 0-3 3v5a3 3 0 0 0 6 0V3a3 3 0 0 0-3-3z"/&gt;');// eslint-disable-next-line
var BIconMicFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MicFill','&lt;path d="M5 3a3 3 0 0 1 6 0v5a3 3 0 0 1-6 0V3z"/&gt;&lt;path d="M3.5 6.5A.5.5 0 0 1 4 7v1a4 4 0 0 0 8 0V7a.5.5 0 0 1 1 0v1a5 5 0 0 1-4.5 4.975V15h3a.5.5 0 0 1 0 1h-7a.5.5 0 0 1 0-1h3v-2.025A5 5 0 0 1 3 8V7a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconMicMute=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MicMute','&lt;path d="M13 8c0 .564-.094 1.107-.266 1.613l-.814-.814A4.02 4.02 0 0 0 12 8V7a.5.5 0 0 1 1 0v1zm-5 4c.818 0 1.578-.245 2.212-.667l.718.719a4.973 4.973 0 0 1-2.43.923V15h3a.5.5 0 0 1 0 1h-7a.5.5 0 0 1 0-1h3v-2.025A5 5 0 0 1 3 8V7a.5.5 0 0 1 1 0v1a4 4 0 0 0 4 4zm3-9v4.879l-1-1V3a2 2 0 0 0-3.997-.118l-.845-.845A3.001 3.001 0 0 1 11 3z"/&gt;&lt;path d="m9.486 10.607-.748-.748A2 2 0 0 1 6 8v-.878l-1-1V8a3 3 0 0 0 4.486 2.607zm-7.84-9.253 12 12 .708-.708-12-12-.708.708z"/&gt;');// eslint-disable-next-line
var BIconMicMuteFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MicMuteFill','&lt;path d="M13 8c0 .564-.094 1.107-.266 1.613l-.814-.814A4.02 4.02 0 0 0 12 8V7a.5.5 0 0 1 1 0v1zm-5 4c.818 0 1.578-.245 2.212-.667l.718.719a4.973 4.973 0 0 1-2.43.923V15h3a.5.5 0 0 1 0 1h-7a.5.5 0 0 1 0-1h3v-2.025A5 5 0 0 1 3 8V7a.5.5 0 0 1 1 0v1a4 4 0 0 0 4 4zm3-9v4.879L5.158 2.037A3.001 3.001 0 0 1 11 3z"/&gt;&lt;path d="M9.486 10.607 5 6.12V8a3 3 0 0 0 4.486 2.607zm-7.84-9.253 12 12 .708-.708-12-12-.708.708z"/&gt;');// eslint-disable-next-line
var BIconMinecart=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Minecart','&lt;path d="M4 15a1 1 0 1 1 0-2 1 1 0 0 1 0 2zm0 1a2 2 0 1 0 0-4 2 2 0 0 0 0 4zm8-1a1 1 0 1 1 0-2 1 1 0 0 1 0 2zm0 1a2 2 0 1 0 0-4 2 2 0 0 0 0 4zM.115 3.18A.5.5 0 0 1 .5 3h15a.5.5 0 0 1 .491.592l-1.5 8A.5.5 0 0 1 14 12H2a.5.5 0 0 1-.491-.408l-1.5-8a.5.5 0 0 1 .106-.411zm.987.82 1.313 7h11.17l1.313-7H1.102z"/&gt;');// eslint-disable-next-line
var BIconMinecartLoaded=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MinecartLoaded','&lt;path d="M4 15a1 1 0 1 1 0-2 1 1 0 0 1 0 2zm0 1a2 2 0 1 0 0-4 2 2 0 0 0 0 4zm8-1a1 1 0 1 1 0-2 1 1 0 0 1 0 2zm0 1a2 2 0 1 0 0-4 2 2 0 0 0 0 4zM.115 3.18A.5.5 0 0 1 .5 3h15a.5.5 0 0 1 .491.592l-1.5 8A.5.5 0 0 1 14 12H2a.5.5 0 0 1-.491-.408l-1.5-8a.5.5 0 0 1 .106-.411zm.987.82 1.313 7h11.17l1.313-7H1.102z"/&gt;&lt;path fill-rule="evenodd" d="M6 1a2.498 2.498 0 0 1 4 0c.818 0 1.545.394 2 1 .67 0 1.552.57 2 1h-2c-.314 0-.611-.15-.8-.4-.274-.365-.71-.6-1.2-.6-.314 0-.611-.15-.8-.4a1.497 1.497 0 0 0-2.4 0c-.189.25-.486.4-.8.4-.507 0-.955.251-1.228.638-.09.13-.194.25-.308.362H3c.13-.147.401-.432.562-.545a1.63 1.63 0 0 0 .393-.393A2.498 2.498 0 0 1 6 1z"/&gt;');// eslint-disable-next-line
var BIconMoisture=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Moisture','&lt;path d="M13.5 0a.5.5 0 0 0 0 1H15v2.75h-.5a.5.5 0 0 0 0 1h.5V7.5h-1.5a.5.5 0 0 0 0 1H15v2.75h-.5a.5.5 0 0 0 0 1h.5V15h-1.5a.5.5 0 0 0 0 1h2a.5.5 0 0 0 .5-.5V.5a.5.5 0 0 0-.5-.5h-2zM7 1.5l.364-.343a.5.5 0 0 0-.728 0l-.002.002-.006.007-.022.023-.08.088a28.458 28.458 0 0 0-1.274 1.517c-.769.983-1.714 2.325-2.385 3.727C2.368 7.564 2 8.682 2 9.733 2 12.614 4.212 15 7 15s5-2.386 5-5.267c0-1.05-.368-2.169-.867-3.212-.671-1.402-1.616-2.744-2.385-3.727a28.458 28.458 0 0 0-1.354-1.605l-.022-.023-.006-.007-.002-.001L7 1.5zm0 0-.364-.343L7 1.5zm-.016.766L7 2.247l.016.019c.24.274.572.667.944 1.144.611.781 1.32 1.776 1.901 2.827H4.14c.58-1.051 1.29-2.046 1.9-2.827.373-.477.706-.87.945-1.144zM3 9.733c0-.755.244-1.612.638-2.496h6.724c.395.884.638 1.741.638 2.496C11 12.117 9.182 14 7 14s-4-1.883-4-4.267z"/&gt;');// eslint-disable-next-line
var BIconMoon=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Moon','&lt;path d="M6 .278a.768.768 0 0 1 .08.858 7.208 7.208 0 0 0-.878 3.46c0 4.021 3.278 7.277 7.318 7.277.527 0 1.04-.055 1.533-.16a.787.787 0 0 1 .81.316.733.733 0 0 1-.031.893A8.349 8.349 0 0 1 8.344 16C3.734 16 0 12.286 0 7.71 0 4.266 2.114 1.312 5.124.06A.752.752 0 0 1 6 .278zM4.858 1.311A7.269 7.269 0 0 0 1.025 7.71c0 4.02 3.279 7.276 7.319 7.276a7.316 7.316 0 0 0 5.205-2.162c-.337.042-.68.063-1.029.063-4.61 0-8.343-3.714-8.343-8.29 0-1.167.242-2.278.681-3.286z"/&gt;');// eslint-disable-next-line
var BIconMoonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MoonFill','&lt;path d="M6 .278a.768.768 0 0 1 .08.858 7.208 7.208 0 0 0-.878 3.46c0 4.021 3.278 7.277 7.318 7.277.527 0 1.04-.055 1.533-.16a.787.787 0 0 1 .81.316.733.733 0 0 1-.031.893A8.349 8.349 0 0 1 8.344 16C3.734 16 0 12.286 0 7.71 0 4.266 2.114 1.312 5.124.06A.752.752 0 0 1 6 .278z"/&gt;');// eslint-disable-next-line
var BIconMoonStars=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MoonStars','&lt;path d="M6 .278a.768.768 0 0 1 .08.858 7.208 7.208 0 0 0-.878 3.46c0 4.021 3.278 7.277 7.318 7.277.527 0 1.04-.055 1.533-.16a.787.787 0 0 1 .81.316.733.733 0 0 1-.031.893A8.349 8.349 0 0 1 8.344 16C3.734 16 0 12.286 0 7.71 0 4.266 2.114 1.312 5.124.06A.752.752 0 0 1 6 .278zM4.858 1.311A7.269 7.269 0 0 0 1.025 7.71c0 4.02 3.279 7.276 7.319 7.276a7.316 7.316 0 0 0 5.205-2.162c-.337.042-.68.063-1.029.063-4.61 0-8.343-3.714-8.343-8.29 0-1.167.242-2.278.681-3.286z"/&gt;&lt;path d="M10.794 3.148a.217.217 0 0 1 .412 0l.387 1.162c.173.518.579.924 1.097 1.097l1.162.387a.217.217 0 0 1 0 .412l-1.162.387a1.734 1.734 0 0 0-1.097 1.097l-.387 1.162a.217.217 0 0 1-.412 0l-.387-1.162A1.734 1.734 0 0 0 9.31 6.593l-1.162-.387a.217.217 0 0 1 0-.412l1.162-.387a1.734 1.734 0 0 0 1.097-1.097l.387-1.162zM13.863.099a.145.145 0 0 1 .274 0l.258.774c.115.346.386.617.732.732l.774.258a.145.145 0 0 1 0 .274l-.774.258a1.156 1.156 0 0 0-.732.732l-.258.774a.145.145 0 0 1-.274 0l-.258-.774a1.156 1.156 0 0 0-.732-.732l-.774-.258a.145.145 0 0 1 0-.274l.774-.258c.346-.115.617-.386.732-.732L13.863.1z"/&gt;');// eslint-disable-next-line
var BIconMoonStarsFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MoonStarsFill','&lt;path d="M6 .278a.768.768 0 0 1 .08.858 7.208 7.208 0 0 0-.878 3.46c0 4.021 3.278 7.277 7.318 7.277.527 0 1.04-.055 1.533-.16a.787.787 0 0 1 .81.316.733.733 0 0 1-.031.893A8.349 8.349 0 0 1 8.344 16C3.734 16 0 12.286 0 7.71 0 4.266 2.114 1.312 5.124.06A.752.752 0 0 1 6 .278z"/&gt;&lt;path d="M10.794 3.148a.217.217 0 0 1 .412 0l.387 1.162c.173.518.579.924 1.097 1.097l1.162.387a.217.217 0 0 1 0 .412l-1.162.387a1.734 1.734 0 0 0-1.097 1.097l-.387 1.162a.217.217 0 0 1-.412 0l-.387-1.162A1.734 1.734 0 0 0 9.31 6.593l-1.162-.387a.217.217 0 0 1 0-.412l1.162-.387a1.734 1.734 0 0 0 1.097-1.097l.387-1.162zM13.863.099a.145.145 0 0 1 .274 0l.258.774c.115.346.386.617.732.732l.774.258a.145.145 0 0 1 0 .274l-.774.258a1.156 1.156 0 0 0-.732.732l-.258.774a.145.145 0 0 1-.274 0l-.258-.774a1.156 1.156 0 0 0-.732-.732l-.774-.258a.145.145 0 0 1 0-.274l.774-.258c.346-.115.617-.386.732-.732L13.863.1z"/&gt;');// eslint-disable-next-line
var BIconMouse=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Mouse','&lt;path d="M8 3a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 3zm4 8a4 4 0 0 1-8 0V5a4 4 0 1 1 8 0v6zM8 0a5 5 0 0 0-5 5v6a5 5 0 0 0 10 0V5a5 5 0 0 0-5-5z"/&gt;');// eslint-disable-next-line
var BIconMouse2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Mouse2','&lt;path d="M3 5.188C3 2.341 5.22 0 8 0s5 2.342 5 5.188v5.625C13 13.658 10.78 16 8 16s-5-2.342-5-5.188V5.189zm4.5-4.155C5.541 1.289 4 3.035 4 5.188V5.5h3.5V1.033zm1 0V5.5H12v-.313c0-2.152-1.541-3.898-3.5-4.154zM12 6.5H4v4.313C4 13.145 5.81 15 8 15s4-1.855 4-4.188V6.5z"/&gt;');// eslint-disable-next-line
var BIconMouse2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Mouse2Fill','&lt;path d="M7.5.026C4.958.286 3 2.515 3 5.188V5.5h4.5V.026zm1 0V5.5H13v-.312C13 2.515 11.042.286 8.5.026zM13 6.5H3v4.313C3 13.658 5.22 16 8 16s5-2.342 5-5.188V6.5z"/&gt;');// eslint-disable-next-line
var BIconMouse3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Mouse3','&lt;path d="M7 0c-.593 0-1.104.157-1.527.463-.418.302-.717.726-.93 1.208C4.123 2.619 4 3.879 4 5.187v.504L3.382 6A2.5 2.5 0 0 0 2 8.236v2.576C2 13.659 4.22 16 7 16h2c2.78 0 5-2.342 5-5.188V7.51a.71.71 0 0 0 0-.02V5.186c0-1.13-.272-2.044-.748-2.772-.474-.726-1.13-1.235-1.849-1.59C9.981.123 8.26 0 7 0zm2.5 6.099V1.232c.51.11 1.008.267 1.46.49.596.293 1.099.694 1.455 1.24.355.543.585 1.262.585 2.225v1.69l-3.5-.778zm-1-5.025v4.803L5 5.099c.006-1.242.134-2.293.457-3.024.162-.366.363-.63.602-.801C6.292 1.105 6.593 1 7 1c.468 0 .98.018 1.5.074zM5 6.124 13 7.9v2.912C13 13.145 11.19 15 9 15H7c-2.19 0-4-1.855-4-4.188V8.236a1.5 1.5 0 0 1 .83-1.342l.187-.093c.01.265.024.58.047.92.062.938.19 2.12.462 2.937a.5.5 0 1 0 .948-.316c-.227-.683-.35-1.75-.413-2.688a29.17 29.17 0 0 1-.06-1.528v-.002z"/&gt;');// eslint-disable-next-line
var BIconMouse3Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Mouse3Fill','&lt;path d="M8.5.069A15.328 15.328 0 0 0 7 0c-.593 0-1.104.157-1.527.463-.418.302-.717.726-.93 1.208-.386.873-.522 2.01-.54 3.206l4.497 1V.069zM3.71 5.836 3.381 6A2.5 2.5 0 0 0 2 8.236v2.576C2 13.659 4.22 16 7 16h2c2.78 0 5-2.342 5-5.188V8.123l-9-2v.003l.008.353c.007.3.023.715.053 1.175.063.937.186 2.005.413 2.688a.5.5 0 1 1-.948.316c-.273-.817-.4-2-.462-2.937A30.16 30.16 0 0 1 4 6.003c0-.034.003-.067.01-.1l-.3-.067zM14 7.1V5.187c0-1.13-.272-2.044-.748-2.772-.474-.726-1.13-1.235-1.849-1.59A7.495 7.495 0 0 0 9.5.212v5.887l4.5 1z"/&gt;');// eslint-disable-next-line
var BIconMouseFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MouseFill','&lt;path d="M3 5a5 5 0 0 1 10 0v6a5 5 0 0 1-10 0V5zm5.5-1.5a.5.5 0 0 0-1 0v2a.5.5 0 0 0 1 0v-2z"/&gt;');// eslint-disable-next-line
var BIconMusicNote=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MusicNote','&lt;path d="M9 13c0 1.105-1.12 2-2.5 2S4 14.105 4 13s1.12-2 2.5-2 2.5.895 2.5 2z"/&gt;&lt;path fill-rule="evenodd" d="M9 3v10H8V3h1z"/&gt;&lt;path d="M8 2.82a1 1 0 0 1 .804-.98l3-.6A1 1 0 0 1 13 2.22V4L8 5V2.82z"/&gt;');// eslint-disable-next-line
var BIconMusicNoteBeamed=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MusicNoteBeamed','&lt;path d="M6 13c0 1.105-1.12 2-2.5 2S1 14.105 1 13c0-1.104 1.12-2 2.5-2s2.5.896 2.5 2zm9-2c0 1.105-1.12 2-2.5 2s-2.5-.895-2.5-2 1.12-2 2.5-2 2.5.895 2.5 2z"/&gt;&lt;path fill-rule="evenodd" d="M14 11V2h1v9h-1zM6 3v10H5V3h1z"/&gt;&lt;path d="M5 2.905a1 1 0 0 1 .9-.995l8-.8a1 1 0 0 1 1.1.995V3L5 4V2.905z"/&gt;');// eslint-disable-next-line
var BIconMusicNoteList=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MusicNoteList','&lt;path d="M12 13c0 1.105-1.12 2-2.5 2S7 14.105 7 13s1.12-2 2.5-2 2.5.895 2.5 2z"/&gt;&lt;path fill-rule="evenodd" d="M12 3v10h-1V3h1z"/&gt;&lt;path d="M11 2.82a1 1 0 0 1 .804-.98l3-.6A1 1 0 0 1 16 2.22V4l-5 1V2.82z"/&gt;&lt;path fill-rule="evenodd" d="M0 11.5a.5.5 0 0 1 .5-.5H4a.5.5 0 0 1 0 1H.5a.5.5 0 0 1-.5-.5zm0-4A.5.5 0 0 1 .5 7H8a.5.5 0 0 1 0 1H.5a.5.5 0 0 1-.5-.5zm0-4A.5.5 0 0 1 .5 3H8a.5.5 0 0 1 0 1H.5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconMusicPlayer=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MusicPlayer','&lt;path d="M4 3a1 1 0 0 1 1-1h6a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1H5a1 1 0 0 1-1-1V3zm1 0v3h6V3H5zm3 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;&lt;path d="M11 11a3 3 0 1 1-6 0 3 3 0 0 1 6 0zm-3 2a2 2 0 1 0 0-4 2 2 0 0 0 0 4z"/&gt;&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm2-1a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H4z"/&gt;');// eslint-disable-next-line
var BIconMusicPlayerFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('MusicPlayerFill','&lt;path d="M8 12a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm1 2h6a1 1 0 0 1 1 1v2.5a1 1 0 0 1-1 1H5a1 1 0 0 1-1-1V3a1 1 0 0 1 1-1zm3 12a3 3 0 1 1 0-6 3 3 0 0 1 0 6z"/&gt;');// eslint-disable-next-line
var BIconNewspaper=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Newspaper','&lt;path d="M0 2.5A1.5 1.5 0 0 1 1.5 1h11A1.5 1.5 0 0 1 14 2.5v10.528c0 .3-.05.654-.238.972h.738a.5.5 0 0 0 .5-.5v-9a.5.5 0 0 1 1 0v9a1.5 1.5 0 0 1-1.5 1.5H1.497A1.497 1.497 0 0 1 0 13.5v-11zM12 14c.37 0 .654-.211.853-.441.092-.106.147-.279.147-.531V2.5a.5.5 0 0 0-.5-.5h-11a.5.5 0 0 0-.5.5v11c0 .278.223.5.497.5H12z"/&gt;&lt;path d="M2 3h10v2H2V3zm0 3h4v3H2V6zm0 4h4v1H2v-1zm0 2h4v1H2v-1zm5-6h2v1H7V6zm3 0h2v1h-2V6zM7 8h2v1H7V8zm3 0h2v1h-2V8zm-3 2h2v1H7v-1zm3 0h2v1h-2v-1zm-3 2h2v1H7v-1zm3 0h2v1h-2v-1z"/&gt;');// eslint-disable-next-line
var BIconNodeMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('NodeMinus','&lt;path fill-rule="evenodd" d="M11 4a4 4 0 1 0 0 8 4 4 0 0 0 0-8zM6.025 7.5a5 5 0 1 1 0 1H4A1.5 1.5 0 0 1 2.5 10h-1A1.5 1.5 0 0 1 0 8.5v-1A1.5 1.5 0 0 1 1.5 6h1A1.5 1.5 0 0 1 4 7.5h2.025zM1.5 7a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1zM8 8a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5A.5.5 0 0 1 8 8z"/&gt;');// eslint-disable-next-line
var BIconNodeMinusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('NodeMinusFill','&lt;path fill-rule="evenodd" d="M16 8a5 5 0 0 1-9.975.5H4A1.5 1.5 0 0 1 2.5 10h-1A1.5 1.5 0 0 1 0 8.5v-1A1.5 1.5 0 0 1 1.5 6h1A1.5 1.5 0 0 1 4 7.5h2.025A5 5 0 0 1 16 8zm-2 0a.5.5 0 0 0-.5-.5h-5a.5.5 0 0 0 0 1h5A.5.5 0 0 0 14 8z"/&gt;');// eslint-disable-next-line
var BIconNodePlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('NodePlus','&lt;path fill-rule="evenodd" d="M11 4a4 4 0 1 0 0 8 4 4 0 0 0 0-8zM6.025 7.5a5 5 0 1 1 0 1H4A1.5 1.5 0 0 1 2.5 10h-1A1.5 1.5 0 0 1 0 8.5v-1A1.5 1.5 0 0 1 1.5 6h1A1.5 1.5 0 0 1 4 7.5h2.025zM11 5a.5.5 0 0 1 .5.5v2h2a.5.5 0 0 1 0 1h-2v2a.5.5 0 0 1-1 0v-2h-2a.5.5 0 0 1 0-1h2v-2A.5.5 0 0 1 11 5zM1.5 7a.5.5 0 0 0-.5.5v1a.5.5 0 0 0 .5.5h1a.5.5 0 0 0 .5-.5v-1a.5.5 0 0 0-.5-.5h-1z"/&gt;');// eslint-disable-next-line
var BIconNodePlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('NodePlusFill','&lt;path d="M11 13a5 5 0 1 0-4.975-5.5H4A1.5 1.5 0 0 0 2.5 6h-1A1.5 1.5 0 0 0 0 7.5v1A1.5 1.5 0 0 0 1.5 10h1A1.5 1.5 0 0 0 4 8.5h2.025A5 5 0 0 0 11 13zm.5-7.5v2h2a.5.5 0 0 1 0 1h-2v2a.5.5 0 0 1-1 0v-2h-2a.5.5 0 0 1 0-1h2v-2a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconNut=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Nut','&lt;path d="m11.42 2 3.428 6-3.428 6H4.58L1.152 8 4.58 2h6.84zM4.58 1a1 1 0 0 0-.868.504l-3.428 6a1 1 0 0 0 0 .992l3.428 6A1 1 0 0 0 4.58 15h6.84a1 1 0 0 0 .868-.504l3.429-6a1 1 0 0 0 0-.992l-3.429-6A1 1 0 0 0 11.42 1H4.58z"/&gt;&lt;path d="M6.848 5.933a2.5 2.5 0 1 0 2.5 4.33 2.5 2.5 0 0 0-2.5-4.33zm-1.78 3.915a3.5 3.5 0 1 1 6.061-3.5 3.5 3.5 0 0 1-6.062 3.5z"/&gt;');// eslint-disable-next-line
var BIconNutFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('NutFill','&lt;path d="M4.58 1a1 1 0 0 0-.868.504l-3.428 6a1 1 0 0 0 0 .992l3.428 6A1 1 0 0 0 4.58 15h6.84a1 1 0 0 0 .868-.504l3.429-6a1 1 0 0 0 0-.992l-3.429-6A1 1 0 0 0 11.42 1H4.58zm5.018 9.696a3 3 0 1 1-3-5.196 3 3 0 0 1 3 5.196z"/&gt;');// eslint-disable-next-line
var BIconOctagon=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Octagon','&lt;path d="M4.54.146A.5.5 0 0 1 4.893 0h6.214a.5.5 0 0 1 .353.146l4.394 4.394a.5.5 0 0 1 .146.353v6.214a.5.5 0 0 1-.146.353l-4.394 4.394a.5.5 0 0 1-.353.146H4.893a.5.5 0 0 1-.353-.146L.146 11.46A.5.5 0 0 1 0 11.107V4.893a.5.5 0 0 1 .146-.353L4.54.146zM5.1 1 1 5.1v5.8L5.1 15h5.8l4.1-4.1V5.1L10.9 1H5.1z"/&gt;');// eslint-disable-next-line
var BIconOctagonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('OctagonFill','&lt;path d="M11.107 0a.5.5 0 0 1 .353.146l4.394 4.394a.5.5 0 0 1 .146.353v6.214a.5.5 0 0 1-.146.353l-4.394 4.394a.5.5 0 0 1-.353.146H4.893a.5.5 0 0 1-.353-.146L.146 11.46A.5.5 0 0 1 0 11.107V4.893a.5.5 0 0 1 .146-.353L4.54.146A.5.5 0 0 1 4.893 0h6.214z"/&gt;');// eslint-disable-next-line
var BIconOctagonHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('OctagonHalf','&lt;path d="M4.54.146A.5.5 0 0 1 4.893 0h6.214a.5.5 0 0 1 .353.146l4.394 4.394a.5.5 0 0 1 .146.353v6.214a.5.5 0 0 1-.146.353l-4.394 4.394a.5.5 0 0 1-.353.146H4.893a.5.5 0 0 1-.353-.146L.146 11.46A.5.5 0 0 1 0 11.107V4.893a.5.5 0 0 1 .146-.353L4.54.146zM8 15h2.9l4.1-4.1V5.1L10.9 1H8v14z"/&gt;');// eslint-disable-next-line
var BIconOption=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Option','&lt;path d="M1 2.5a.5.5 0 0 1 .5-.5h3.797a.5.5 0 0 1 .439.26L11 13h3.5a.5.5 0 0 1 0 1h-3.797a.5.5 0 0 1-.439-.26L5 3H1.5a.5.5 0 0 1-.5-.5zm10 0a.5.5 0 0 1 .5-.5h3a.5.5 0 0 1 0 1h-3a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconOutlet=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Outlet','&lt;path d="M3.34 2.994c.275-.338.68-.494 1.074-.494h7.172c.393 0 .798.156 1.074.494.578.708 1.84 2.534 1.84 5.006 0 2.472-1.262 4.297-1.84 5.006-.276.338-.68.494-1.074.494H4.414c-.394 0-.799-.156-1.074-.494C2.762 12.297 1.5 10.472 1.5 8c0-2.472 1.262-4.297 1.84-5.006zm1.074.506a.376.376 0 0 0-.299.126C3.599 4.259 2.5 5.863 2.5 8c0 2.137 1.099 3.74 1.615 4.374.06.073.163.126.3.126h7.17c.137 0 .24-.053.3-.126.516-.633 1.615-2.237 1.615-4.374 0-2.137-1.099-3.74-1.615-4.374a.376.376 0 0 0-.3-.126h-7.17z"/&gt;&lt;path d="M6 5.5a.5.5 0 0 1 .5.5v1.5a.5.5 0 0 1-1 0V6a.5.5 0 0 1 .5-.5zm4 0a.5.5 0 0 1 .5.5v1.5a.5.5 0 0 1-1 0V6a.5.5 0 0 1 .5-.5zM7 10v1h2v-1a1 1 0 0 0-2 0z"/&gt;');// eslint-disable-next-line
var BIconPaintBucket=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PaintBucket','&lt;path d="M6.192 2.78c-.458-.677-.927-1.248-1.35-1.643a2.972 2.972 0 0 0-.71-.515c-.217-.104-.56-.205-.882-.02-.367.213-.427.63-.43.896-.003.304.064.664.173 1.044.196.687.556 1.528 1.035 2.402L.752 8.22c-.277.277-.269.656-.218.918.055.283.187.593.36.903.348.627.92 1.361 1.626 2.068.707.707 1.441 1.278 2.068 1.626.31.173.62.305.903.36.262.05.64.059.918-.218l5.615-5.615c.118.257.092.512.05.939-.03.292-.068.665-.073 1.176v.123h.003a1 1 0 0 0 1.993 0H14v-.057a1.01 1.01 0 0 0-.004-.117c-.055-1.25-.7-2.738-1.86-3.494a4.322 4.322 0 0 0-.211-.434c-.349-.626-.92-1.36-1.627-2.067-.707-.707-1.441-1.279-2.068-1.627-.31-.172-.62-.304-.903-.36-.262-.05-.64-.058-.918.219l-.217.216zM4.16 1.867c.381.356.844.922 1.311 1.632l-.704.705c-.382-.727-.66-1.402-.813-1.938a3.283 3.283 0 0 1-.131-.673c.091.061.204.15.337.274zm.394 3.965c.54.852 1.107 1.567 1.607 2.033a.5.5 0 1 0 .682-.732c-.453-.422-1.017-1.136-1.564-2.027l1.088-1.088c.054.12.115.243.183.365.349.627.92 1.361 1.627 2.068.706.707 1.44 1.278 2.068 1.626.122.068.244.13.365.183l-4.861 4.862a.571.571 0 0 1-.068-.01c-.137-.027-.342-.104-.608-.252-.524-.292-1.186-.8-1.846-1.46-.66-.66-1.168-1.32-1.46-1.846-.147-.265-.225-.47-.251-.607a.573.573 0 0 1-.01-.068l3.048-3.047zm2.87-1.935a2.44 2.44 0 0 1-.241-.561c.135.033.324.11.562.241.524.292 1.186.8 1.846 1.46.45.45.83.901 1.118 1.31a3.497 3.497 0 0 0-1.066.091 11.27 11.27 0 0 1-.76-.694c-.66-.66-1.167-1.322-1.458-1.847z"/&gt;');// eslint-disable-next-line
var BIconPalette=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Palette','&lt;path d="M8 5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3zm4 3a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3zM5.5 7a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm.5 6a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3z"/&gt;&lt;path d="M16 8c0 3.15-1.866 2.585-3.567 2.07C11.42 9.763 10.465 9.473 10 10c-.603.683-.475 1.819-.351 2.92C9.826 14.495 9.996 16 8 16a8 8 0 1 1 8-8zm-8 7c.611 0 .654-.171.655-.176.078-.146.124-.464.07-1.119-.014-.168-.037-.37-.061-.591-.052-.464-.112-1.005-.118-1.462-.01-.707.083-1.61.704-2.314.369-.417.845-.578 1.272-.618.404-.038.812.026 1.16.104.343.077.702.186 1.025.284l.028.008c.346.105.658.199.953.266.653.148.904.083.991.024C14.717 9.38 15 9.161 15 8a7 7 0 1 0-7 7z"/&gt;');// eslint-disable-next-line
var BIconPalette2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Palette2','&lt;path d="M0 .5A.5.5 0 0 1 .5 0h5a.5.5 0 0 1 .5.5v5.277l4.147-4.131a.5.5 0 0 1 .707 0l3.535 3.536a.5.5 0 0 1 0 .708L10.261 10H15.5a.5.5 0 0 1 .5.5v5a.5.5 0 0 1-.5.5H3a2.99 2.99 0 0 1-2.121-.879A2.99 2.99 0 0 1 0 13.044m6-.21 7.328-7.3-2.829-2.828L6 7.188v5.647zM4.5 13a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0zM15 15v-4H9.258l-4.015 4H15zM0 .5v12.495V.5z"/&gt;&lt;path d="M0 12.995V13a3.07 3.07 0 0 0 0-.005z"/&gt;');// eslint-disable-next-line
var BIconPaletteFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PaletteFill','&lt;path d="M12.433 10.07C14.133 10.585 16 11.15 16 8a8 8 0 1 0-8 8c1.996 0 1.826-1.504 1.649-3.08-.124-1.101-.252-2.237.351-2.92.465-.527 1.42-.237 2.433.07zM8 5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zm4.5 3a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zM5 6.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm.5 6.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3z"/&gt;');// eslint-disable-next-line
var BIconPaperclip=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Paperclip','&lt;path d="M4.5 3a2.5 2.5 0 0 1 5 0v9a1.5 1.5 0 0 1-3 0V5a.5.5 0 0 1 1 0v7a.5.5 0 0 0 1 0V3a1.5 1.5 0 1 0-3 0v9a2.5 2.5 0 0 0 5 0V5a.5.5 0 0 1 1 0v7a3.5 3.5 0 1 1-7 0V3z"/&gt;');// eslint-disable-next-line
var BIconParagraph=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Paragraph','&lt;path d="M10.5 15a.5.5 0 0 1-.5-.5V2H9v12.5a.5.5 0 0 1-1 0V9H7a4 4 0 1 1 0-8h5.5a.5.5 0 0 1 0 1H11v12.5a.5.5 0 0 1-.5.5z"/&gt;');// eslint-disable-next-line
var BIconPatchCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PatchCheck','&lt;path fill-rule="evenodd" d="M10.354 6.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7 8.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="m10.273 2.513-.921-.944.715-.698.622.637.89-.011a2.89 2.89 0 0 1 2.924 2.924l-.01.89.636.622a2.89 2.89 0 0 1 0 4.134l-.637.622.011.89a2.89 2.89 0 0 1-2.924 2.924l-.89-.01-.622.636a2.89 2.89 0 0 1-4.134 0l-.622-.637-.89.011a2.89 2.89 0 0 1-2.924-2.924l.01-.89-.636-.622a2.89 2.89 0 0 1 0-4.134l.637-.622-.011-.89a2.89 2.89 0 0 1 2.924-2.924l.89.01.622-.636a2.89 2.89 0 0 1 4.134 0l-.715.698a1.89 1.89 0 0 0-2.704 0l-.92.944-1.32-.016a1.89 1.89 0 0 0-1.911 1.912l.016 1.318-.944.921a1.89 1.89 0 0 0 0 2.704l.944.92-.016 1.32a1.89 1.89 0 0 0 1.912 1.911l1.318-.016.921.944a1.89 1.89 0 0 0 2.704 0l.92-.944 1.32.016a1.89 1.89 0 0 0 1.911-1.912l-.016-1.318.944-.921a1.89 1.89 0 0 0 0-2.704l-.944-.92.016-1.32a1.89 1.89 0 0 0-1.912-1.911l-1.318.016z"/&gt;');// eslint-disable-next-line
var BIconPatchCheckFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PatchCheckFill','&lt;path d="M10.067.87a2.89 2.89 0 0 0-4.134 0l-.622.638-.89-.011a2.89 2.89 0 0 0-2.924 2.924l.01.89-.636.622a2.89 2.89 0 0 0 0 4.134l.637.622-.011.89a2.89 2.89 0 0 0 2.924 2.924l.89-.01.622.636a2.89 2.89 0 0 0 4.134 0l.622-.637.89.011a2.89 2.89 0 0 0 2.924-2.924l-.01-.89.636-.622a2.89 2.89 0 0 0 0-4.134l-.637-.622.011-.89a2.89 2.89 0 0 0-2.924-2.924l-.89.01-.622-.636zm.287 5.984-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7 8.793l2.646-2.647a.5.5 0 0 1 .708.708z"/&gt;');// eslint-disable-next-line
var BIconPatchExclamation=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PatchExclamation','&lt;path d="M7.001 11a1 1 0 1 1 2 0 1 1 0 0 1-2 0zM7.1 4.995a.905.905 0 1 1 1.8 0l-.35 3.507a.553.553 0 0 1-1.1 0L7.1 4.995z"/&gt;&lt;path d="m10.273 2.513-.921-.944.715-.698.622.637.89-.011a2.89 2.89 0 0 1 2.924 2.924l-.01.89.636.622a2.89 2.89 0 0 1 0 4.134l-.637.622.011.89a2.89 2.89 0 0 1-2.924 2.924l-.89-.01-.622.636a2.89 2.89 0 0 1-4.134 0l-.622-.637-.89.011a2.89 2.89 0 0 1-2.924-2.924l.01-.89-.636-.622a2.89 2.89 0 0 1 0-4.134l.637-.622-.011-.89a2.89 2.89 0 0 1 2.924-2.924l.89.01.622-.636a2.89 2.89 0 0 1 4.134 0l-.715.698a1.89 1.89 0 0 0-2.704 0l-.92.944-1.32-.016a1.89 1.89 0 0 0-1.911 1.912l.016 1.318-.944.921a1.89 1.89 0 0 0 0 2.704l.944.92-.016 1.32a1.89 1.89 0 0 0 1.912 1.911l1.318-.016.921.944a1.89 1.89 0 0 0 2.704 0l.92-.944 1.32.016a1.89 1.89 0 0 0 1.911-1.912l-.016-1.318.944-.921a1.89 1.89 0 0 0 0-2.704l-.944-.92.016-1.32a1.89 1.89 0 0 0-1.912-1.911l-1.318.016z"/&gt;');// eslint-disable-next-line
var BIconPatchExclamationFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PatchExclamationFill','&lt;path d="M10.067.87a2.89 2.89 0 0 0-4.134 0l-.622.638-.89-.011a2.89 2.89 0 0 0-2.924 2.924l.01.89-.636.622a2.89 2.89 0 0 0 0 4.134l.637.622-.011.89a2.89 2.89 0 0 0 2.924 2.924l.89-.01.622.636a2.89 2.89 0 0 0 4.134 0l.622-.637.89.011a2.89 2.89 0 0 0 2.924-2.924l-.01-.89.636-.622a2.89 2.89 0 0 0 0-4.134l-.637-.622.011-.89a2.89 2.89 0 0 0-2.924-2.924l-.89.01-.622-.636zM8 4c.535 0 .954.462.9.995l-.35 3.507a.552.552 0 0 1-1.1 0L7.1 4.995A.905.905 0 0 1 8 4zm.002 6a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"/&gt;');// eslint-disable-next-line
var BIconPatchMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PatchMinus','&lt;path fill-rule="evenodd" d="M5.5 8a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="m10.273 2.513-.921-.944.715-.698.622.637.89-.011a2.89 2.89 0 0 1 2.924 2.924l-.01.89.636.622a2.89 2.89 0 0 1 0 4.134l-.637.622.011.89a2.89 2.89 0 0 1-2.924 2.924l-.89-.01-.622.636a2.89 2.89 0 0 1-4.134 0l-.622-.637-.89.011a2.89 2.89 0 0 1-2.924-2.924l.01-.89-.636-.622a2.89 2.89 0 0 1 0-4.134l.637-.622-.011-.89a2.89 2.89 0 0 1 2.924-2.924l.89.01.622-.636a2.89 2.89 0 0 1 4.134 0l-.715.698a1.89 1.89 0 0 0-2.704 0l-.92.944-1.32-.016a1.89 1.89 0 0 0-1.911 1.912l.016 1.318-.944.921a1.89 1.89 0 0 0 0 2.704l.944.92-.016 1.32a1.89 1.89 0 0 0 1.912 1.911l1.318-.016.921.944a1.89 1.89 0 0 0 2.704 0l.92-.944 1.32.016a1.89 1.89 0 0 0 1.911-1.912l-.016-1.318.944-.921a1.89 1.89 0 0 0 0-2.704l-.944-.92.016-1.32a1.89 1.89 0 0 0-1.912-1.911l-1.318.016z"/&gt;');// eslint-disable-next-line
var BIconPatchMinusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PatchMinusFill','&lt;path d="M10.067.87a2.89 2.89 0 0 0-4.134 0l-.622.638-.89-.011a2.89 2.89 0 0 0-2.924 2.924l.01.89-.636.622a2.89 2.89 0 0 0 0 4.134l.637.622-.011.89a2.89 2.89 0 0 0 2.924 2.924l.89-.01.622.636a2.89 2.89 0 0 0 4.134 0l.622-.637.89.011a2.89 2.89 0 0 0 2.924-2.924l-.01-.89.636-.622a2.89 2.89 0 0 0 0-4.134l-.637-.622.011-.89a2.89 2.89 0 0 0-2.924-2.924l-.89.01-.622-.636zM6 7.5h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1 0-1z"/&gt;');// eslint-disable-next-line
var BIconPatchPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PatchPlus','&lt;path fill-rule="evenodd" d="M8 5.5a.5.5 0 0 1 .5.5v1.5H10a.5.5 0 0 1 0 1H8.5V10a.5.5 0 0 1-1 0V8.5H6a.5.5 0 0 1 0-1h1.5V6a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="m10.273 2.513-.921-.944.715-.698.622.637.89-.011a2.89 2.89 0 0 1 2.924 2.924l-.01.89.636.622a2.89 2.89 0 0 1 0 4.134l-.637.622.011.89a2.89 2.89 0 0 1-2.924 2.924l-.89-.01-.622.636a2.89 2.89 0 0 1-4.134 0l-.622-.637-.89.011a2.89 2.89 0 0 1-2.924-2.924l.01-.89-.636-.622a2.89 2.89 0 0 1 0-4.134l.637-.622-.011-.89a2.89 2.89 0 0 1 2.924-2.924l.89.01.622-.636a2.89 2.89 0 0 1 4.134 0l-.715.698a1.89 1.89 0 0 0-2.704 0l-.92.944-1.32-.016a1.89 1.89 0 0 0-1.911 1.912l.016 1.318-.944.921a1.89 1.89 0 0 0 0 2.704l.944.92-.016 1.32a1.89 1.89 0 0 0 1.912 1.911l1.318-.016.921.944a1.89 1.89 0 0 0 2.704 0l.92-.944 1.32.016a1.89 1.89 0 0 0 1.911-1.912l-.016-1.318.944-.921a1.89 1.89 0 0 0 0-2.704l-.944-.92.016-1.32a1.89 1.89 0 0 0-1.912-1.911l-1.318.016z"/&gt;');// eslint-disable-next-line
var BIconPatchPlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PatchPlusFill','&lt;path d="M10.067.87a2.89 2.89 0 0 0-4.134 0l-.622.638-.89-.011a2.89 2.89 0 0 0-2.924 2.924l.01.89-.636.622a2.89 2.89 0 0 0 0 4.134l.637.622-.011.89a2.89 2.89 0 0 0 2.924 2.924l.89-.01.622.636a2.89 2.89 0 0 0 4.134 0l.622-.637.89.011a2.89 2.89 0 0 0 2.924-2.924l-.01-.89.636-.622a2.89 2.89 0 0 0 0-4.134l-.637-.622.011-.89a2.89 2.89 0 0 0-2.924-2.924l-.89.01-.622-.636zM8.5 6v1.5H10a.5.5 0 0 1 0 1H8.5V10a.5.5 0 0 1-1 0V8.5H6a.5.5 0 0 1 0-1h1.5V6a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconPatchQuestion=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PatchQuestion','&lt;path d="M8.05 9.6c.336 0 .504-.24.554-.627.04-.534.198-.815.847-1.26.673-.475 1.049-1.09 1.049-1.986 0-1.325-.92-2.227-2.262-2.227-1.02 0-1.792.492-2.1 1.29A1.71 1.71 0 0 0 6 5.48c0 .393.203.64.545.64.272 0 .455-.147.564-.51.158-.592.525-.915 1.074-.915.61 0 1.03.446 1.03 1.084 0 .563-.208.885-.822 1.325-.619.433-.926.914-.926 1.64v.111c0 .428.208.745.585.745z"/&gt;&lt;path d="m10.273 2.513-.921-.944.715-.698.622.637.89-.011a2.89 2.89 0 0 1 2.924 2.924l-.01.89.636.622a2.89 2.89 0 0 1 0 4.134l-.637.622.011.89a2.89 2.89 0 0 1-2.924 2.924l-.89-.01-.622.636a2.89 2.89 0 0 1-4.134 0l-.622-.637-.89.011a2.89 2.89 0 0 1-2.924-2.924l.01-.89-.636-.622a2.89 2.89 0 0 1 0-4.134l.637-.622-.011-.89a2.89 2.89 0 0 1 2.924-2.924l.89.01.622-.636a2.89 2.89 0 0 1 4.134 0l-.715.698a1.89 1.89 0 0 0-2.704 0l-.92.944-1.32-.016a1.89 1.89 0 0 0-1.911 1.912l.016 1.318-.944.921a1.89 1.89 0 0 0 0 2.704l.944.92-.016 1.32a1.89 1.89 0 0 0 1.912 1.911l1.318-.016.921.944a1.89 1.89 0 0 0 2.704 0l.92-.944 1.32.016a1.89 1.89 0 0 0 1.911-1.912l-.016-1.318.944-.921a1.89 1.89 0 0 0 0-2.704l-.944-.92.016-1.32a1.89 1.89 0 0 0-1.912-1.911l-1.318.016z"/&gt;&lt;path d="M7.001 11a1 1 0 1 1 2 0 1 1 0 0 1-2 0z"/&gt;');// eslint-disable-next-line
var BIconPatchQuestionFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PatchQuestionFill','&lt;path d="M5.933.87a2.89 2.89 0 0 1 4.134 0l.622.638.89-.011a2.89 2.89 0 0 1 2.924 2.924l-.01.89.636.622a2.89 2.89 0 0 1 0 4.134l-.637.622.011.89a2.89 2.89 0 0 1-2.924 2.924l-.89-.01-.622.636a2.89 2.89 0 0 1-4.134 0l-.622-.637-.89.011a2.89 2.89 0 0 1-2.924-2.924l.01-.89-.636-.622a2.89 2.89 0 0 1 0-4.134l.637-.622-.011-.89a2.89 2.89 0 0 1 2.924-2.924l.89.01.622-.636zM7.002 11a1 1 0 1 0 2 0 1 1 0 0 0-2 0zm1.602-2.027c.04-.534.198-.815.846-1.26.674-.475 1.05-1.09 1.05-1.986 0-1.325-.92-2.227-2.262-2.227-1.02 0-1.792.492-2.1 1.29A1.71 1.71 0 0 0 6 5.48c0 .393.203.64.545.64.272 0 .455-.147.564-.51.158-.592.525-.915 1.074-.915.61 0 1.03.446 1.03 1.084 0 .563-.208.885-.822 1.325-.619.433-.926.914-.926 1.64v.111c0 .428.208.745.585.745.336 0 .504-.24.554-.627z"/&gt;');// eslint-disable-next-line
var BIconPause=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Pause','&lt;path d="M6 3.5a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-1 0V4a.5.5 0 0 1 .5-.5zm4 0a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-1 0V4a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconPauseBtn=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PauseBtn','&lt;path d="M6.25 5C5.56 5 5 5.56 5 6.25v3.5a1.25 1.25 0 1 0 2.5 0v-3.5C7.5 5.56 6.94 5 6.25 5zm3.5 0c-.69 0-1.25.56-1.25 1.25v3.5a1.25 1.25 0 1 0 2.5 0v-3.5C11 5.56 10.44 5 9.75 5z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm15 0a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4z"/&gt;');// eslint-disable-next-line
var BIconPauseBtnFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PauseBtnFill','&lt;path d="M0 12V4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2zm6.25-7C5.56 5 5 5.56 5 6.25v3.5a1.25 1.25 0 1 0 2.5 0v-3.5C7.5 5.56 6.94 5 6.25 5zm3.5 0c-.69 0-1.25.56-1.25 1.25v3.5a1.25 1.25 0 1 0 2.5 0v-3.5C11 5.56 10.44 5 9.75 5z"/&gt;');// eslint-disable-next-line
var BIconPauseCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PauseCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M5 6.25a1.25 1.25 0 1 1 2.5 0v3.5a1.25 1.25 0 1 1-2.5 0v-3.5zm3.5 0a1.25 1.25 0 1 1 2.5 0v3.5a1.25 1.25 0 1 1-2.5 0v-3.5z"/&gt;');// eslint-disable-next-line
var BIconPauseCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PauseCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM6.25 5C5.56 5 5 5.56 5 6.25v3.5a1.25 1.25 0 1 0 2.5 0v-3.5C7.5 5.56 6.94 5 6.25 5zm3.5 0c-.69 0-1.25.56-1.25 1.25v3.5a1.25 1.25 0 1 0 2.5 0v-3.5C11 5.56 10.44 5 9.75 5z"/&gt;');// eslint-disable-next-line
var BIconPauseFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PauseFill','&lt;path d="M5.5 3.5A1.5 1.5 0 0 1 7 5v6a1.5 1.5 0 0 1-3 0V5a1.5 1.5 0 0 1 1.5-1.5zm5 0A1.5 1.5 0 0 1 12 5v6a1.5 1.5 0 0 1-3 0V5a1.5 1.5 0 0 1 1.5-1.5z"/&gt;');// eslint-disable-next-line
var BIconPeace=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Peace','&lt;path d="M7.5 1.018a7 7 0 0 0-4.79 11.566L7.5 7.793V1.018zm1 0v6.775l4.79 4.79A7 7 0 0 0 8.5 1.018zm4.084 12.273L8.5 9.207v5.775a6.97 6.97 0 0 0 4.084-1.691zM7.5 14.982V9.207l-4.084 4.084A6.97 6.97 0 0 0 7.5 14.982zM0 8a8 8 0 1 1 16 0A8 8 0 0 1 0 8z"/&gt;');// eslint-disable-next-line
var BIconPeaceFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PeaceFill','&lt;path d="M14 13.292A8 8 0 0 0 8.5.015v7.778l5.5 5.5zm-.708.708L8.5 9.206v6.778a7.967 7.967 0 0 0 4.792-1.986zM7.5 15.985V9.207L2.708 14A7.967 7.967 0 0 0 7.5 15.985zM2 13.292A8 8 0 0 1 7.5.015v7.778l-5.5 5.5z"/&gt;');// eslint-disable-next-line
var BIconPen=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Pen','&lt;path d="m13.498.795.149-.149a1.207 1.207 0 1 1 1.707 1.708l-.149.148a1.5 1.5 0 0 1-.059 2.059L4.854 14.854a.5.5 0 0 1-.233.131l-4 1a.5.5 0 0 1-.606-.606l1-4a.5.5 0 0 1 .131-.232l9.642-9.642a.5.5 0 0 0-.642.056L6.854 4.854a.5.5 0 1 1-.708-.708L9.44.854A1.5 1.5 0 0 1 11.5.796a1.5 1.5 0 0 1 1.998-.001zm-.644.766a.5.5 0 0 0-.707 0L1.95 11.756l-.764 3.057 3.057-.764L14.44 3.854a.5.5 0 0 0 0-.708l-1.585-1.585z"/&gt;');// eslint-disable-next-line
var BIconPenFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PenFill','&lt;path d="m13.498.795.149-.149a1.207 1.207 0 1 1 1.707 1.708l-.149.148a1.5 1.5 0 0 1-.059 2.059L4.854 14.854a.5.5 0 0 1-.233.131l-4 1a.5.5 0 0 1-.606-.606l1-4a.5.5 0 0 1 .131-.232l9.642-9.642a.5.5 0 0 0-.642.056L6.854 4.854a.5.5 0 1 1-.708-.708L9.44.854A1.5 1.5 0 0 1 11.5.796a1.5 1.5 0 0 1 1.998-.001z"/&gt;');// eslint-disable-next-line
var BIconPencil=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Pencil','&lt;path d="M12.146.146a.5.5 0 0 1 .708 0l3 3a.5.5 0 0 1 0 .708l-10 10a.5.5 0 0 1-.168.11l-5 2a.5.5 0 0 1-.65-.65l2-5a.5.5 0 0 1 .11-.168l10-10zM11.207 2.5 13.5 4.793 14.793 3.5 12.5 1.207 11.207 2.5zm1.586 3L10.5 3.207 4 9.707V10h.5a.5.5 0 0 1 .5.5v.5h.5a.5.5 0 0 1 .5.5v.5h.293l6.5-6.5zm-9.761 5.175-.106.106-1.528 3.821 3.821-1.528.106-.106A.5.5 0 0 1 5 12.5V12h-.5a.5.5 0 0 1-.5-.5V11h-.5a.5.5 0 0 1-.468-.325z"/&gt;');// eslint-disable-next-line
var BIconPencilFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PencilFill','&lt;path d="M12.854.146a.5.5 0 0 0-.707 0L10.5 1.793 14.207 5.5l1.647-1.646a.5.5 0 0 0 0-.708l-3-3zm.646 6.061L9.793 2.5 3.293 9H3.5a.5.5 0 0 1 .5.5v.5h.5a.5.5 0 0 1 .5.5v.5h.5a.5.5 0 0 1 .5.5v.5h.5a.5.5 0 0 1 .5.5v.207l6.5-6.5zm-7.468 7.468A.5.5 0 0 1 6 13.5V13h-.5a.5.5 0 0 1-.5-.5V12h-.5a.5.5 0 0 1-.5-.5V11h-.5a.5.5 0 0 1-.5-.5V10h-.5a.499.499 0 0 1-.175-.032l-.179.178a.5.5 0 0 0-.11.168l-2 5a.5.5 0 0 0 .65.65l5-2a.5.5 0 0 0 .168-.11l.178-.178z"/&gt;');// eslint-disable-next-line
var BIconPencilSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PencilSquare','&lt;path d="M15.502 1.94a.5.5 0 0 1 0 .706L14.459 3.69l-2-2L13.502.646a.5.5 0 0 1 .707 0l1.293 1.293zm-1.75 2.456-2-2L4.939 9.21a.5.5 0 0 0-.121.196l-.805 2.414a.25.25 0 0 0 .316.316l2.414-.805a.5.5 0 0 0 .196-.12l6.813-6.814z"/&gt;&lt;path fill-rule="evenodd" d="M1 13.5A1.5 1.5 0 0 0 2.5 15h11a1.5 1.5 0 0 0 1.5-1.5v-6a.5.5 0 0 0-1 0v6a.5.5 0 0 1-.5.5h-11a.5.5 0 0 1-.5-.5v-11a.5.5 0 0 1 .5-.5H9a.5.5 0 0 0 0-1H2.5A1.5 1.5 0 0 0 1 2.5v11z"/&gt;');// eslint-disable-next-line
var BIconPentagon=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Pentagon','&lt;path d="m8 1.288 6.842 5.56L12.267 15H3.733L1.158 6.847 8 1.288zM16 6.5 8 0 0 6.5 3 16h10l3-9.5z"/&gt;');// eslint-disable-next-line
var BIconPentagonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PentagonFill','&lt;path d="m8 0 8 6.5-3 9.5H3L0 6.5 8 0z"/&gt;');// eslint-disable-next-line
var BIconPentagonHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PentagonHalf','&lt;path d="m8 1.288 6.842 5.56L12.267 15H8V1.288zM16 6.5 8 0 0 6.5 3 16h10l3-9.5z"/&gt;');// eslint-disable-next-line
var BIconPeople=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('People','&lt;path d="M15 14s1 0 1-1-1-4-5-4-5 3-5 4 1 1 1 1h8zm-7.978-1A.261.261 0 0 1 7 12.996c.001-.264.167-1.03.76-1.72C8.312 10.629 9.282 10 11 10c1.717 0 2.687.63 3.24 1.276.593.69.758 1.457.76 1.72l-.008.002a.274.274 0 0 1-.014.002H7.022zM11 7a2 2 0 1 0 0-4 2 2 0 0 0 0 4zm3-2a3 3 0 1 1-6 0 3 3 0 0 1 6 0zM6.936 9.28a5.88 5.88 0 0 0-1.23-.247A7.35 7.35 0 0 0 5 9c-4 0-5 3-5 4 0 .667.333 1 1 1h4.216A2.238 2.238 0 0 1 5 13c0-1.01.377-2.042 1.09-2.904.243-.294.526-.569.846-.816zM4.92 10A5.493 5.493 0 0 0 4 13H1c0-.26.164-1.03.76-1.724.545-.636 1.492-1.256 3.16-1.275zM1.5 5.5a3 3 0 1 1 6 0 3 3 0 0 1-6 0zm3-2a2 2 0 1 0 0 4 2 2 0 0 0 0-4z"/&gt;');// eslint-disable-next-line
var BIconPeopleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PeopleFill','&lt;path d="M7 14s-1 0-1-1 1-4 5-4 5 3 5 4-1 1-1 1H7zm4-6a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;&lt;path fill-rule="evenodd" d="M5.216 14A2.238 2.238 0 0 1 5 13c0-1.355.68-2.75 1.936-3.72A6.325 6.325 0 0 0 5 9c-4 0-5 3-5 4s1 1 1 1h4.216z"/&gt;&lt;path d="M4.5 8a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5z"/&gt;');// eslint-disable-next-line
var BIconPercent=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Percent','&lt;path d="M13.442 2.558a.625.625 0 0 1 0 .884l-10 10a.625.625 0 1 1-.884-.884l10-10a.625.625 0 0 1 .884 0zM4.5 6a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zm0 1a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5zm7 6a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zm0 1a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5z"/&gt;');// eslint-disable-next-line
var BIconPerson=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Person','&lt;path d="M8 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6zm2-3a2 2 0 1 1-4 0 2 2 0 0 1 4 0zm4 8c0 1-1 1-1 1H3s-1 0-1-1 1-4 6-4 6 3 6 4zm-1-.004c-.001-.246-.154-.986-.832-1.664C11.516 10.68 10.289 10 8 10c-2.29 0-3.516.68-4.168 1.332-.678.678-.83 1.418-.832 1.664h10z"/&gt;');// eslint-disable-next-line
var BIconPersonBadge=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonBadge','&lt;path d="M6.5 2a.5.5 0 0 0 0 1h3a.5.5 0 0 0 0-1h-3zM11 8a3 3 0 1 1-6 0 3 3 0 0 1 6 0z"/&gt;&lt;path d="M4.5 0A2.5 2.5 0 0 0 2 2.5V14a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2.5A2.5 2.5 0 0 0 11.5 0h-7zM3 2.5A1.5 1.5 0 0 1 4.5 1h7A1.5 1.5 0 0 1 13 2.5v10.795a4.2 4.2 0 0 0-.776-.492C11.392 12.387 10.063 12 8 12s-3.392.387-4.224.803a4.2 4.2 0 0 0-.776.492V2.5z"/&gt;');// eslint-disable-next-line
var BIconPersonBadgeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonBadgeFill','&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm4.5 0a.5.5 0 0 0 0 1h3a.5.5 0 0 0 0-1h-3zM8 11a3 3 0 1 0 0-6 3 3 0 0 0 0 6zm5 2.755C12.146 12.825 10.623 12 8 12s-4.146.826-5 1.755V14a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1v-.245z"/&gt;');// eslint-disable-next-line
var BIconPersonBoundingBox=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonBoundingBox','&lt;path d="M1.5 1a.5.5 0 0 0-.5.5v3a.5.5 0 0 1-1 0v-3A1.5 1.5 0 0 1 1.5 0h3a.5.5 0 0 1 0 1h-3zM11 .5a.5.5 0 0 1 .5-.5h3A1.5 1.5 0 0 1 16 1.5v3a.5.5 0 0 1-1 0v-3a.5.5 0 0 0-.5-.5h-3a.5.5 0 0 1-.5-.5zM.5 11a.5.5 0 0 1 .5.5v3a.5.5 0 0 0 .5.5h3a.5.5 0 0 1 0 1h-3A1.5 1.5 0 0 1 0 14.5v-3a.5.5 0 0 1 .5-.5zm15 0a.5.5 0 0 1 .5.5v3a1.5 1.5 0 0 1-1.5 1.5h-3a.5.5 0 0 1 0-1h3a.5.5 0 0 0 .5-.5v-3a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M3 14s-1 0-1-1 1-4 6-4 6 3 6 4-1 1-1 1H3zm8-9a3 3 0 1 1-6 0 3 3 0 0 1 6 0z"/&gt;');// eslint-disable-next-line
var BIconPersonCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonCheck','&lt;path d="M6 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6zm2-3a2 2 0 1 1-4 0 2 2 0 0 1 4 0zm4 8c0 1-1 1-1 1H1s-1 0-1-1 1-4 6-4 6 3 6 4zm-1-.004c-.001-.246-.154-.986-.832-1.664C9.516 10.68 8.289 10 6 10c-2.29 0-3.516.68-4.168 1.332-.678.678-.83 1.418-.832 1.664h10z"/&gt;&lt;path fill-rule="evenodd" d="M15.854 5.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 0 1 .708-.708L12.5 7.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconPersonCheckFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonCheckFill','&lt;path fill-rule="evenodd" d="M15.854 5.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 0 1 .708-.708L12.5 7.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;&lt;path d="M1 14s-1 0-1-1 1-4 6-4 6 3 6 4-1 1-1 1H1zm5-6a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;');// eslint-disable-next-line
var BIconPersonCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonCircle','&lt;path d="M11 6a3 3 0 1 1-6 0 3 3 0 0 1 6 0z"/&gt;&lt;path fill-rule="evenodd" d="M0 8a8 8 0 1 1 16 0A8 8 0 0 1 0 8zm8-7a7 7 0 0 0-5.468 11.37C3.242 11.226 4.805 10 8 10s4.757 1.225 5.468 2.37A7 7 0 0 0 8 1z"/&gt;');// eslint-disable-next-line
var BIconPersonDash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonDash','&lt;path d="M6 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6zm2-3a2 2 0 1 1-4 0 2 2 0 0 1 4 0zm4 8c0 1-1 1-1 1H1s-1 0-1-1 1-4 6-4 6 3 6 4zm-1-.004c-.001-.246-.154-.986-.832-1.664C9.516 10.68 8.289 10 6 10c-2.29 0-3.516.68-4.168 1.332-.678.678-.83 1.418-.832 1.664h10z"/&gt;&lt;path fill-rule="evenodd" d="M11 7.5a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1h-4a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconPersonDashFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonDashFill','&lt;path fill-rule="evenodd" d="M11 7.5a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1h-4a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M1 14s-1 0-1-1 1-4 6-4 6 3 6 4-1 1-1 1H1zm5-6a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;');// eslint-disable-next-line
var BIconPersonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonFill','&lt;path d="M3 14s-1 0-1-1 1-4 6-4 6 3 6 4-1 1-1 1H3zm5-6a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;');// eslint-disable-next-line
var BIconPersonLinesFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonLinesFill','&lt;path d="M6 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6zm-5 6s-1 0-1-1 1-4 6-4 6 3 6 4-1 1-1 1H1zM11 3.5a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1h-4a.5.5 0 0 1-.5-.5zm.5 2.5a.5.5 0 0 0 0 1h4a.5.5 0 0 0 0-1h-4zm2 3a.5.5 0 0 0 0 1h2a.5.5 0 0 0 0-1h-2zm0 3a.5.5 0 0 0 0 1h2a.5.5 0 0 0 0-1h-2z"/&gt;');// eslint-disable-next-line
var BIconPersonPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonPlus','&lt;path d="M6 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6zm2-3a2 2 0 1 1-4 0 2 2 0 0 1 4 0zm4 8c0 1-1 1-1 1H1s-1 0-1-1 1-4 6-4 6 3 6 4zm-1-.004c-.001-.246-.154-.986-.832-1.664C9.516 10.68 8.289 10 6 10c-2.29 0-3.516.68-4.168 1.332-.678.678-.83 1.418-.832 1.664h10z"/&gt;&lt;path fill-rule="evenodd" d="M13.5 5a.5.5 0 0 1 .5.5V7h1.5a.5.5 0 0 1 0 1H14v1.5a.5.5 0 0 1-1 0V8h-1.5a.5.5 0 0 1 0-1H13V5.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconPersonPlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonPlusFill','&lt;path d="M1 14s-1 0-1-1 1-4 6-4 6 3 6 4-1 1-1 1H1zm5-6a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;&lt;path fill-rule="evenodd" d="M13.5 5a.5.5 0 0 1 .5.5V7h1.5a.5.5 0 0 1 0 1H14v1.5a.5.5 0 0 1-1 0V8h-1.5a.5.5 0 0 1 0-1H13V5.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconPersonSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonSquare','&lt;path d="M11 6a3 3 0 1 1-6 0 3 3 0 0 1 6 0z"/&gt;&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm12 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1v-1c0-1-1-4-6-4s-6 3-6 4v1a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12z"/&gt;');// eslint-disable-next-line
var BIconPersonX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonX','&lt;path d="M6 8a3 3 0 1 0 0-6 3 3 0 0 0 0 6zm2-3a2 2 0 1 1-4 0 2 2 0 0 1 4 0zm4 8c0 1-1 1-1 1H1s-1 0-1-1 1-4 6-4 6 3 6 4zm-1-.004c-.001-.246-.154-.986-.832-1.664C9.516 10.68 8.289 10 6 10c-2.29 0-3.516.68-4.168 1.332-.678.678-.83 1.418-.832 1.664h10z"/&gt;&lt;path fill-rule="evenodd" d="M12.146 5.146a.5.5 0 0 1 .708 0L14 6.293l1.146-1.147a.5.5 0 0 1 .708.708L14.707 7l1.147 1.146a.5.5 0 0 1-.708.708L14 7.707l-1.146 1.147a.5.5 0 0 1-.708-.708L13.293 7l-1.147-1.146a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconPersonXFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PersonXFill','&lt;path fill-rule="evenodd" d="M1 14s-1 0-1-1 1-4 6-4 6 3 6 4-1 1-1 1H1zm5-6a3 3 0 1 0 0-6 3 3 0 0 0 0 6zm6.146-2.854a.5.5 0 0 1 .708 0L14 6.293l1.146-1.147a.5.5 0 0 1 .708.708L14.707 7l1.147 1.146a.5.5 0 0 1-.708.708L14 7.707l-1.146 1.147a.5.5 0 0 1-.708-.708L13.293 7l-1.147-1.146a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconPhone=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Phone','&lt;path d="M11 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H5a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h6zM5 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H5z"/&gt;&lt;path d="M8 14a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconPhoneFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PhoneFill','&lt;path d="M3 2a2 2 0 0 1 2-2h6a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V2zm6 11a1 1 0 1 0-2 0 1 1 0 0 0 2 0z"/&gt;');// eslint-disable-next-line
var BIconPhoneLandscape=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PhoneLandscape','&lt;path d="M1 4.5a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1v6a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1v-6zm-1 6a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2v-6a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v6z"/&gt;&lt;path d="M14 7.5a1 1 0 1 0-2 0 1 1 0 0 0 2 0z"/&gt;');// eslint-disable-next-line
var BIconPhoneLandscapeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PhoneLandscapeFill','&lt;path d="M2 12.5a2 2 0 0 1-2-2v-6a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v6a2 2 0 0 1-2 2H2zm11-6a1 1 0 1 0 0 2 1 1 0 0 0 0-2z"/&gt;');// eslint-disable-next-line
var BIconPhoneVibrate=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PhoneVibrate','&lt;path d="M10 3a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H6a1 1 0 0 1-1-1V4a1 1 0 0 1 1-1h4zM6 2a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h4a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H6z"/&gt;&lt;path d="M8 12a1 1 0 1 0 0-2 1 1 0 0 0 0 2zM1.599 4.058a.5.5 0 0 1 .208.676A6.967 6.967 0 0 0 1 8c0 1.18.292 2.292.807 3.266a.5.5 0 0 1-.884.468A7.968 7.968 0 0 1 0 8c0-1.347.334-2.619.923-3.734a.5.5 0 0 1 .676-.208zm12.802 0a.5.5 0 0 1 .676.208A7.967 7.967 0 0 1 16 8a7.967 7.967 0 0 1-.923 3.734.5.5 0 0 1-.884-.468A6.967 6.967 0 0 0 15 8c0-1.18-.292-2.292-.807-3.266a.5.5 0 0 1 .208-.676zM3.057 5.534a.5.5 0 0 1 .284.648A4.986 4.986 0 0 0 3 8c0 .642.12 1.255.34 1.818a.5.5 0 1 1-.93.364A5.986 5.986 0 0 1 2 8c0-.769.145-1.505.41-2.182a.5.5 0 0 1 .647-.284zm9.886 0a.5.5 0 0 1 .648.284C13.855 6.495 14 7.231 14 8c0 .769-.145 1.505-.41 2.182a.5.5 0 0 1-.93-.364C12.88 9.255 13 8.642 13 8c0-.642-.12-1.255-.34-1.818a.5.5 0 0 1 .283-.648z"/&gt;');// eslint-disable-next-line
var BIconPhoneVibrateFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PhoneVibrateFill','&lt;path d="M4 4a2 2 0 0 1 2-2h4a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H6a2 2 0 0 1-2-2V4zm5 7a1 1 0 1 0-2 0 1 1 0 0 0 2 0zM1.807 4.734a.5.5 0 1 0-.884-.468A7.967 7.967 0 0 0 0 8c0 1.347.334 2.618.923 3.734a.5.5 0 1 0 .884-.468A6.967 6.967 0 0 1 1 8c0-1.18.292-2.292.807-3.266zm13.27-.468a.5.5 0 0 0-.884.468C14.708 5.708 15 6.819 15 8c0 1.18-.292 2.292-.807 3.266a.5.5 0 0 0 .884.468A7.967 7.967 0 0 0 16 8a7.967 7.967 0 0 0-.923-3.734zM3.34 6.182a.5.5 0 1 0-.93-.364A5.986 5.986 0 0 0 2 8c0 .769.145 1.505.41 2.182a.5.5 0 1 0 .93-.364A4.986 4.986 0 0 1 3 8c0-.642.12-1.255.34-1.818zm10.25-.364a.5.5 0 0 0-.93.364c.22.563.34 1.176.34 1.818 0 .642-.12 1.255-.34 1.818a.5.5 0 0 0 .93.364C13.856 9.505 14 8.769 14 8c0-.769-.145-1.505-.41-2.182z"/&gt;');// eslint-disable-next-line
var BIconPieChart=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PieChart','&lt;path d="M7.5 1.018a7 7 0 0 0-4.79 11.566L7.5 7.793V1.018zm1 0V7.5h6.482A7.001 7.001 0 0 0 8.5 1.018zM14.982 8.5H8.207l-4.79 4.79A7 7 0 0 0 14.982 8.5zM0 8a8 8 0 1 1 16 0A8 8 0 0 1 0 8z"/&gt;');// eslint-disable-next-line
var BIconPieChartFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PieChartFill','&lt;path d="M15.985 8.5H8.207l-5.5 5.5a8 8 0 0 0 13.277-5.5zM2 13.292A8 8 0 0 1 7.5.015v7.778l-5.5 5.5zM8.5.015V7.5h7.485A8.001 8.001 0 0 0 8.5.015z"/&gt;');// eslint-disable-next-line
var BIconPiggyBank=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PiggyBank','&lt;path d="M5 6.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0zm1.138-1.496A6.613 6.613 0 0 1 7.964 4.5c.666 0 1.303.097 1.893.273a.5.5 0 0 0 .286-.958A7.602 7.602 0 0 0 7.964 3.5c-.734 0-1.441.103-2.102.292a.5.5 0 1 0 .276.962z"/&gt;&lt;path fill-rule="evenodd" d="M7.964 1.527c-2.977 0-5.571 1.704-6.32 4.125h-.55A1 1 0 0 0 .11 6.824l.254 1.46a1.5 1.5 0 0 0 1.478 1.243h.263c.3.513.688.978 1.145 1.382l-.729 2.477a.5.5 0 0 0 .48.641h2a.5.5 0 0 0 .471-.332l.482-1.351c.635.173 1.31.267 2.011.267.707 0 1.388-.095 2.028-.272l.543 1.372a.5.5 0 0 0 .465.316h2a.5.5 0 0 0 .478-.645l-.761-2.506C13.81 9.895 14.5 8.559 14.5 7.069c0-.145-.007-.29-.02-.431.261-.11.508-.266.705-.444.315.306.815.306.815-.417 0 .223-.5.223-.461-.026a.95.95 0 0 0 .09-.255.7.7 0 0 0-.202-.645.58.58 0 0 0-.707-.098.735.735 0 0 0-.375.562c-.024.243.082.48.32.654a2.112 2.112 0 0 1-.259.153c-.534-2.664-3.284-4.595-6.442-4.595zM2.516 6.26c.455-2.066 2.667-3.733 5.448-3.733 3.146 0 5.536 2.114 5.536 4.542 0 1.254-.624 2.41-1.67 3.248a.5.5 0 0 0-.165.535l.66 2.175h-.985l-.59-1.487a.5.5 0 0 0-.629-.288c-.661.23-1.39.359-2.157.359a6.558 6.558 0 0 1-2.157-.359.5.5 0 0 0-.635.304l-.525 1.471h-.979l.633-2.15a.5.5 0 0 0-.17-.534 4.649 4.649 0 0 1-1.284-1.541.5.5 0 0 0-.446-.275h-.56a.5.5 0 0 1-.492-.414l-.254-1.46h.933a.5.5 0 0 0 .488-.393zm12.621-.857a.565.565 0 0 1-.098.21.704.704 0 0 1-.044-.025c-.146-.09-.157-.175-.152-.223a.236.236 0 0 1 .117-.173c.049-.027.08-.021.113.012a.202.202 0 0 1 .064.199z"/&gt;');// eslint-disable-next-line
var BIconPiggyBankFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PiggyBankFill','&lt;path fill-rule="evenodd" d="M7.964 1.527c-2.977 0-5.571 1.704-6.32 4.125h-.55A1 1 0 0 0 .11 6.824l.254 1.46a1.5 1.5 0 0 0 1.478 1.243h.263c.3.513.688.978 1.145 1.382l-.729 2.477a.5.5 0 0 0 .48.641h2a.5.5 0 0 0 .471-.332l.482-1.351c.635.173 1.31.267 2.011.267.707 0 1.388-.095 2.028-.272l.543 1.372a.5.5 0 0 0 .465.316h2a.5.5 0 0 0 .478-.645l-.761-2.506C13.81 9.895 14.5 8.559 14.5 7.069c0-.145-.007-.29-.02-.431.261-.11.508-.266.705-.444.315.306.815.306.815-.417 0 .223-.5.223-.461-.026a.95.95 0 0 0 .09-.255.7.7 0 0 0-.202-.645.58.58 0 0 0-.707-.098.735.735 0 0 0-.375.562c-.024.243.082.48.32.654a2.112 2.112 0 0 1-.259.153c-.534-2.664-3.284-4.595-6.442-4.595zm7.173 3.876a.565.565 0 0 1-.098.21.704.704 0 0 1-.044-.025c-.146-.09-.157-.175-.152-.223a.236.236 0 0 1 .117-.173c.049-.027.08-.021.113.012a.202.202 0 0 1 .064.199zm-8.999-.65A6.613 6.613 0 0 1 7.964 4.5c.666 0 1.303.097 1.893.273a.5.5 0 1 0 .286-.958A7.601 7.601 0 0 0 7.964 3.5c-.734 0-1.441.103-2.102.292a.5.5 0 1 0 .276.962zM5 6.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0z"/&gt;');// eslint-disable-next-line
var BIconPin=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Pin','&lt;path d="M4.146.146A.5.5 0 0 1 4.5 0h7a.5.5 0 0 1 .5.5c0 .68-.342 1.174-.646 1.479-.126.125-.25.224-.354.298v4.431l.078.048c.203.127.476.314.751.555C12.36 7.775 13 8.527 13 9.5a.5.5 0 0 1-.5.5h-4v4.5c0 .276-.224 1.5-.5 1.5s-.5-1.224-.5-1.5V10h-4a.5.5 0 0 1-.5-.5c0-.973.64-1.725 1.17-2.189A5.921 5.921 0 0 1 5 6.708V2.277a2.77 2.77 0 0 1-.354-.298C4.342 1.674 4 1.179 4 .5a.5.5 0 0 1 .146-.354zm1.58 1.408-.002-.001.002.001zm-.002-.001.002.001A.5.5 0 0 1 6 2v5a.5.5 0 0 1-.276.447h-.002l-.012.007-.054.03a4.922 4.922 0 0 0-.827.58c-.318.278-.585.596-.725.936h7.792c-.14-.34-.407-.658-.725-.936a4.915 4.915 0 0 0-.881-.61l-.012-.006h-.002A.5.5 0 0 1 10 7V2a.5.5 0 0 1 .295-.458 1.775 1.775 0 0 0 .351-.271c.08-.08.155-.17.214-.271H5.14c.06.1.133.191.214.271a1.78 1.78 0 0 0 .37.282z"/&gt;');// eslint-disable-next-line
var BIconPinAngle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PinAngle','&lt;path d="M9.828.722a.5.5 0 0 1 .354.146l4.95 4.95a.5.5 0 0 1 0 .707c-.48.48-1.072.588-1.503.588-.177 0-.335-.018-.46-.039l-3.134 3.134a5.927 5.927 0 0 1 .16 1.013c.046.702-.032 1.687-.72 2.375a.5.5 0 0 1-.707 0l-2.829-2.828-3.182 3.182c-.195.195-1.219.902-1.414.707-.195-.195.512-1.22.707-1.414l3.182-3.182-2.828-2.829a.5.5 0 0 1 0-.707c.688-.688 1.673-.767 2.375-.72a5.922 5.922 0 0 1 1.013.16l3.134-3.133a2.772 2.772 0 0 1-.04-.461c0-.43.108-1.022.589-1.503a.5.5 0 0 1 .353-.146zm.122 2.112v-.002.002zm0-.002v.002a.5.5 0 0 1-.122.51L6.293 6.878a.5.5 0 0 1-.511.12H5.78l-.014-.004a4.507 4.507 0 0 0-.288-.076 4.922 4.922 0 0 0-.765-.116c-.422-.028-.836.008-1.175.15l5.51 5.509c.141-.34.177-.753.149-1.175a4.924 4.924 0 0 0-.192-1.054l-.004-.013v-.001a.5.5 0 0 1 .12-.512l3.536-3.535a.5.5 0 0 1 .532-.115l.096.022c.087.017.208.034.344.034.114 0 .23-.011.343-.04L9.927 2.028c-.029.113-.04.23-.04.343a1.779 1.779 0 0 0 .062.46z"/&gt;');// eslint-disable-next-line
var BIconPinAngleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PinAngleFill','&lt;path d="M9.828.722a.5.5 0 0 1 .354.146l4.95 4.95a.5.5 0 0 1 0 .707c-.48.48-1.072.588-1.503.588-.177 0-.335-.018-.46-.039l-3.134 3.134a5.927 5.927 0 0 1 .16 1.013c.046.702-.032 1.687-.72 2.375a.5.5 0 0 1-.707 0l-2.829-2.828-3.182 3.182c-.195.195-1.219.902-1.414.707-.195-.195.512-1.22.707-1.414l3.182-3.182-2.828-2.829a.5.5 0 0 1 0-.707c.688-.688 1.673-.767 2.375-.72a5.922 5.922 0 0 1 1.013.16l3.134-3.133a2.772 2.772 0 0 1-.04-.461c0-.43.108-1.022.589-1.503a.5.5 0 0 1 .353-.146z"/&gt;');// eslint-disable-next-line
var BIconPinFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PinFill','&lt;path d="M4.146.146A.5.5 0 0 1 4.5 0h7a.5.5 0 0 1 .5.5c0 .68-.342 1.174-.646 1.479-.126.125-.25.224-.354.298v4.431l.078.048c.203.127.476.314.751.555C12.36 7.775 13 8.527 13 9.5a.5.5 0 0 1-.5.5h-4v4.5c0 .276-.224 1.5-.5 1.5s-.5-1.224-.5-1.5V10h-4a.5.5 0 0 1-.5-.5c0-.973.64-1.725 1.17-2.189A5.921 5.921 0 0 1 5 6.708V2.277a2.77 2.77 0 0 1-.354-.298C4.342 1.674 4 1.179 4 .5a.5.5 0 0 1 .146-.354z"/&gt;');// eslint-disable-next-line
var BIconPinMap=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PinMap','&lt;path fill-rule="evenodd" d="M3.1 11.2a.5.5 0 0 1 .4-.2H6a.5.5 0 0 1 0 1H3.75L1.5 15h13l-2.25-3H10a.5.5 0 0 1 0-1h2.5a.5.5 0 0 1 .4.2l3 4a.5.5 0 0 1-.4.8H.5a.5.5 0 0 1-.4-.8l3-4z"/&gt;&lt;path fill-rule="evenodd" d="M8 1a3 3 0 1 0 0 6 3 3 0 0 0 0-6zM4 4a4 4 0 1 1 4.5 3.969V13.5a.5.5 0 0 1-1 0V7.97A4 4 0 0 1 4 3.999z"/&gt;');// eslint-disable-next-line
var BIconPinMapFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PinMapFill','&lt;path fill-rule="evenodd" d="M3.1 11.2a.5.5 0 0 1 .4-.2H6a.5.5 0 0 1 0 1H3.75L1.5 15h13l-2.25-3H10a.5.5 0 0 1 0-1h2.5a.5.5 0 0 1 .4.2l3 4a.5.5 0 0 1-.4.8H.5a.5.5 0 0 1-.4-.8l3-4z"/&gt;&lt;path fill-rule="evenodd" d="M4 4a4 4 0 1 1 4.5 3.969V13.5a.5.5 0 0 1-1 0V7.97A4 4 0 0 1 4 3.999z"/&gt;');// eslint-disable-next-line
var BIconPip=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Pip','&lt;path d="M0 3.5A1.5 1.5 0 0 1 1.5 2h13A1.5 1.5 0 0 1 16 3.5v9a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 0 12.5v-9zM1.5 3a.5.5 0 0 0-.5.5v9a.5.5 0 0 0 .5.5h13a.5.5 0 0 0 .5-.5v-9a.5.5 0 0 0-.5-.5h-13z"/&gt;&lt;path d="M8 8.5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-.5.5h-5a.5.5 0 0 1-.5-.5v-3z"/&gt;');// eslint-disable-next-line
var BIconPipFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PipFill','&lt;path d="M1.5 2A1.5 1.5 0 0 0 0 3.5v9A1.5 1.5 0 0 0 1.5 14h13a1.5 1.5 0 0 0 1.5-1.5v-9A1.5 1.5 0 0 0 14.5 2h-13zm7 6h5a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-.5.5h-5a.5.5 0 0 1-.5-.5v-3a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconPlay=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Play','&lt;path d="M10.804 8 5 4.633v6.734L10.804 8zm.792-.696a.802.802 0 0 1 0 1.392l-6.363 3.692C4.713 12.69 4 12.345 4 11.692V4.308c0-.653.713-.998 1.233-.696l6.363 3.692z"/&gt;');// eslint-disable-next-line
var BIconPlayBtn=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlayBtn','&lt;path d="M6.79 5.093A.5.5 0 0 0 6 5.5v5a.5.5 0 0 0 .79.407l3.5-2.5a.5.5 0 0 0 0-.814l-3.5-2.5z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm15 0a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4z"/&gt;');// eslint-disable-next-line
var BIconPlayBtnFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlayBtnFill','&lt;path d="M0 12V4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2zm6.79-6.907A.5.5 0 0 0 6 5.5v5a.5.5 0 0 0 .79.407l3.5-2.5a.5.5 0 0 0 0-.814l-3.5-2.5z"/&gt;');// eslint-disable-next-line
var BIconPlayCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlayCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M6.271 5.055a.5.5 0 0 1 .52.038l3.5 2.5a.5.5 0 0 1 0 .814l-3.5 2.5A.5.5 0 0 1 6 10.5v-5a.5.5 0 0 1 .271-.445z"/&gt;');// eslint-disable-next-line
var BIconPlayCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlayCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM6.79 5.093A.5.5 0 0 0 6 5.5v5a.5.5 0 0 0 .79.407l3.5-2.5a.5.5 0 0 0 0-.814l-3.5-2.5z"/&gt;');// eslint-disable-next-line
var BIconPlayFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlayFill','&lt;path d="m11.596 8.697-6.363 3.692c-.54.313-1.233-.066-1.233-.697V4.308c0-.63.692-1.01 1.233-.696l6.363 3.692a.802.802 0 0 1 0 1.393z"/&gt;');// eslint-disable-next-line
var BIconPlug=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Plug','&lt;path d="M6 0a.5.5 0 0 1 .5.5V3h3V.5a.5.5 0 0 1 1 0V3h1a.5.5 0 0 1 .5.5v3A3.5 3.5 0 0 1 8.5 10c-.002.434-.01.845-.04 1.22-.041.514-.126 1.003-.317 1.424a2.083 2.083 0 0 1-.97 1.028C6.725 13.9 6.169 14 5.5 14c-.998 0-1.61.33-1.974.718A1.922 1.922 0 0 0 3 16H2c0-.616.232-1.367.797-1.968C3.374 13.42 4.261 13 5.5 13c.581 0 .962-.088 1.218-.219.241-.123.4-.3.514-.55.121-.266.193-.621.23-1.09.027-.34.035-.718.037-1.141A3.5 3.5 0 0 1 4 6.5v-3a.5.5 0 0 1 .5-.5h1V.5A.5.5 0 0 1 6 0zM5 4v2.5A2.5 2.5 0 0 0 7.5 9h1A2.5 2.5 0 0 0 11 6.5V4H5z"/&gt;');// eslint-disable-next-line
var BIconPlugFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlugFill','&lt;path d="M6 0a.5.5 0 0 1 .5.5V3h3V.5a.5.5 0 0 1 1 0V3h1a.5.5 0 0 1 .5.5v3A3.5 3.5 0 0 1 8.5 10c-.002.434-.01.845-.04 1.22-.041.514-.126 1.003-.317 1.424a2.083 2.083 0 0 1-.97 1.028C6.725 13.9 6.169 14 5.5 14c-.998 0-1.61.33-1.974.718A1.922 1.922 0 0 0 3 16H2c0-.616.232-1.367.797-1.968C3.374 13.42 4.261 13 5.5 13c.581 0 .962-.088 1.218-.219.241-.123.4-.3.514-.55.121-.266.193-.621.23-1.09.027-.34.035-.718.037-1.141A3.5 3.5 0 0 1 4 6.5v-3a.5.5 0 0 1 .5-.5h1V.5A.5.5 0 0 1 6 0z"/&gt;');// eslint-disable-next-line
var BIconPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Plus','&lt;path d="M8 4a.5.5 0 0 1 .5.5v3h3a.5.5 0 0 1 0 1h-3v3a.5.5 0 0 1-1 0v-3h-3a.5.5 0 0 1 0-1h3v-3A.5.5 0 0 1 8 4z"/&gt;');// eslint-disable-next-line
var BIconPlusCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlusCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M8 4a.5.5 0 0 1 .5.5v3h3a.5.5 0 0 1 0 1h-3v3a.5.5 0 0 1-1 0v-3h-3a.5.5 0 0 1 0-1h3v-3A.5.5 0 0 1 8 4z"/&gt;');// eslint-disable-next-line
var BIconPlusCircleDotted=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlusCircleDotted','&lt;path d="M8 0c-.176 0-.35.006-.523.017l.064.998a7.117 7.117 0 0 1 .918 0l.064-.998A8.113 8.113 0 0 0 8 0zM6.44.152c-.346.069-.684.16-1.012.27l.321.948c.287-.098.582-.177.884-.237L6.44.153zm4.132.271a7.946 7.946 0 0 0-1.011-.27l-.194.98c.302.06.597.14.884.237l.321-.947zm1.873.925a8 8 0 0 0-.906-.524l-.443.896c.275.136.54.29.793.459l.556-.831zM4.46.824c-.314.155-.616.33-.905.524l.556.83a7.07 7.07 0 0 1 .793-.458L4.46.824zM2.725 1.985c-.262.23-.51.478-.74.74l.752.66c.202-.23.418-.446.648-.648l-.66-.752zm11.29.74a8.058 8.058 0 0 0-.74-.74l-.66.752c.23.202.447.418.648.648l.752-.66zm1.161 1.735a7.98 7.98 0 0 0-.524-.905l-.83.556c.169.253.322.518.458.793l.896-.443zM1.348 3.555c-.194.289-.37.591-.524.906l.896.443c.136-.275.29-.54.459-.793l-.831-.556zM.423 5.428a7.945 7.945 0 0 0-.27 1.011l.98.194c.06-.302.14-.597.237-.884l-.947-.321zM15.848 6.44a7.943 7.943 0 0 0-.27-1.012l-.948.321c.098.287.177.582.237.884l.98-.194zM.017 7.477a8.113 8.113 0 0 0 0 1.046l.998-.064a7.117 7.117 0 0 1 0-.918l-.998-.064zM16 8a8.1 8.1 0 0 0-.017-.523l-.998.064a7.11 7.11 0 0 1 0 .918l.998.064A8.1 8.1 0 0 0 16 8zM.152 9.56c.069.346.16.684.27 1.012l.948-.321a6.944 6.944 0 0 1-.237-.884l-.98.194zm15.425 1.012c.112-.328.202-.666.27-1.011l-.98-.194c-.06.302-.14.597-.237.884l.947.321zM.824 11.54a8 8 0 0 0 .524.905l.83-.556a6.999 6.999 0 0 1-.458-.793l-.896.443zm13.828.905c.194-.289.37-.591.524-.906l-.896-.443c-.136.275-.29.54-.459.793l.831.556zm-12.667.83c.23.262.478.51.74.74l.66-.752a7.047 7.047 0 0 1-.648-.648l-.752.66zm11.29.74c.262-.23.51-.478.74-.74l-.752-.66c-.201.23-.418.447-.648.648l.66.752zm-1.735 1.161c.314-.155.616-.33.905-.524l-.556-.83a7.07 7.07 0 0 1-.793.458l.443.896zm-7.985-.524c.289.194.591.37.906.524l.443-.896a6.998 6.998 0 0 1-.793-.459l-.556.831zm1.873.925c.328.112.666.202 1.011.27l.194-.98a6.953 6.953 0 0 1-.884-.237l-.321.947zm4.132.271a7.944 7.944 0 0 0 1.012-.27l-.321-.948a6.954 6.954 0 0 1-.884.237l.194.98zm-2.083.135a8.1 8.1 0 0 0 1.046 0l-.064-.998a7.11 7.11 0 0 1-.918 0l-.064.998zM8.5 4.5a.5.5 0 0 0-1 0v3h-3a.5.5 0 0 0 0 1h3v3a.5.5 0 0 0 1 0v-3h3a.5.5 0 0 0 0-1h-3v-3z"/&gt;');// eslint-disable-next-line
var BIconPlusCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlusCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM8.5 4.5a.5.5 0 0 0-1 0v3h-3a.5.5 0 0 0 0 1h3v3a.5.5 0 0 0 1 0v-3h3a.5.5 0 0 0 0-1h-3v-3z"/&gt;');// eslint-disable-next-line
var BIconPlusLg=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlusLg','&lt;path d="M8 0a1 1 0 0 1 1 1v6h6a1 1 0 1 1 0 2H9v6a1 1 0 1 1-2 0V9H1a1 1 0 0 1 0-2h6V1a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconPlusSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlusSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M8 4a.5.5 0 0 1 .5.5v3h3a.5.5 0 0 1 0 1h-3v3a.5.5 0 0 1-1 0v-3h-3a.5.5 0 0 1 0-1h3v-3A.5.5 0 0 1 8 4z"/&gt;');// eslint-disable-next-line
var BIconPlusSquareDotted=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlusSquareDotted','&lt;path d="M2.5 0c-.166 0-.33.016-.487.048l.194.98A1.51 1.51 0 0 1 2.5 1h.458V0H2.5zm2.292 0h-.917v1h.917V0zm1.833 0h-.917v1h.917V0zm1.833 0h-.916v1h.916V0zm1.834 0h-.917v1h.917V0zm1.833 0h-.917v1h.917V0zM13.5 0h-.458v1h.458c.1 0 .199.01.293.029l.194-.981A2.51 2.51 0 0 0 13.5 0zm2.079 1.11a2.511 2.511 0 0 0-.69-.689l-.556.831c.164.11.305.251.415.415l.83-.556zM1.11.421a2.511 2.511 0 0 0-.689.69l.831.556c.11-.164.251-.305.415-.415L1.11.422zM16 2.5c0-.166-.016-.33-.048-.487l-.98.194c.018.094.028.192.028.293v.458h1V2.5zM.048 2.013A2.51 2.51 0 0 0 0 2.5v.458h1V2.5c0-.1.01-.199.029-.293l-.981-.194zM0 3.875v.917h1v-.917H0zm16 .917v-.917h-1v.917h1zM0 5.708v.917h1v-.917H0zm16 .917v-.917h-1v.917h1zM0 7.542v.916h1v-.916H0zm15 .916h1v-.916h-1v.916zM0 9.375v.917h1v-.917H0zm16 .917v-.917h-1v.917h1zm-16 .916v.917h1v-.917H0zm16 .917v-.917h-1v.917h1zm-16 .917v.458c0 .166.016.33.048.487l.98-.194A1.51 1.51 0 0 1 1 13.5v-.458H0zm16 .458v-.458h-1v.458c0 .1-.01.199-.029.293l.981.194c.032-.158.048-.32.048-.487zM.421 14.89c.183.272.417.506.69.689l.556-.831a1.51 1.51 0 0 1-.415-.415l-.83.556zm14.469.689c.272-.183.506-.417.689-.69l-.831-.556c-.11.164-.251.305-.415.415l.556.83zm-12.877.373c.158.032.32.048.487.048h.458v-1H2.5c-.1 0-.199-.01-.293-.029l-.194.981zM13.5 16c.166 0 .33-.016.487-.048l-.194-.98A1.51 1.51 0 0 1 13.5 15h-.458v1h.458zm-9.625 0h.917v-1h-.917v1zm1.833 0h.917v-1h-.917v1zm1.834-1v1h.916v-1h-.916zm1.833 1h.917v-1h-.917v1zm1.833 0h.917v-1h-.917v1zM8.5 4.5a.5.5 0 0 0-1 0v3h-3a.5.5 0 0 0 0 1h3v3a.5.5 0 0 0 1 0v-3h3a.5.5 0 0 0 0-1h-3v-3z"/&gt;');// eslint-disable-next-line
var BIconPlusSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PlusSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm6.5 4.5v3h3a.5.5 0 0 1 0 1h-3v3a.5.5 0 0 1-1 0v-3h-3a.5.5 0 0 1 0-1h3v-3a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconPower=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Power','&lt;path d="M7.5 1v7h1V1h-1z"/&gt;&lt;path d="M3 8.812a4.999 4.999 0 0 1 2.578-4.375l-.485-.874A6 6 0 1 0 11 3.616l-.501.865A5 5 0 1 1 3 8.812z"/&gt;');// eslint-disable-next-line
var BIconPrinter=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Printer','&lt;path d="M2.5 8a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1z"/&gt;&lt;path d="M5 1a2 2 0 0 0-2 2v2H2a2 2 0 0 0-2 2v3a2 2 0 0 0 2 2h1v1a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2v-1h1a2 2 0 0 0 2-2V7a2 2 0 0 0-2-2h-1V3a2 2 0 0 0-2-2H5zM4 3a1 1 0 0 1 1-1h6a1 1 0 0 1 1 1v2H4V3zm1 5a2 2 0 0 0-2 2v1H2a1 1 0 0 1-1-1V7a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1h-1v-1a2 2 0 0 0-2-2H5zm7 2v3a1 1 0 0 1-1 1H5a1 1 0 0 1-1-1v-3a1 1 0 0 1 1-1h6a1 1 0 0 1 1 1z"/&gt;');// eslint-disable-next-line
var BIconPrinterFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PrinterFill','&lt;path d="M5 1a2 2 0 0 0-2 2v1h10V3a2 2 0 0 0-2-2H5zm6 8H5a1 1 0 0 0-1 1v3a1 1 0 0 0 1 1h6a1 1 0 0 0 1-1v-3a1 1 0 0 0-1-1z"/&gt;&lt;path d="M0 7a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v3a2 2 0 0 1-2 2h-1v-2a2 2 0 0 0-2-2H5a2 2 0 0 0-2 2v2H2a2 2 0 0 1-2-2V7zm2.5 1a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1z"/&gt;');// eslint-disable-next-line
var BIconPuzzle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Puzzle','&lt;path d="M3.112 3.645A1.5 1.5 0 0 1 4.605 2H7a.5.5 0 0 1 .5.5v.382c0 .696-.497 1.182-.872 1.469a.459.459 0 0 0-.115.118.113.113 0 0 0-.012.025L6.5 4.5v.003l.003.01c.004.01.014.028.036.053a.86.86 0 0 0 .27.194C7.09 4.9 7.51 5 8 5c.492 0 .912-.1 1.19-.24a.86.86 0 0 0 .271-.194.213.213 0 0 0 .039-.063v-.009a.112.112 0 0 0-.012-.025.459.459 0 0 0-.115-.118c-.375-.287-.872-.773-.872-1.469V2.5A.5.5 0 0 1 9 2h2.395a1.5 1.5 0 0 1 1.493 1.645L12.645 6.5h.237c.195 0 .42-.147.675-.48.21-.274.528-.52.943-.52.568 0 .947.447 1.154.862C15.877 6.807 16 7.387 16 8s-.123 1.193-.346 1.638c-.207.415-.586.862-1.154.862-.415 0-.733-.246-.943-.52-.255-.333-.48-.48-.675-.48h-.237l.243 2.855A1.5 1.5 0 0 1 11.395 14H9a.5.5 0 0 1-.5-.5v-.382c0-.696.497-1.182.872-1.469a.459.459 0 0 0 .115-.118.113.113 0 0 0 .012-.025L9.5 11.5v-.003a.214.214 0 0 0-.039-.064.859.859 0 0 0-.27-.193C8.91 11.1 8.49 11 8 11c-.491 0-.912.1-1.19.24a.859.859 0 0 0-.271.194.214.214 0 0 0-.039.063v.003l.001.006a.113.113 0 0 0 .012.025c.016.027.05.068.115.118.375.287.872.773.872 1.469v.382a.5.5 0 0 1-.5.5H4.605a1.5 1.5 0 0 1-1.493-1.645L3.356 9.5h-.238c-.195 0-.42.147-.675.48-.21.274-.528.52-.943.52-.568 0-.947-.447-1.154-.862C.123 9.193 0 8.613 0 8s.123-1.193.346-1.638C.553 5.947.932 5.5 1.5 5.5c.415 0 .733.246.943.52.255.333.48.48.675.48h.238l-.244-2.855zM4.605 3a.5.5 0 0 0-.498.55l.001.007.29 3.4A.5.5 0 0 1 3.9 7.5h-.782c-.696 0-1.182-.497-1.469-.872a.459.459 0 0 0-.118-.115.112.112 0 0 0-.025-.012L1.5 6.5h-.003a.213.213 0 0 0-.064.039.86.86 0 0 0-.193.27C1.1 7.09 1 7.51 1 8c0 .491.1.912.24 1.19.07.14.14.225.194.271a.213.213 0 0 0 .063.039H1.5l.006-.001a.112.112 0 0 0 .025-.012.459.459 0 0 0 .118-.115c.287-.375.773-.872 1.469-.872H3.9a.5.5 0 0 1 .498.542l-.29 3.408a.5.5 0 0 0 .497.55h1.878c-.048-.166-.195-.352-.463-.557-.274-.21-.52-.528-.52-.943 0-.568.447-.947.862-1.154C6.807 10.123 7.387 10 8 10s1.193.123 1.638.346c.415.207.862.586.862 1.154 0 .415-.246.733-.52.943-.268.205-.415.39-.463.557h1.878a.5.5 0 0 0 .498-.55l-.001-.007-.29-3.4A.5.5 0 0 1 12.1 8.5h.782c.696 0 1.182.497 1.469.872.05.065.091.099.118.115.013.008.021.01.025.012a.02.02 0 0 0 .006.001h.003a.214.214 0 0 0 .064-.039.86.86 0 0 0 .193-.27c.14-.28.24-.7.24-1.191 0-.492-.1-.912-.24-1.19a.86.86 0 0 0-.194-.271.215.215 0 0 0-.063-.039H14.5l-.006.001a.113.113 0 0 0-.025.012.459.459 0 0 0-.118.115c-.287.375-.773.872-1.469.872H12.1a.5.5 0 0 1-.498-.543l.29-3.407a.5.5 0 0 0-.497-.55H9.517c.048.166.195.352.463.557.274.21.52.528.52.943 0 .568-.447.947-.862 1.154C9.193 5.877 8.613 6 8 6s-1.193-.123-1.638-.346C5.947 5.447 5.5 5.068 5.5 4.5c0-.415.246-.733.52-.943.268-.205.415-.39.463-.557H4.605z"/&gt;');// eslint-disable-next-line
var BIconPuzzleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('PuzzleFill','&lt;path d="M3.112 3.645A1.5 1.5 0 0 1 4.605 2H7a.5.5 0 0 1 .5.5v.382c0 .696-.497 1.182-.872 1.469a.459.459 0 0 0-.115.118.113.113 0 0 0-.012.025L6.5 4.5v.003l.003.01c.004.01.014.028.036.053a.86.86 0 0 0 .27.194C7.09 4.9 7.51 5 8 5c.492 0 .912-.1 1.19-.24a.86.86 0 0 0 .271-.194.213.213 0 0 0 .036-.054l.003-.01v-.008a.112.112 0 0 0-.012-.025.459.459 0 0 0-.115-.118c-.375-.287-.872-.773-.872-1.469V2.5A.5.5 0 0 1 9 2h2.395a1.5 1.5 0 0 1 1.493 1.645L12.645 6.5h.237c.195 0 .42-.147.675-.48.21-.274.528-.52.943-.52.568 0 .947.447 1.154.862C15.877 6.807 16 7.387 16 8s-.123 1.193-.346 1.638c-.207.415-.586.862-1.154.862-.415 0-.733-.246-.943-.52-.255-.333-.48-.48-.675-.48h-.237l.243 2.855A1.5 1.5 0 0 1 11.395 14H9a.5.5 0 0 1-.5-.5v-.382c0-.696.497-1.182.872-1.469a.459.459 0 0 0 .115-.118.113.113 0 0 0 .012-.025L9.5 11.5v-.003l-.003-.01a.214.214 0 0 0-.036-.053.859.859 0 0 0-.27-.194C8.91 11.1 8.49 11 8 11c-.491 0-.912.1-1.19.24a.859.859 0 0 0-.271.194.214.214 0 0 0-.036.054l-.003.01v.002l.001.006a.113.113 0 0 0 .012.025c.016.027.05.068.115.118.375.287.872.773.872 1.469v.382a.5.5 0 0 1-.5.5H4.605a1.5 1.5 0 0 1-1.493-1.645L3.356 9.5h-.238c-.195 0-.42.147-.675.48-.21.274-.528.52-.943.52-.568 0-.947-.447-1.154-.862C.123 9.193 0 8.613 0 8s.123-1.193.346-1.638C.553 5.947.932 5.5 1.5 5.5c.415 0 .733.246.943.52.255.333.48.48.675.48h.238l-.244-2.855z"/&gt;');// eslint-disable-next-line
var BIconQuestion=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Question','&lt;path d="M5.255 5.786a.237.237 0 0 0 .241.247h.825c.138 0 .248-.113.266-.25.09-.656.54-1.134 1.342-1.134.686 0 1.314.343 1.314 1.168 0 .635-.374.927-.965 1.371-.673.489-1.206 1.06-1.168 1.987l.003.217a.25.25 0 0 0 .25.246h.811a.25.25 0 0 0 .25-.25v-.105c0-.718.273-.927 1.01-1.486.609-.463 1.244-.977 1.244-2.056 0-1.511-1.276-2.241-2.673-2.241-1.267 0-2.655.59-2.75 2.286zm1.557 5.763c0 .533.425.927 1.01.927.609 0 1.028-.394 1.028-.927 0-.552-.42-.94-1.029-.94-.584 0-1.009.388-1.009.94z"/&gt;');// eslint-disable-next-line
var BIconQuestionCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('QuestionCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M5.255 5.786a.237.237 0 0 0 .241.247h.825c.138 0 .248-.113.266-.25.09-.656.54-1.134 1.342-1.134.686 0 1.314.343 1.314 1.168 0 .635-.374.927-.965 1.371-.673.489-1.206 1.06-1.168 1.987l.003.217a.25.25 0 0 0 .25.246h.811a.25.25 0 0 0 .25-.25v-.105c0-.718.273-.927 1.01-1.486.609-.463 1.244-.977 1.244-2.056 0-1.511-1.276-2.241-2.673-2.241-1.267 0-2.655.59-2.75 2.286zm1.557 5.763c0 .533.425.927 1.01.927.609 0 1.028-.394 1.028-.927 0-.552-.42-.94-1.029-.94-.584 0-1.009.388-1.009.94z"/&gt;');// eslint-disable-next-line
var BIconQuestionCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('QuestionCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM5.496 6.033h.825c.138 0 .248-.113.266-.25.09-.656.54-1.134 1.342-1.134.686 0 1.314.343 1.314 1.168 0 .635-.374.927-.965 1.371-.673.489-1.206 1.06-1.168 1.987l.003.217a.25.25 0 0 0 .25.246h.811a.25.25 0 0 0 .25-.25v-.105c0-.718.273-.927 1.01-1.486.609-.463 1.244-.977 1.244-2.056 0-1.511-1.276-2.241-2.673-2.241-1.267 0-2.655.59-2.75 2.286a.237.237 0 0 0 .241.247zm2.325 6.443c.61 0 1.029-.394 1.029-.927 0-.552-.42-.94-1.029-.94-.584 0-1.009.388-1.009.94 0 .533.425.927 1.01.927z"/&gt;');// eslint-disable-next-line
var BIconQuestionDiamond=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('QuestionDiamond','&lt;path d="M6.95.435c.58-.58 1.52-.58 2.1 0l6.515 6.516c.58.58.58 1.519 0 2.098L9.05 15.565c-.58.58-1.519.58-2.098 0L.435 9.05a1.482 1.482 0 0 1 0-2.098L6.95.435zm1.4.7a.495.495 0 0 0-.7 0L1.134 7.65a.495.495 0 0 0 0 .7l6.516 6.516a.495.495 0 0 0 .7 0l6.516-6.516a.495.495 0 0 0 0-.7L8.35 1.134z"/&gt;&lt;path d="M5.255 5.786a.237.237 0 0 0 .241.247h.825c.138 0 .248-.113.266-.25.09-.656.54-1.134 1.342-1.134.686 0 1.314.343 1.314 1.168 0 .635-.374.927-.965 1.371-.673.489-1.206 1.06-1.168 1.987l.003.217a.25.25 0 0 0 .25.246h.811a.25.25 0 0 0 .25-.25v-.105c0-.718.273-.927 1.01-1.486.609-.463 1.244-.977 1.244-2.056 0-1.511-1.276-2.241-2.673-2.241-1.267 0-2.655.59-2.75 2.286zm1.557 5.763c0 .533.425.927 1.01.927.609 0 1.028-.394 1.028-.927 0-.552-.42-.94-1.029-.94-.584 0-1.009.388-1.009.94z"/&gt;');// eslint-disable-next-line
var BIconQuestionDiamondFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('QuestionDiamondFill','&lt;path d="M9.05.435c-.58-.58-1.52-.58-2.1 0L.436 6.95c-.58.58-.58 1.519 0 2.098l6.516 6.516c.58.58 1.519.58 2.098 0l6.516-6.516c.58-.58.58-1.519 0-2.098L9.05.435zM5.495 6.033a.237.237 0 0 1-.24-.247C5.35 4.091 6.737 3.5 8.005 3.5c1.396 0 2.672.73 2.672 2.24 0 1.08-.635 1.594-1.244 2.057-.737.559-1.01.768-1.01 1.486v.105a.25.25 0 0 1-.25.25h-.81a.25.25 0 0 1-.25-.246l-.004-.217c-.038-.927.495-1.498 1.168-1.987.59-.444.965-.736.965-1.371 0-.825-.628-1.168-1.314-1.168-.803 0-1.253.478-1.342 1.134-.018.137-.128.25-.266.25h-.825zm2.325 6.443c-.584 0-1.009-.394-1.009-.927 0-.552.425-.94 1.01-.94.609 0 1.028.388 1.028.94 0 .533-.42.927-1.029.927z"/&gt;');// eslint-disable-next-line
var BIconQuestionLg=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('QuestionLg','&lt;path d="M3 4.075a.423.423 0 0 0 .43.44H4.9c.247 0 .442-.2.475-.445.159-1.17.962-2.022 2.393-2.022 1.222 0 2.342.611 2.342 2.082 0 1.132-.668 1.652-1.72 2.444-1.2.872-2.15 1.89-2.082 3.542l.005.386c.003.244.202.44.446.44h1.445c.247 0 .446-.2.446-.446v-.188c0-1.278.487-1.652 1.8-2.647 1.086-.826 2.217-1.743 2.217-3.667C12.667 1.301 10.393 0 7.903 0 5.645 0 3.17 1.053 3.001 4.075zm2.776 10.273c0 .95.758 1.652 1.8 1.652 1.085 0 1.832-.702 1.832-1.652 0-.985-.747-1.675-1.833-1.675-1.04 0-1.799.69-1.799 1.675z"/&gt;');// eslint-disable-next-line
var BIconQuestionOctagon=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('QuestionOctagon','&lt;path d="M4.54.146A.5.5 0 0 1 4.893 0h6.214a.5.5 0 0 1 .353.146l4.394 4.394a.5.5 0 0 1 .146.353v6.214a.5.5 0 0 1-.146.353l-4.394 4.394a.5.5 0 0 1-.353.146H4.893a.5.5 0 0 1-.353-.146L.146 11.46A.5.5 0 0 1 0 11.107V4.893a.5.5 0 0 1 .146-.353L4.54.146zM5.1 1 1 5.1v5.8L5.1 15h5.8l4.1-4.1V5.1L10.9 1H5.1z"/&gt;&lt;path d="M5.255 5.786a.237.237 0 0 0 .241.247h.825c.138 0 .248-.113.266-.25.09-.656.54-1.134 1.342-1.134.686 0 1.314.343 1.314 1.168 0 .635-.374.927-.965 1.371-.673.489-1.206 1.06-1.168 1.987l.003.217a.25.25 0 0 0 .25.246h.811a.25.25 0 0 0 .25-.25v-.105c0-.718.273-.927 1.01-1.486.609-.463 1.244-.977 1.244-2.056 0-1.511-1.276-2.241-2.673-2.241-1.267 0-2.655.59-2.75 2.286zm1.557 5.763c0 .533.425.927 1.01.927.609 0 1.028-.394 1.028-.927 0-.552-.42-.94-1.029-.94-.584 0-1.009.388-1.009.94z"/&gt;');// eslint-disable-next-line
var BIconQuestionOctagonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('QuestionOctagonFill','&lt;path d="M11.46.146A.5.5 0 0 0 11.107 0H4.893a.5.5 0 0 0-.353.146L.146 4.54A.5.5 0 0 0 0 4.893v6.214a.5.5 0 0 0 .146.353l4.394 4.394a.5.5 0 0 0 .353.146h6.214a.5.5 0 0 0 .353-.146l4.394-4.394a.5.5 0 0 0 .146-.353V4.893a.5.5 0 0 0-.146-.353L11.46.146zM5.496 6.033a.237.237 0 0 1-.24-.247C5.35 4.091 6.737 3.5 8.005 3.5c1.396 0 2.672.73 2.672 2.24 0 1.08-.635 1.594-1.244 2.057-.737.559-1.01.768-1.01 1.486v.105a.25.25 0 0 1-.25.25h-.81a.25.25 0 0 1-.25-.246l-.004-.217c-.038-.927.495-1.498 1.168-1.987.59-.444.965-.736.965-1.371 0-.825-.628-1.168-1.314-1.168-.803 0-1.253.478-1.342 1.134-.018.137-.128.25-.266.25h-.825zm2.325 6.443c-.584 0-1.009-.394-1.009-.927 0-.552.425-.94 1.01-.94.609 0 1.028.388 1.028.94 0 .533-.42.927-1.029.927z"/&gt;');// eslint-disable-next-line
var BIconQuestionSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('QuestionSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M5.255 5.786a.237.237 0 0 0 .241.247h.825c.138 0 .248-.113.266-.25.09-.656.54-1.134 1.342-1.134.686 0 1.314.343 1.314 1.168 0 .635-.374.927-.965 1.371-.673.489-1.206 1.06-1.168 1.987l.003.217a.25.25 0 0 0 .25.246h.811a.25.25 0 0 0 .25-.25v-.105c0-.718.273-.927 1.01-1.486.609-.463 1.244-.977 1.244-2.056 0-1.511-1.276-2.241-2.673-2.241-1.267 0-2.655.59-2.75 2.286zm1.557 5.763c0 .533.425.927 1.01.927.609 0 1.028-.394 1.028-.927 0-.552-.42-.94-1.029-.94-.584 0-1.009.388-1.009.94z"/&gt;');// eslint-disable-next-line
var BIconQuestionSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('QuestionSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm3.496 6.033a.237.237 0 0 1-.24-.247C5.35 4.091 6.737 3.5 8.005 3.5c1.396 0 2.672.73 2.672 2.24 0 1.08-.635 1.594-1.244 2.057-.737.559-1.01.768-1.01 1.486v.105a.25.25 0 0 1-.25.25h-.81a.25.25 0 0 1-.25-.246l-.004-.217c-.038-.927.495-1.498 1.168-1.987.59-.444.965-.736.965-1.371 0-.825-.628-1.168-1.314-1.168-.803 0-1.253.478-1.342 1.134-.018.137-.128.25-.266.25h-.825zm2.325 6.443c-.584 0-1.009-.394-1.009-.927 0-.552.425-.94 1.01-.94.609 0 1.028.388 1.028.94 0 .533-.42.927-1.029.927z"/&gt;');// eslint-disable-next-line
var BIconRainbow=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Rainbow','&lt;path d="M8 4.5a7 7 0 0 0-7 7 .5.5 0 0 1-1 0 8 8 0 1 1 16 0 .5.5 0 0 1-1 0 7 7 0 0 0-7-7zm0 2a5 5 0 0 0-5 5 .5.5 0 0 1-1 0 6 6 0 1 1 12 0 .5.5 0 0 1-1 0 5 5 0 0 0-5-5zm0 2a3 3 0 0 0-3 3 .5.5 0 0 1-1 0 4 4 0 1 1 8 0 .5.5 0 0 1-1 0 3 3 0 0 0-3-3zm0 2a1 1 0 0 0-1 1 .5.5 0 0 1-1 0 2 2 0 1 1 4 0 .5.5 0 0 1-1 0 1 1 0 0 0-1-1z"/&gt;');// eslint-disable-next-line
var BIconReceipt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Receipt','&lt;path d="M1.92.506a.5.5 0 0 1 .434.14L3 1.293l.646-.647a.5.5 0 0 1 .708 0L5 1.293l.646-.647a.5.5 0 0 1 .708 0L7 1.293l.646-.647a.5.5 0 0 1 .708 0L9 1.293l.646-.647a.5.5 0 0 1 .708 0l.646.647.646-.647a.5.5 0 0 1 .708 0l.646.647.646-.647a.5.5 0 0 1 .801.13l.5 1A.5.5 0 0 1 15 2v12a.5.5 0 0 1-.053.224l-.5 1a.5.5 0 0 1-.8.13L13 14.707l-.646.647a.5.5 0 0 1-.708 0L11 14.707l-.646.647a.5.5 0 0 1-.708 0L9 14.707l-.646.647a.5.5 0 0 1-.708 0L7 14.707l-.646.647a.5.5 0 0 1-.708 0L5 14.707l-.646.647a.5.5 0 0 1-.708 0L3 14.707l-.646.647a.5.5 0 0 1-.801-.13l-.5-1A.5.5 0 0 1 1 14V2a.5.5 0 0 1 .053-.224l.5-1a.5.5 0 0 1 .367-.27zm.217 1.338L2 2.118v11.764l.137.274.51-.51a.5.5 0 0 1 .707 0l.646.647.646-.646a.5.5 0 0 1 .708 0l.646.646.646-.646a.5.5 0 0 1 .708 0l.646.646.646-.646a.5.5 0 0 1 .708 0l.646.646.646-.646a.5.5 0 0 1 .708 0l.646.646.646-.646a.5.5 0 0 1 .708 0l.509.509.137-.274V2.118l-.137-.274-.51.51a.5.5 0 0 1-.707 0L12 1.707l-.646.647a.5.5 0 0 1-.708 0L10 1.707l-.646.647a.5.5 0 0 1-.708 0L8 1.707l-.646.647a.5.5 0 0 1-.708 0L6 1.707l-.646.647a.5.5 0 0 1-.708 0L4 1.707l-.646.647a.5.5 0 0 1-.708 0l-.509-.51z"/&gt;&lt;path d="M3 4.5a.5.5 0 0 1 .5-.5h6a.5.5 0 1 1 0 1h-6a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h6a.5.5 0 1 1 0 1h-6a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h6a.5.5 0 1 1 0 1h-6a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5zm8-6a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 0 1h-1a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 0 1h-1a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 0 1h-1a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 0 1h-1a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconReceiptCutoff=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ReceiptCutoff','&lt;path d="M3 4.5a.5.5 0 0 1 .5-.5h6a.5.5 0 1 1 0 1h-6a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h6a.5.5 0 1 1 0 1h-6a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h6a.5.5 0 1 1 0 1h-6a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5zm0 2a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5zM11.5 4a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1zm0 2a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1zm0 2a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1zm0 2a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1zm0 2a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1z"/&gt;&lt;path d="M2.354.646a.5.5 0 0 0-.801.13l-.5 1A.5.5 0 0 0 1 2v13H.5a.5.5 0 0 0 0 1h15a.5.5 0 0 0 0-1H15V2a.5.5 0 0 0-.053-.224l-.5-1a.5.5 0 0 0-.8-.13L13 1.293l-.646-.647a.5.5 0 0 0-.708 0L11 1.293l-.646-.647a.5.5 0 0 0-.708 0L9 1.293 8.354.646a.5.5 0 0 0-.708 0L7 1.293 6.354.646a.5.5 0 0 0-.708 0L5 1.293 4.354.646a.5.5 0 0 0-.708 0L3 1.293 2.354.646zm-.217 1.198.51.51a.5.5 0 0 0 .707 0L4 1.707l.646.647a.5.5 0 0 0 .708 0L6 1.707l.646.647a.5.5 0 0 0 .708 0L8 1.707l.646.647a.5.5 0 0 0 .708 0L10 1.707l.646.647a.5.5 0 0 0 .708 0L12 1.707l.646.647a.5.5 0 0 0 .708 0l.509-.51.137.274V15H2V2.118l.137-.274z"/&gt;');// eslint-disable-next-line
var BIconReception0=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Reception0','&lt;path d="M0 13.5a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5zm4 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5zm4 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5zm4 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconReception1=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Reception1','&lt;path d="M0 11.5a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-2zm4 2a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5zm4 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5zm4 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconReception2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Reception2','&lt;path d="M0 11.5a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-2zm4-3a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v5a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-5zm4 5a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5zm4 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconReception3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Reception3','&lt;path d="M0 11.5a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-2zm4-3a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v5a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-5zm4-3a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-8zm4 8a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconReception4=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Reception4','&lt;path d="M0 11.5a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-2zm4-3a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v5a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-5zm4-3a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-8zm4-3a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 .5.5v11a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1-.5-.5v-11z"/&gt;');// eslint-disable-next-line
var BIconRecord=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Record','&lt;path d="M8 12a4 4 0 1 1 0-8 4 4 0 0 1 0 8zm0 1A5 5 0 1 0 8 3a5 5 0 0 0 0 10z"/&gt;');// eslint-disable-next-line
var BIconRecord2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Record2','&lt;path d="M8 12a4 4 0 1 1 0-8 4 4 0 0 1 0 8zm0 1A5 5 0 1 0 8 3a5 5 0 0 0 0 10z"/&gt;&lt;path d="M10 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0z"/&gt;');// eslint-disable-next-line
var BIconRecord2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Record2Fill','&lt;path d="M10 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0z"/&gt;&lt;path d="M8 13A5 5 0 1 0 8 3a5 5 0 0 0 0 10zm0-2a3 3 0 1 1 0-6 3 3 0 0 1 0 6z"/&gt;');// eslint-disable-next-line
var BIconRecordBtn=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('RecordBtn','&lt;path d="M8 11a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm15 0a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4z"/&gt;');// eslint-disable-next-line
var BIconRecordBtnFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('RecordBtnFill','&lt;path d="M0 12V4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2zm8-1a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;');// eslint-disable-next-line
var BIconRecordCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('RecordCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M11 8a3 3 0 1 1-6 0 3 3 0 0 1 6 0z"/&gt;');// eslint-disable-next-line
var BIconRecordCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('RecordCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-8 3a3 3 0 1 0 0-6 3 3 0 0 0 0 6z"/&gt;');// eslint-disable-next-line
var BIconRecordFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('RecordFill','&lt;path fill-rule="evenodd" d="M8 13A5 5 0 1 0 8 3a5 5 0 0 0 0 10z"/&gt;');// eslint-disable-next-line
var BIconRecycle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Recycle','&lt;path d="M9.302 1.256a1.5 1.5 0 0 0-2.604 0l-1.704 2.98a.5.5 0 0 0 .869.497l1.703-2.981a.5.5 0 0 1 .868 0l2.54 4.444-1.256-.337a.5.5 0 1 0-.26.966l2.415.647a.5.5 0 0 0 .613-.353l.647-2.415a.5.5 0 1 0-.966-.259l-.333 1.242-2.532-4.431zM2.973 7.773l-1.255.337a.5.5 0 1 1-.26-.966l2.416-.647a.5.5 0 0 1 .612.353l.647 2.415a.5.5 0 0 1-.966.259l-.333-1.242-2.545 4.454a.5.5 0 0 0 .434.748H5a.5.5 0 0 1 0 1H1.723A1.5 1.5 0 0 1 .421 12.24l2.552-4.467zm10.89 1.463a.5.5 0 1 0-.868.496l1.716 3.004a.5.5 0 0 1-.434.748h-5.57l.647-.646a.5.5 0 1 0-.708-.707l-1.5 1.5a.498.498 0 0 0 0 .707l1.5 1.5a.5.5 0 1 0 .708-.707l-.647-.647h5.57a1.5 1.5 0 0 0 1.302-2.244l-1.716-3.004z"/&gt;');// eslint-disable-next-line
var BIconReddit=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Reddit','&lt;path d="M6.167 8a.831.831 0 0 0-.83.83c0 .459.372.84.83.831a.831.831 0 0 0 0-1.661zm1.843 3.647c.315 0 1.403-.038 1.976-.611a.232.232 0 0 0 0-.306.213.213 0 0 0-.306 0c-.353.363-1.126.487-1.67.487-.545 0-1.308-.124-1.671-.487a.213.213 0 0 0-.306 0 .213.213 0 0 0 0 .306c.564.563 1.652.61 1.977.61zm.992-2.807c0 .458.373.83.831.83.458 0 .83-.381.83-.83a.831.831 0 0 0-1.66 0z"/&gt;&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-3.828-1.165c-.315 0-.602.124-.812.325-.801-.573-1.9-.945-3.121-.993l.534-2.501 1.738.372a.83.83 0 1 0 .83-.869.83.83 0 0 0-.744.468l-1.938-.41a.203.203 0 0 0-.153.028.186.186 0 0 0-.086.134l-.592 2.788c-1.24.038-2.358.41-3.17.992-.21-.2-.496-.324-.81-.324a1.163 1.163 0 0 0-.478 2.224c-.02.115-.029.23-.029.353 0 1.795 2.091 3.256 4.669 3.256 2.577 0 4.668-1.451 4.668-3.256 0-.114-.01-.238-.029-.353.401-.181.688-.592.688-1.069 0-.65-.525-1.165-1.165-1.165z"/&gt;');// eslint-disable-next-line
var BIconReply=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Reply','&lt;path d="M6.598 5.013a.144.144 0 0 1 .202.134V6.3a.5.5 0 0 0 .5.5c.667 0 2.013.005 3.3.822.984.624 1.99 1.76 2.595 3.876-1.02-.983-2.185-1.516-3.205-1.799a8.74 8.74 0 0 0-1.921-.306 7.404 7.404 0 0 0-.798.008h-.013l-.005.001h-.001L7.3 9.9l-.05-.498a.5.5 0 0 0-.45.498v1.153c0 .108-.11.176-.202.134L2.614 8.254a.503.503 0 0 0-.042-.028.147.147 0 0 1 0-.252.499.499 0 0 0 .042-.028l3.984-2.933zM7.8 10.386c.068 0 .143.003.223.006.434.02 1.034.086 1.7.271 1.326.368 2.896 1.202 3.94 3.08a.5.5 0 0 0 .933-.305c-.464-3.71-1.886-5.662-3.46-6.66-1.245-.79-2.527-.942-3.336-.971v-.66a1.144 1.144 0 0 0-1.767-.96l-3.994 2.94a1.147 1.147 0 0 0 0 1.946l3.994 2.94a1.144 1.144 0 0 0 1.767-.96v-.667z"/&gt;');// eslint-disable-next-line
var BIconReplyAll=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ReplyAll','&lt;path d="M8.098 5.013a.144.144 0 0 1 .202.134V6.3a.5.5 0 0 0 .5.5c.667 0 2.013.005 3.3.822.984.624 1.99 1.76 2.595 3.876-1.02-.983-2.185-1.516-3.205-1.799a8.74 8.74 0 0 0-1.921-.306 7.404 7.404 0 0 0-.798.008h-.013l-.005.001h-.001L8.8 9.9l-.05-.498a.5.5 0 0 0-.45.498v1.153c0 .108-.11.176-.202.134L4.114 8.254a.502.502 0 0 0-.042-.028.147.147 0 0 1 0-.252.497.497 0 0 0 .042-.028l3.984-2.933zM9.3 10.386c.068 0 .143.003.223.006.434.02 1.034.086 1.7.271 1.326.368 2.896 1.202 3.94 3.08a.5.5 0 0 0 .933-.305c-.464-3.71-1.886-5.662-3.46-6.66-1.245-.79-2.527-.942-3.336-.971v-.66a1.144 1.144 0 0 0-1.767-.96l-3.994 2.94a1.147 1.147 0 0 0 0 1.946l3.994 2.94a1.144 1.144 0 0 0 1.767-.96v-.667z"/&gt;&lt;path d="M5.232 4.293a.5.5 0 0 0-.7-.106L.54 7.127a1.147 1.147 0 0 0 0 1.946l3.994 2.94a.5.5 0 1 0 .593-.805L1.114 8.254a.503.503 0 0 0-.042-.028.147.147 0 0 1 0-.252.5.5 0 0 0 .042-.028l4.012-2.954a.5.5 0 0 0 .106-.699z"/&gt;');// eslint-disable-next-line
var BIconReplyAllFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ReplyAllFill','&lt;path d="M8.021 11.9 3.453 8.62a.719.719 0 0 1 0-1.238L8.021 4.1a.716.716 0 0 1 1.079.619V6c1.5 0 6 0 7 8-2.5-4.5-7-4-7-4v1.281c0 .56-.606.898-1.079.62z"/&gt;&lt;path d="M5.232 4.293a.5.5 0 0 1-.106.7L1.114 7.945a.5.5 0 0 1-.042.028.147.147 0 0 0 0 .252.503.503 0 0 1 .042.028l4.012 2.954a.5.5 0 1 1-.593.805L.539 9.073a1.147 1.147 0 0 1 0-1.946l3.994-2.94a.5.5 0 0 1 .699.106z"/&gt;');// eslint-disable-next-line
var BIconReplyFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ReplyFill','&lt;path d="M5.921 11.9 1.353 8.62a.719.719 0 0 1 0-1.238L5.921 4.1A.716.716 0 0 1 7 4.719V6c1.5 0 6 0 7 8-2.5-4.5-7-4-7-4v1.281c0 .56-.606.898-1.079.62z"/&gt;');// eslint-disable-next-line
var BIconRss=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Rss','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M5.5 12a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm-3-8.5a1 1 0 0 1 1-1c5.523 0 10 4.477 10 10a1 1 0 1 1-2 0 8 8 0 0 0-8-8 1 1 0 0 1-1-1zm0 4a1 1 0 0 1 1-1 6 6 0 0 1 6 6 1 1 0 1 1-2 0 4 4 0 0 0-4-4 1 1 0 0 1-1-1z"/&gt;');// eslint-disable-next-line
var BIconRssFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('RssFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm1.5 2.5c5.523 0 10 4.477 10 10a1 1 0 1 1-2 0 8 8 0 0 0-8-8 1 1 0 0 1 0-2zm0 4a6 6 0 0 1 6 6 1 1 0 1 1-2 0 4 4 0 0 0-4-4 1 1 0 0 1 0-2zm.5 7a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3z"/&gt;');// eslint-disable-next-line
var BIconRulers=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Rulers','&lt;path d="M1 0a1 1 0 0 0-1 1v14a1 1 0 0 0 1 1h5v-1H2v-1h4v-1H4v-1h2v-1H2v-1h4V9H4V8h2V7H2V6h4V2h1v4h1V4h1v2h1V2h1v4h1V4h1v2h1V2h1v4h1V1a1 1 0 0 0-1-1H1z"/&gt;');// eslint-disable-next-line
var BIconSafe=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Safe','&lt;path d="M1 1.5A1.5 1.5 0 0 1 2.5 0h12A1.5 1.5 0 0 1 16 1.5v13a1.5 1.5 0 0 1-1.5 1.5h-12A1.5 1.5 0 0 1 1 14.5V13H.5a.5.5 0 0 1 0-1H1V8.5H.5a.5.5 0 0 1 0-1H1V4H.5a.5.5 0 0 1 0-1H1V1.5zM2.5 1a.5.5 0 0 0-.5.5v13a.5.5 0 0 0 .5.5h12a.5.5 0 0 0 .5-.5v-13a.5.5 0 0 0-.5-.5h-12z"/&gt;&lt;path d="M13.5 6a.5.5 0 0 1 .5.5v3a.5.5 0 0 1-1 0v-3a.5.5 0 0 1 .5-.5zM4.828 4.464a.5.5 0 0 1 .708 0l1.09 1.09a3.003 3.003 0 0 1 3.476 0l1.09-1.09a.5.5 0 1 1 .707.708l-1.09 1.09c.74 1.037.74 2.44 0 3.476l1.09 1.09a.5.5 0 1 1-.707.708l-1.09-1.09a3.002 3.002 0 0 1-3.476 0l-1.09 1.09a.5.5 0 1 1-.708-.708l1.09-1.09a3.003 3.003 0 0 1 0-3.476l-1.09-1.09a.5.5 0 0 1 0-.708zM6.95 6.586a2 2 0 1 0 2.828 2.828A2 2 0 0 0 6.95 6.586z"/&gt;');// eslint-disable-next-line
var BIconSafe2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Safe2','&lt;path d="M1 2.5A1.5 1.5 0 0 1 2.5 1h12A1.5 1.5 0 0 1 16 2.5v12a1.5 1.5 0 0 1-1.5 1.5h-12A1.5 1.5 0 0 1 1 14.5V14H.5a.5.5 0 0 1 0-1H1V9H.5a.5.5 0 0 1 0-1H1V4H.5a.5.5 0 0 1 0-1H1v-.5zM2.5 2a.5.5 0 0 0-.5.5v12a.5.5 0 0 0 .5.5h12a.5.5 0 0 0 .5-.5v-12a.5.5 0 0 0-.5-.5h-12z"/&gt;&lt;path d="M5.035 8h1.528c.047-.184.12-.357.214-.516l-1.08-1.08A3.482 3.482 0 0 0 5.035 8zm1.369-2.303 1.08 1.08c.16-.094.332-.167.516-.214V5.035a3.482 3.482 0 0 0-1.596.662zM9 5.035v1.528c.184.047.357.12.516.214l1.08-1.08A3.482 3.482 0 0 0 9 5.035zm2.303 1.369-1.08 1.08c.094.16.167.332.214.516h1.528a3.483 3.483 0 0 0-.662-1.596zM11.965 9h-1.528c-.047.184-.12.357-.214.516l1.08 1.08A3.483 3.483 0 0 0 11.965 9zm-1.369 2.303-1.08-1.08c-.16.094-.332.167-.516.214v1.528a3.483 3.483 0 0 0 1.596-.662zM8 11.965v-1.528a1.989 1.989 0 0 1-.516-.214l-1.08 1.08A3.483 3.483 0 0 0 8 11.965zm-2.303-1.369 1.08-1.08A1.988 1.988 0 0 1 6.563 9H5.035c.085.593.319 1.138.662 1.596zM4 8.5a4.5 4.5 0 1 1 9 0 4.5 4.5 0 0 1-9 0zm4.5-1a1 1 0 1 0 0 2 1 1 0 0 0 0-2z"/&gt;');// eslint-disable-next-line
var BIconSafe2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Safe2Fill','&lt;path d="M6.563 8H5.035a3.482 3.482 0 0 1 .662-1.596l1.08 1.08c-.094.16-.167.332-.214.516zm.921-1.223-1.08-1.08A3.482 3.482 0 0 1 8 5.035v1.528c-.184.047-.357.12-.516.214zM9 6.563V5.035a3.482 3.482 0 0 1 1.596.662l-1.08 1.08A1.988 1.988 0 0 0 9 6.563zm1.223.921 1.08-1.08c.343.458.577 1.003.662 1.596h-1.528a1.989 1.989 0 0 0-.214-.516zM10.437 9h1.528a3.483 3.483 0 0 1-.662 1.596l-1.08-1.08c.094-.16.167-.332.214-.516zm-.921 1.223 1.08 1.08A3.483 3.483 0 0 1 9 11.965v-1.528c.184-.047.357-.12.516-.214zM8 10.437v1.528a3.483 3.483 0 0 1-1.596-.662l1.08-1.08c.16.094.332.167.516.214zm-1.223-.921-1.08 1.08A3.482 3.482 0 0 1 5.035 9h1.528c.047.184.12.357.214.516zM7.5 8.5a1 1 0 1 1 2 0 1 1 0 0 1-2 0z"/&gt;&lt;path d="M2.5 1A1.5 1.5 0 0 0 1 2.5V3H.5a.5.5 0 0 0 0 1H1v4H.5a.5.5 0 0 0 0 1H1v4H.5a.5.5 0 0 0 0 1H1v.5A1.5 1.5 0 0 0 2.5 16h12a1.5 1.5 0 0 0 1.5-1.5v-12A1.5 1.5 0 0 0 14.5 1h-12zm6 3a4.5 4.5 0 1 1 0 9 4.5 4.5 0 0 1 0-9z"/&gt;');// eslint-disable-next-line
var BIconSafeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SafeFill','&lt;path d="M9.778 9.414A2 2 0 1 1 6.95 6.586a2 2 0 0 1 2.828 2.828z"/&gt;&lt;path d="M2.5 0A1.5 1.5 0 0 0 1 1.5V3H.5a.5.5 0 0 0 0 1H1v3.5H.5a.5.5 0 0 0 0 1H1V12H.5a.5.5 0 0 0 0 1H1v1.5A1.5 1.5 0 0 0 2.5 16h12a1.5 1.5 0 0 0 1.5-1.5v-13A1.5 1.5 0 0 0 14.5 0h-12zm3.036 4.464 1.09 1.09a3.003 3.003 0 0 1 3.476 0l1.09-1.09a.5.5 0 1 1 .707.708l-1.09 1.09c.74 1.037.74 2.44 0 3.476l1.09 1.09a.5.5 0 1 1-.707.708l-1.09-1.09a3.002 3.002 0 0 1-3.476 0l-1.09 1.09a.5.5 0 1 1-.708-.708l1.09-1.09a3.003 3.003 0 0 1 0-3.476l-1.09-1.09a.5.5 0 1 1 .708-.708zM14 6.5v3a.5.5 0 0 1-1 0v-3a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconSave=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Save','&lt;path d="M2 1a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H9.5a1 1 0 0 0-1 1v7.293l2.646-2.647a.5.5 0 0 1 .708.708l-3.5 3.5a.5.5 0 0 1-.708 0l-3.5-3.5a.5.5 0 1 1 .708-.708L7.5 9.293V2a2 2 0 0 1 2-2H14a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h2.5a.5.5 0 0 1 0 1H2z"/&gt;');// eslint-disable-next-line
var BIconSave2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Save2','&lt;path d="M2 1a1 1 0 0 0-1 1v12a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H9.5a1 1 0 0 0-1 1v4.5h2a.5.5 0 0 1 .354.854l-2.5 2.5a.5.5 0 0 1-.708 0l-2.5-2.5A.5.5 0 0 1 5.5 6.5h2V2a2 2 0 0 1 2-2H14a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h2.5a.5.5 0 0 1 0 1H2z"/&gt;');// eslint-disable-next-line
var BIconSave2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Save2Fill','&lt;path d="M8.5 1.5A1.5 1.5 0 0 1 10 0h4a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h6c-.314.418-.5.937-.5 1.5v6h-2a.5.5 0 0 0-.354.854l2.5 2.5a.5.5 0 0 0 .708 0l2.5-2.5A.5.5 0 0 0 10.5 7.5h-2v-6z"/&gt;');// eslint-disable-next-line
var BIconSaveFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SaveFill','&lt;path d="M8.5 1.5A1.5 1.5 0 0 1 10 0h4a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2h6c-.314.418-.5.937-.5 1.5v7.793L4.854 6.646a.5.5 0 1 0-.708.708l3.5 3.5a.5.5 0 0 0 .708 0l3.5-3.5a.5.5 0 0 0-.708-.708L8.5 9.293V1.5z"/&gt;');// eslint-disable-next-line
var BIconScissors=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Scissors','&lt;path d="M3.5 3.5c-.614-.884-.074-1.962.858-2.5L8 7.226 11.642 1c.932.538 1.472 1.616.858 2.5L8.81 8.61l1.556 2.661a2.5 2.5 0 1 1-.794.637L8 9.73l-1.572 2.177a2.5 2.5 0 1 1-.794-.637L7.19 8.61 3.5 3.5zm2.5 10a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0zm7 0a1.5 1.5 0 1 0-3 0 1.5 1.5 0 0 0 3 0z"/&gt;');// eslint-disable-next-line
var BIconScrewdriver=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Screwdriver','&lt;path d="m0 1 1-1 3.081 2.2a1 1 0 0 1 .419.815v.07a1 1 0 0 0 .293.708L10.5 9.5l.914-.305a1 1 0 0 1 1.023.242l3.356 3.356a1 1 0 0 1 0 1.414l-1.586 1.586a1 1 0 0 1-1.414 0l-3.356-3.356a1 1 0 0 1-.242-1.023L9.5 10.5 3.793 4.793a1 1 0 0 0-.707-.293h-.071a1 1 0 0 1-.814-.419L0 1zm11.354 9.646a.5.5 0 0 0-.708.708l3 3a.5.5 0 0 0 .708-.708l-3-3z"/&gt;');// eslint-disable-next-line
var BIconSdCard=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SdCard','&lt;path d="M6.25 3.5a.75.75 0 0 0-1.5 0v2a.75.75 0 0 0 1.5 0v-2zm2 0a.75.75 0 0 0-1.5 0v2a.75.75 0 0 0 1.5 0v-2zm2 0a.75.75 0 0 0-1.5 0v2a.75.75 0 0 0 1.5 0v-2zm2 0a.75.75 0 0 0-1.5 0v2a.75.75 0 0 0 1.5 0v-2z"/&gt;&lt;path fill-rule="evenodd" d="M5.914 0H12.5A1.5 1.5 0 0 1 14 1.5v13a1.5 1.5 0 0 1-1.5 1.5h-9A1.5 1.5 0 0 1 2 14.5V3.914c0-.398.158-.78.44-1.06L4.853.439A1.5 1.5 0 0 1 5.914 0zM13 1.5a.5.5 0 0 0-.5-.5H5.914a.5.5 0 0 0-.353.146L3.146 3.561A.5.5 0 0 0 3 3.914V14.5a.5.5 0 0 0 .5.5h9a.5.5 0 0 0 .5-.5v-13z"/&gt;');// eslint-disable-next-line
var BIconSdCardFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SdCardFill','&lt;path fill-rule="evenodd" d="M12.5 0H5.914a1.5 1.5 0 0 0-1.06.44L2.439 2.853A1.5 1.5 0 0 0 2 3.914V14.5A1.5 1.5 0 0 0 3.5 16h9a1.5 1.5 0 0 0 1.5-1.5v-13A1.5 1.5 0 0 0 12.5 0zm-7 2.75a.75.75 0 0 1 .75.75v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 1 .75-.75zm2 0a.75.75 0 0 1 .75.75v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 1 .75-.75zm2.75.75a.75.75 0 0 0-1.5 0v2a.75.75 0 0 0 1.5 0v-2zm1.25-.75a.75.75 0 0 1 .75.75v2a.75.75 0 0 1-1.5 0v-2a.75.75 0 0 1 .75-.75z"/&gt;');// eslint-disable-next-line
var BIconSearch=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Search','&lt;path d="M11.742 10.344a6.5 6.5 0 1 0-1.397 1.398h-.001c.03.04.062.078.098.115l3.85 3.85a1 1 0 0 0 1.415-1.414l-3.85-3.85a1.007 1.007 0 0 0-.115-.1zM12 6.5a5.5 5.5 0 1 1-11 0 5.5 5.5 0 0 1 11 0z"/&gt;');// eslint-disable-next-line
var BIconSegmentedNav=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SegmentedNav','&lt;path d="M0 6a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v2a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V6zm6 3h4V5H6v4zm9-1V6a1 1 0 0 0-1-1h-3v4h3a1 1 0 0 0 1-1z"/&gt;');// eslint-disable-next-line
var BIconServer=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Server','&lt;path d="M1.333 2.667C1.333 1.194 4.318 0 8 0s6.667 1.194 6.667 2.667V4c0 1.473-2.985 2.667-6.667 2.667S1.333 5.473 1.333 4V2.667z"/&gt;&lt;path d="M1.333 6.334v3C1.333 10.805 4.318 12 8 12s6.667-1.194 6.667-2.667V6.334a6.51 6.51 0 0 1-1.458.79C11.81 7.684 9.967 8 8 8c-1.966 0-3.809-.317-5.208-.876a6.508 6.508 0 0 1-1.458-.79z"/&gt;&lt;path d="M14.667 11.668a6.51 6.51 0 0 1-1.458.789c-1.4.56-3.242.876-5.21.876-1.966 0-3.809-.316-5.208-.876a6.51 6.51 0 0 1-1.458-.79v1.666C1.333 14.806 4.318 16 8 16s6.667-1.194 6.667-2.667v-1.665z"/&gt;');// eslint-disable-next-line
var BIconShare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Share','&lt;path d="M13.5 1a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3zM11 2.5a2.5 2.5 0 1 1 .603 1.628l-6.718 3.12a2.499 2.499 0 0 1 0 1.504l6.718 3.12a2.5 2.5 0 1 1-.488.876l-6.718-3.12a2.5 2.5 0 1 1 0-3.256l6.718-3.12A2.5 2.5 0 0 1 11 2.5zm-8.5 4a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3zm11 5.5a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3z"/&gt;');// eslint-disable-next-line
var BIconShareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShareFill','&lt;path d="M11 2.5a2.5 2.5 0 1 1 .603 1.628l-6.718 3.12a2.499 2.499 0 0 1 0 1.504l6.718 3.12a2.5 2.5 0 1 1-.488.876l-6.718-3.12a2.5 2.5 0 1 1 0-3.256l6.718-3.12A2.5 2.5 0 0 1 11 2.5z"/&gt;');// eslint-disable-next-line
var BIconShield=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Shield','&lt;path d="M5.338 1.59a61.44 61.44 0 0 0-2.837.856.481.481 0 0 0-.328.39c-.554 4.157.726 7.19 2.253 9.188a10.725 10.725 0 0 0 2.287 2.233c.346.244.652.42.893.533.12.057.218.095.293.118a.55.55 0 0 0 .101.025.615.615 0 0 0 .1-.025c.076-.023.174-.061.294-.118.24-.113.547-.29.893-.533a10.726 10.726 0 0 0 2.287-2.233c1.527-1.997 2.807-5.031 2.253-9.188a.48.48 0 0 0-.328-.39c-.651-.213-1.75-.56-2.837-.855C9.552 1.29 8.531 1.067 8 1.067c-.53 0-1.552.223-2.662.524zM5.072.56C6.157.265 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.596 4.477-.787 7.795-2.465 9.99a11.775 11.775 0 0 1-2.517 2.453 7.159 7.159 0 0 1-1.048.625c-.28.132-.581.24-.829.24s-.548-.108-.829-.24a7.158 7.158 0 0 1-1.048-.625 11.777 11.777 0 0 1-2.517-2.453C1.928 10.487.545 7.169 1.141 2.692A1.54 1.54 0 0 1 2.185 1.43 62.456 62.456 0 0 1 5.072.56z"/&gt;');// eslint-disable-next-line
var BIconShieldCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldCheck','&lt;path d="M5.338 1.59a61.44 61.44 0 0 0-2.837.856.481.481 0 0 0-.328.39c-.554 4.157.726 7.19 2.253 9.188a10.725 10.725 0 0 0 2.287 2.233c.346.244.652.42.893.533.12.057.218.095.293.118a.55.55 0 0 0 .101.025.615.615 0 0 0 .1-.025c.076-.023.174-.061.294-.118.24-.113.547-.29.893-.533a10.726 10.726 0 0 0 2.287-2.233c1.527-1.997 2.807-5.031 2.253-9.188a.48.48 0 0 0-.328-.39c-.651-.213-1.75-.56-2.837-.855C9.552 1.29 8.531 1.067 8 1.067c-.53 0-1.552.223-2.662.524zM5.072.56C6.157.265 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.596 4.477-.787 7.795-2.465 9.99a11.775 11.775 0 0 1-2.517 2.453 7.159 7.159 0 0 1-1.048.625c-.28.132-.581.24-.829.24s-.548-.108-.829-.24a7.158 7.158 0 0 1-1.048-.625 11.777 11.777 0 0 1-2.517-2.453C1.928 10.487.545 7.169 1.141 2.692A1.54 1.54 0 0 1 2.185 1.43 62.456 62.456 0 0 1 5.072.56z"/&gt;&lt;path d="M10.854 5.146a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7.5 7.793l2.646-2.647a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconShieldExclamation=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldExclamation','&lt;path d="M5.338 1.59a61.44 61.44 0 0 0-2.837.856.481.481 0 0 0-.328.39c-.554 4.157.726 7.19 2.253 9.188a10.725 10.725 0 0 0 2.287 2.233c.346.244.652.42.893.533.12.057.218.095.293.118a.55.55 0 0 0 .101.025.615.615 0 0 0 .1-.025c.076-.023.174-.061.294-.118.24-.113.547-.29.893-.533a10.726 10.726 0 0 0 2.287-2.233c1.527-1.997 2.807-5.031 2.253-9.188a.48.48 0 0 0-.328-.39c-.651-.213-1.75-.56-2.837-.855C9.552 1.29 8.531 1.067 8 1.067c-.53 0-1.552.223-2.662.524zM5.072.56C6.157.265 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.596 4.477-.787 7.795-2.465 9.99a11.775 11.775 0 0 1-2.517 2.453 7.159 7.159 0 0 1-1.048.625c-.28.132-.581.24-.829.24s-.548-.108-.829-.24a7.158 7.158 0 0 1-1.048-.625 11.777 11.777 0 0 1-2.517-2.453C1.928 10.487.545 7.169 1.141 2.692A1.54 1.54 0 0 1 2.185 1.43 62.456 62.456 0 0 1 5.072.56z"/&gt;&lt;path d="M7.001 11a1 1 0 1 1 2 0 1 1 0 0 1-2 0zM7.1 4.995a.905.905 0 1 1 1.8 0l-.35 3.507a.553.553 0 0 1-1.1 0L7.1 4.995z"/&gt;');// eslint-disable-next-line
var BIconShieldFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldFill','&lt;path d="M5.072.56C6.157.265 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.596 4.477-.787 7.795-2.465 9.99a11.775 11.775 0 0 1-2.517 2.453 7.159 7.159 0 0 1-1.048.625c-.28.132-.581.24-.829.24s-.548-.108-.829-.24a7.158 7.158 0 0 1-1.048-.625 11.777 11.777 0 0 1-2.517-2.453C1.928 10.487.545 7.169 1.141 2.692A1.54 1.54 0 0 1 2.185 1.43 62.456 62.456 0 0 1 5.072.56z"/&gt;');// eslint-disable-next-line
var BIconShieldFillCheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldFillCheck','&lt;path fill-rule="evenodd" d="M8 0c-.69 0-1.843.265-2.928.56-1.11.3-2.229.655-2.887.87a1.54 1.54 0 0 0-1.044 1.262c-.596 4.477.787 7.795 2.465 9.99a11.777 11.777 0 0 0 2.517 2.453c.386.273.744.482 1.048.625.28.132.581.24.829.24s.548-.108.829-.24a7.159 7.159 0 0 0 1.048-.625 11.775 11.775 0 0 0 2.517-2.453c1.678-2.195 3.061-5.513 2.465-9.99a1.541 1.541 0 0 0-1.044-1.263 62.467 62.467 0 0 0-2.887-.87C9.843.266 8.69 0 8 0zm2.146 5.146a.5.5 0 0 1 .708.708l-3 3a.5.5 0 0 1-.708 0l-1.5-1.5a.5.5 0 1 1 .708-.708L7.5 7.793l2.646-2.647z"/&gt;');// eslint-disable-next-line
var BIconShieldFillExclamation=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldFillExclamation','&lt;path fill-rule="evenodd" d="M8 0c-.69 0-1.843.265-2.928.56-1.11.3-2.229.655-2.887.87a1.54 1.54 0 0 0-1.044 1.262c-.596 4.477.787 7.795 2.465 9.99a11.777 11.777 0 0 0 2.517 2.453c.386.273.744.482 1.048.625.28.132.581.24.829.24s.548-.108.829-.24a7.159 7.159 0 0 0 1.048-.625 11.775 11.775 0 0 0 2.517-2.453c1.678-2.195 3.061-5.513 2.465-9.99a1.541 1.541 0 0 0-1.044-1.263 62.467 62.467 0 0 0-2.887-.87C9.843.266 8.69 0 8 0zm-.55 8.502L7.1 4.995a.905.905 0 1 1 1.8 0l-.35 3.507a.552.552 0 0 1-1.1 0zM8.002 12a1 1 0 1 1 0-2 1 1 0 0 1 0 2z"/&gt;');// eslint-disable-next-line
var BIconShieldFillMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldFillMinus','&lt;path fill-rule="evenodd" d="M8 0c-.69 0-1.843.265-2.928.56-1.11.3-2.229.655-2.887.87a1.54 1.54 0 0 0-1.044 1.262c-.596 4.477.787 7.795 2.465 9.99a11.777 11.777 0 0 0 2.517 2.453c.386.273.744.482 1.048.625.28.132.581.24.829.24s.548-.108.829-.24a7.159 7.159 0 0 0 1.048-.625 11.775 11.775 0 0 0 2.517-2.453c1.678-2.195 3.061-5.513 2.465-9.99a1.541 1.541 0 0 0-1.044-1.263 62.467 62.467 0 0 0-2.887-.87C9.843.266 8.69 0 8 0zM6 7.5a.5.5 0 0 1 0-1h4a.5.5 0 0 1 0 1H6z"/&gt;');// eslint-disable-next-line
var BIconShieldFillPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldFillPlus','&lt;path fill-rule="evenodd" d="M8 0c-.69 0-1.843.265-2.928.56-1.11.3-2.229.655-2.887.87a1.54 1.54 0 0 0-1.044 1.262c-.596 4.477.787 7.795 2.465 9.99a11.777 11.777 0 0 0 2.517 2.453c.386.273.744.482 1.048.625.28.132.581.24.829.24s.548-.108.829-.24a7.159 7.159 0 0 0 1.048-.625 11.775 11.775 0 0 0 2.517-2.453c1.678-2.195 3.061-5.513 2.465-9.99a1.541 1.541 0 0 0-1.044-1.263 62.467 62.467 0 0 0-2.887-.87C9.843.266 8.69 0 8 0zm-.5 5a.5.5 0 0 1 1 0v1.5H10a.5.5 0 0 1 0 1H8.5V9a.5.5 0 0 1-1 0V7.5H6a.5.5 0 0 1 0-1h1.5V5z"/&gt;');// eslint-disable-next-line
var BIconShieldFillX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldFillX','&lt;path d="M8 0c-.69 0-1.843.265-2.928.56-1.11.3-2.229.655-2.887.87a1.54 1.54 0 0 0-1.044 1.262c-.596 4.477.787 7.795 2.465 9.99a11.777 11.777 0 0 0 2.517 2.453c.386.273.744.482 1.048.625.28.132.581.24.829.24s.548-.108.829-.24a7.159 7.159 0 0 0 1.048-.625 11.775 11.775 0 0 0 2.517-2.453c1.678-2.195 3.061-5.513 2.465-9.99a1.541 1.541 0 0 0-1.044-1.263 62.467 62.467 0 0 0-2.887-.87C9.843.266 8.69 0 8 0zM6.854 5.146 8 6.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 7l1.147 1.146a.5.5 0 0 1-.708.708L8 7.707 6.854 8.854a.5.5 0 1 1-.708-.708L7.293 7 6.146 5.854a.5.5 0 1 1 .708-.708z"/&gt;');// eslint-disable-next-line
var BIconShieldLock=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldLock','&lt;path d="M5.338 1.59a61.44 61.44 0 0 0-2.837.856.481.481 0 0 0-.328.39c-.554 4.157.726 7.19 2.253 9.188a10.725 10.725 0 0 0 2.287 2.233c.346.244.652.42.893.533.12.057.218.095.293.118a.55.55 0 0 0 .101.025.615.615 0 0 0 .1-.025c.076-.023.174-.061.294-.118.24-.113.547-.29.893-.533a10.726 10.726 0 0 0 2.287-2.233c1.527-1.997 2.807-5.031 2.253-9.188a.48.48 0 0 0-.328-.39c-.651-.213-1.75-.56-2.837-.855C9.552 1.29 8.531 1.067 8 1.067c-.53 0-1.552.223-2.662.524zM5.072.56C6.157.265 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.596 4.477-.787 7.795-2.465 9.99a11.775 11.775 0 0 1-2.517 2.453 7.159 7.159 0 0 1-1.048.625c-.28.132-.581.24-.829.24s-.548-.108-.829-.24a7.158 7.158 0 0 1-1.048-.625 11.777 11.777 0 0 1-2.517-2.453C1.928 10.487.545 7.169 1.141 2.692A1.54 1.54 0 0 1 2.185 1.43 62.456 62.456 0 0 1 5.072.56z"/&gt;&lt;path d="M9.5 6.5a1.5 1.5 0 0 1-1 1.415l.385 1.99a.5.5 0 0 1-.491.595h-.788a.5.5 0 0 1-.49-.595l.384-1.99a1.5 1.5 0 1 1 2-1.415z"/&gt;');// eslint-disable-next-line
var BIconShieldLockFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldLockFill','&lt;path fill-rule="evenodd" d="M8 0c-.69 0-1.843.265-2.928.56-1.11.3-2.229.655-2.887.87a1.54 1.54 0 0 0-1.044 1.262c-.596 4.477.787 7.795 2.465 9.99a11.777 11.777 0 0 0 2.517 2.453c.386.273.744.482 1.048.625.28.132.581.24.829.24s.548-.108.829-.24a7.159 7.159 0 0 0 1.048-.625 11.775 11.775 0 0 0 2.517-2.453c1.678-2.195 3.061-5.513 2.465-9.99a1.541 1.541 0 0 0-1.044-1.263 62.467 62.467 0 0 0-2.887-.87C9.843.266 8.69 0 8 0zm0 5a1.5 1.5 0 0 1 .5 2.915l.385 1.99a.5.5 0 0 1-.491.595h-.788a.5.5 0 0 1-.49-.595l.384-1.99A1.5 1.5 0 0 1 8 5z"/&gt;');// eslint-disable-next-line
var BIconShieldMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldMinus','&lt;path d="M5.338 1.59a61.44 61.44 0 0 0-2.837.856.481.481 0 0 0-.328.39c-.554 4.157.726 7.19 2.253 9.188a10.725 10.725 0 0 0 2.287 2.233c.346.244.652.42.893.533.12.057.218.095.293.118a.55.55 0 0 0 .101.025.615.615 0 0 0 .1-.025c.076-.023.174-.061.294-.118.24-.113.547-.29.893-.533a10.726 10.726 0 0 0 2.287-2.233c1.527-1.997 2.807-5.031 2.253-9.188a.48.48 0 0 0-.328-.39c-.651-.213-1.75-.56-2.837-.855C9.552 1.29 8.531 1.067 8 1.067c-.53 0-1.552.223-2.662.524zM5.072.56C6.157.265 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.596 4.477-.787 7.795-2.465 9.99a11.775 11.775 0 0 1-2.517 2.453 7.159 7.159 0 0 1-1.048.625c-.28.132-.581.24-.829.24s-.548-.108-.829-.24a7.158 7.158 0 0 1-1.048-.625 11.777 11.777 0 0 1-2.517-2.453C1.928 10.487.545 7.169 1.141 2.692A1.54 1.54 0 0 1 2.185 1.43 62.456 62.456 0 0 1 5.072.56z"/&gt;&lt;path d="M5.5 7a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1H6a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconShieldPlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldPlus','&lt;path d="M5.338 1.59a61.44 61.44 0 0 0-2.837.856.481.481 0 0 0-.328.39c-.554 4.157.726 7.19 2.253 9.188a10.725 10.725 0 0 0 2.287 2.233c.346.244.652.42.893.533.12.057.218.095.293.118a.55.55 0 0 0 .101.025.615.615 0 0 0 .1-.025c.076-.023.174-.061.294-.118.24-.113.547-.29.893-.533a10.726 10.726 0 0 0 2.287-2.233c1.527-1.997 2.807-5.031 2.253-9.188a.48.48 0 0 0-.328-.39c-.651-.213-1.75-.56-2.837-.855C9.552 1.29 8.531 1.067 8 1.067c-.53 0-1.552.223-2.662.524zM5.072.56C6.157.265 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.596 4.477-.787 7.795-2.465 9.99a11.775 11.775 0 0 1-2.517 2.453 7.159 7.159 0 0 1-1.048.625c-.28.132-.581.24-.829.24s-.548-.108-.829-.24a7.158 7.158 0 0 1-1.048-.625 11.777 11.777 0 0 1-2.517-2.453C1.928 10.487.545 7.169 1.141 2.692A1.54 1.54 0 0 1 2.185 1.43 62.456 62.456 0 0 1 5.072.56z"/&gt;&lt;path d="M8 4.5a.5.5 0 0 1 .5.5v1.5H10a.5.5 0 0 1 0 1H8.5V9a.5.5 0 0 1-1 0V7.5H6a.5.5 0 0 1 0-1h1.5V5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconShieldShaded=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldShaded','&lt;path fill-rule="evenodd" d="M8 14.933a.615.615 0 0 0 .1-.025c.076-.023.174-.061.294-.118.24-.113.547-.29.893-.533a10.726 10.726 0 0 0 2.287-2.233c1.527-1.997 2.807-5.031 2.253-9.188a.48.48 0 0 0-.328-.39c-.651-.213-1.75-.56-2.837-.855C9.552 1.29 8.531 1.067 8 1.067v13.866zM5.072.56C6.157.265 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.596 4.477-.787 7.795-2.465 9.99a11.775 11.775 0 0 1-2.517 2.453 7.159 7.159 0 0 1-1.048.625c-.28.132-.581.24-.829.24s-.548-.108-.829-.24a7.158 7.158 0 0 1-1.048-.625 11.777 11.777 0 0 1-2.517-2.453C1.928 10.487.545 7.169 1.141 2.692A1.54 1.54 0 0 1 2.185 1.43 62.456 62.456 0 0 1 5.072.56z"/&gt;');// eslint-disable-next-line
var BIconShieldSlash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldSlash','&lt;path fill-rule="evenodd" d="M1.093 3.093c-.465 4.275.885 7.46 2.513 9.589a11.777 11.777 0 0 0 2.517 2.453c.386.273.744.482 1.048.625.28.132.581.24.829.24s.548-.108.829-.24a7.159 7.159 0 0 0 1.048-.625 11.32 11.32 0 0 0 1.733-1.525l-.745-.745a10.27 10.27 0 0 1-1.578 1.392c-.346.244-.652.42-.893.533-.12.057-.218.095-.293.118a.55.55 0 0 1-.101.025.615.615 0 0 1-.1-.025 2.348 2.348 0 0 1-.294-.118 6.141 6.141 0 0 1-.893-.533 10.725 10.725 0 0 1-2.287-2.233C3.053 10.228 1.879 7.594 2.06 4.06l-.967-.967zM3.98 1.98l-.852-.852A58.935 58.935 0 0 1 5.072.559C6.157.266 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.483 3.626-.332 6.491-1.551 8.616l-.77-.77c1.042-1.915 1.72-4.469 1.29-7.702a.48.48 0 0 0-.33-.39c-.65-.213-1.75-.56-2.836-.855C9.552 1.29 8.531 1.067 8 1.067c-.53 0-1.552.223-2.662.524a49.7 49.7 0 0 0-1.357.39zm9.666 12.374-13-13 .708-.708 13 13-.707.707z"/&gt;');// eslint-disable-next-line
var BIconShieldSlashFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldSlashFill','&lt;path fill-rule="evenodd" d="M1.093 3.093c-.465 4.275.885 7.46 2.513 9.589a11.777 11.777 0 0 0 2.517 2.453c.386.273.744.482 1.048.625.28.132.581.24.829.24s.548-.108.829-.24a7.159 7.159 0 0 0 1.048-.625 11.32 11.32 0 0 0 1.733-1.525L1.093 3.093zm12.215 8.215L3.128 1.128A61.369 61.369 0 0 1 5.073.56C6.157.265 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.483 3.626-.332 6.491-1.551 8.616zm.338 3.046-13-13 .708-.708 13 13-.707.707z"/&gt;');// eslint-disable-next-line
var BIconShieldX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShieldX','&lt;path d="M5.338 1.59a61.44 61.44 0 0 0-2.837.856.481.481 0 0 0-.328.39c-.554 4.157.726 7.19 2.253 9.188a10.725 10.725 0 0 0 2.287 2.233c.346.244.652.42.893.533.12.057.218.095.293.118a.55.55 0 0 0 .101.025.615.615 0 0 0 .1-.025c.076-.023.174-.061.294-.118.24-.113.547-.29.893-.533a10.726 10.726 0 0 0 2.287-2.233c1.527-1.997 2.807-5.031 2.253-9.188a.48.48 0 0 0-.328-.39c-.651-.213-1.75-.56-2.837-.855C9.552 1.29 8.531 1.067 8 1.067c-.53 0-1.552.223-2.662.524zM5.072.56C6.157.265 7.31 0 8 0s1.843.265 2.928.56c1.11.3 2.229.655 2.887.87a1.54 1.54 0 0 1 1.044 1.262c.596 4.477-.787 7.795-2.465 9.99a11.775 11.775 0 0 1-2.517 2.453 7.159 7.159 0 0 1-1.048.625c-.28.132-.581.24-.829.24s-.548-.108-.829-.24a7.158 7.158 0 0 1-1.048-.625 11.777 11.777 0 0 1-2.517-2.453C1.928 10.487.545 7.169 1.141 2.692A1.54 1.54 0 0 1 2.185 1.43 62.456 62.456 0 0 1 5.072.56z"/&gt;&lt;path d="M6.146 5.146a.5.5 0 0 1 .708 0L8 6.293l1.146-1.147a.5.5 0 1 1 .708.708L8.707 7l1.147 1.146a.5.5 0 0 1-.708.708L8 7.707 6.854 8.854a.5.5 0 1 1-.708-.708L7.293 7 6.146 5.854a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconShift=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Shift','&lt;path d="M7.27 2.047a1 1 0 0 1 1.46 0l6.345 6.77c.6.638.146 1.683-.73 1.683H11.5v3a1 1 0 0 1-1 1h-5a1 1 0 0 1-1-1v-3H1.654C.78 10.5.326 9.455.924 8.816L7.27 2.047zM14.346 9.5 8 2.731 1.654 9.5H4.5a1 1 0 0 1 1 1v3h5v-3a1 1 0 0 1 1-1h2.846z"/&gt;');// eslint-disable-next-line
var BIconShiftFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShiftFill','&lt;path d="M7.27 2.047a1 1 0 0 1 1.46 0l6.345 6.77c.6.638.146 1.683-.73 1.683H11.5v3a1 1 0 0 1-1 1h-5a1 1 0 0 1-1-1v-3H1.654C.78 10.5.326 9.455.924 8.816L7.27 2.047z"/&gt;');// eslint-disable-next-line
var BIconShop=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Shop','&lt;path d="M2.97 1.35A1 1 0 0 1 3.73 1h8.54a1 1 0 0 1 .76.35l2.609 3.044A1.5 1.5 0 0 1 16 5.37v.255a2.375 2.375 0 0 1-4.25 1.458A2.371 2.371 0 0 1 9.875 8 2.37 2.37 0 0 1 8 7.083 2.37 2.37 0 0 1 6.125 8a2.37 2.37 0 0 1-1.875-.917A2.375 2.375 0 0 1 0 5.625V5.37a1.5 1.5 0 0 1 .361-.976l2.61-3.045zm1.78 4.275a1.375 1.375 0 0 0 2.75 0 .5.5 0 0 1 1 0 1.375 1.375 0 0 0 2.75 0 .5.5 0 0 1 1 0 1.375 1.375 0 1 0 2.75 0V5.37a.5.5 0 0 0-.12-.325L12.27 2H3.73L1.12 5.045A.5.5 0 0 0 1 5.37v.255a1.375 1.375 0 0 0 2.75 0 .5.5 0 0 1 1 0zM1.5 8.5A.5.5 0 0 1 2 9v6h1v-5a1 1 0 0 1 1-1h3a1 1 0 0 1 1 1v5h6V9a.5.5 0 0 1 1 0v6h.5a.5.5 0 0 1 0 1H.5a.5.5 0 0 1 0-1H1V9a.5.5 0 0 1 .5-.5zM4 15h3v-5H4v5zm5-5a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1h-2a1 1 0 0 1-1-1v-3zm3 0h-2v3h2v-3z"/&gt;');// eslint-disable-next-line
var BIconShopWindow=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ShopWindow','&lt;path d="M2.97 1.35A1 1 0 0 1 3.73 1h8.54a1 1 0 0 1 .76.35l2.609 3.044A1.5 1.5 0 0 1 16 5.37v.255a2.375 2.375 0 0 1-4.25 1.458A2.371 2.371 0 0 1 9.875 8 2.37 2.37 0 0 1 8 7.083 2.37 2.37 0 0 1 6.125 8a2.37 2.37 0 0 1-1.875-.917A2.375 2.375 0 0 1 0 5.625V5.37a1.5 1.5 0 0 1 .361-.976l2.61-3.045zm1.78 4.275a1.375 1.375 0 0 0 2.75 0 .5.5 0 0 1 1 0 1.375 1.375 0 0 0 2.75 0 .5.5 0 0 1 1 0 1.375 1.375 0 1 0 2.75 0V5.37a.5.5 0 0 0-.12-.325L12.27 2H3.73L1.12 5.045A.5.5 0 0 0 1 5.37v.255a1.375 1.375 0 0 0 2.75 0 .5.5 0 0 1 1 0zM1.5 8.5A.5.5 0 0 1 2 9v6h12V9a.5.5 0 0 1 1 0v6h.5a.5.5 0 0 1 0 1H.5a.5.5 0 0 1 0-1H1V9a.5.5 0 0 1 .5-.5zm2 .5a.5.5 0 0 1 .5.5V13h8V9.5a.5.5 0 0 1 1 0V13a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V9.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconShuffle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Shuffle','&lt;path fill-rule="evenodd" d="M0 3.5A.5.5 0 0 1 .5 3H1c2.202 0 3.827 1.24 4.874 2.418.49.552.865 1.102 1.126 1.532.26-.43.636-.98 1.126-1.532C9.173 4.24 10.798 3 13 3v1c-1.798 0-3.173 1.01-4.126 2.082A9.624 9.624 0 0 0 7.556 8a9.624 9.624 0 0 0 1.317 1.918C9.828 10.99 11.204 12 13 12v1c-2.202 0-3.827-1.24-4.874-2.418A10.595 10.595 0 0 1 7 9.05c-.26.43-.636.98-1.126 1.532C4.827 11.76 3.202 13 1 13H.5a.5.5 0 0 1 0-1H1c1.798 0 3.173-1.01 4.126-2.082A9.624 9.624 0 0 0 6.444 8a9.624 9.624 0 0 0-1.317-1.918C4.172 5.01 2.796 4 1 4H.5a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M13 5.466V1.534a.25.25 0 0 1 .41-.192l2.36 1.966c.12.1.12.284 0 .384l-2.36 1.966a.25.25 0 0 1-.41-.192zm0 9v-3.932a.25.25 0 0 1 .41-.192l2.36 1.966c.12.1.12.284 0 .384l-2.36 1.966a.25.25 0 0 1-.41-.192z"/&gt;');// eslint-disable-next-line
var BIconSignpost=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Signpost','&lt;path d="M7 1.414V4H2a1 1 0 0 0-1 1v4a1 1 0 0 0 1 1h5v6h2v-6h3.532a1 1 0 0 0 .768-.36l1.933-2.32a.5.5 0 0 0 0-.64L13.3 4.36a1 1 0 0 0-.768-.36H9V1.414a1 1 0 0 0-2 0zM12.532 5l1.666 2-1.666 2H2V5h10.532z"/&gt;');// eslint-disable-next-line
var BIconSignpost2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Signpost2','&lt;path d="M7 1.414V2H2a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h5v1H2.5a1 1 0 0 0-.8.4L.725 8.7a.5.5 0 0 0 0 .6l.975 1.3a1 1 0 0 0 .8.4H7v5h2v-5h5a1 1 0 0 0 1-1V8a1 1 0 0 0-1-1H9V6h4.5a1 1 0 0 0 .8-.4l.975-1.3a.5.5 0 0 0 0-.6L14.3 2.4a1 1 0 0 0-.8-.4H9v-.586a1 1 0 0 0-2 0zM13.5 3l.75 1-.75 1H2V3h11.5zm.5 5v2H2.5l-.75-1 .75-1H14z"/&gt;');// eslint-disable-next-line
var BIconSignpost2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Signpost2Fill','&lt;path d="M7.293.707A1 1 0 0 0 7 1.414V2H2a1 1 0 0 0-1 1v2a1 1 0 0 0 1 1h5v1H2.5a1 1 0 0 0-.8.4L.725 8.7a.5.5 0 0 0 0 .6l.975 1.3a1 1 0 0 0 .8.4H7v5h2v-5h5a1 1 0 0 0 1-1V8a1 1 0 0 0-1-1H9V6h4.5a1 1 0 0 0 .8-.4l.975-1.3a.5.5 0 0 0 0-.6L14.3 2.4a1 1 0 0 0-.8-.4H9v-.586A1 1 0 0 0 7.293.707z"/&gt;');// eslint-disable-next-line
var BIconSignpostFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SignpostFill','&lt;path d="M7.293.707A1 1 0 0 0 7 1.414V4H2a1 1 0 0 0-1 1v4a1 1 0 0 0 1 1h5v6h2v-6h3.532a1 1 0 0 0 .768-.36l1.933-2.32a.5.5 0 0 0 0-.64L13.3 4.36a1 1 0 0 0-.768-.36H9V1.414A1 1 0 0 0 7.293.707z"/&gt;');// eslint-disable-next-line
var BIconSignpostSplit=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SignpostSplit','&lt;path d="M7 7V1.414a1 1 0 0 1 2 0V2h5a1 1 0 0 1 .8.4l.975 1.3a.5.5 0 0 1 0 .6L14.8 5.6a1 1 0 0 1-.8.4H9v10H7v-5H2a1 1 0 0 1-.8-.4L.225 9.3a.5.5 0 0 1 0-.6L1.2 7.4A1 1 0 0 1 2 7h5zm1 3V8H2l-.75 1L2 10h6zm0-5h6l.75-1L14 3H8v2z"/&gt;');// eslint-disable-next-line
var BIconSignpostSplitFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SignpostSplitFill','&lt;path d="M7 16h2V6h5a1 1 0 0 0 .8-.4l.975-1.3a.5.5 0 0 0 0-.6L14.8 2.4A1 1 0 0 0 14 2H9v-.586a1 1 0 0 0-2 0V7H2a1 1 0 0 0-.8.4L.225 8.7a.5.5 0 0 0 0 .6l.975 1.3a1 1 0 0 0 .8.4h5v5z"/&gt;');// eslint-disable-next-line
var BIconSim=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Sim','&lt;path d="M2 1.5A1.5 1.5 0 0 1 3.5 0h7.086a1.5 1.5 0 0 1 1.06.44l1.915 1.914A1.5 1.5 0 0 1 14 3.414V14.5a1.5 1.5 0 0 1-1.5 1.5h-9A1.5 1.5 0 0 1 2 14.5v-13zM3.5 1a.5.5 0 0 0-.5.5v13a.5.5 0 0 0 .5.5h9a.5.5 0 0 0 .5-.5V3.414a.5.5 0 0 0-.146-.353l-1.915-1.915A.5.5 0 0 0 10.586 1H3.5z"/&gt;&lt;path d="M5.5 4a.5.5 0 0 0-.5.5V6h2.5V4h-2zm3 0v2H11V4.5a.5.5 0 0 0-.5-.5h-2zM11 7H5v2h6V7zm0 3H8.5v2h2a.5.5 0 0 0 .5-.5V10zm-3.5 2v-2H5v1.5a.5.5 0 0 0 .5.5h2zM4 4.5A1.5 1.5 0 0 1 5.5 3h5A1.5 1.5 0 0 1 12 4.5v7a1.5 1.5 0 0 1-1.5 1.5h-5A1.5 1.5 0 0 1 4 11.5v-7z"/&gt;');// eslint-disable-next-line
var BIconSimFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SimFill','&lt;path d="M5 4.5a.5.5 0 0 1 .5-.5h2v2H5V4.5zM8.5 6V4h2a.5.5 0 0 1 .5.5V6H8.5zM5 7h6v2H5V7zm3.5 3H11v1.5a.5.5 0 0 1-.5.5h-2v-2zm-1 0v2h-2a.5.5 0 0 1-.5-.5V10h2.5z"/&gt;&lt;path d="M3.5 0A1.5 1.5 0 0 0 2 1.5v13A1.5 1.5 0 0 0 3.5 16h9a1.5 1.5 0 0 0 1.5-1.5V3.414a1.5 1.5 0 0 0-.44-1.06L11.647.439A1.5 1.5 0 0 0 10.586 0H3.5zm2 3h5A1.5 1.5 0 0 1 12 4.5v7a1.5 1.5 0 0 1-1.5 1.5h-5A1.5 1.5 0 0 1 4 11.5v-7A1.5 1.5 0 0 1 5.5 3z"/&gt;');// eslint-disable-next-line
var BIconSkipBackward=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipBackward','&lt;path d="M.5 3.5A.5.5 0 0 1 1 4v3.248l6.267-3.636c.52-.302 1.233.043 1.233.696v2.94l6.267-3.636c.52-.302 1.233.043 1.233.696v7.384c0 .653-.713.998-1.233.696L8.5 8.752v2.94c0 .653-.713.998-1.233.696L1 8.752V12a.5.5 0 0 1-1 0V4a.5.5 0 0 1 .5-.5zm7 1.133L1.696 8 7.5 11.367V4.633zm7.5 0L9.196 8 15 11.367V4.633z"/&gt;');// eslint-disable-next-line
var BIconSkipBackwardBtn=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipBackwardBtn','&lt;path d="M11.21 5.093A.5.5 0 0 1 12 5.5v5a.5.5 0 0 1-.79.407L8.5 8.972V10.5a.5.5 0 0 1-.79.407L5 8.972V10.5a.5.5 0 0 1-1 0v-5a.5.5 0 0 1 1 0v1.528l2.71-1.935a.5.5 0 0 1 .79.407v1.528l2.71-1.935z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm15 0a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4z"/&gt;');// eslint-disable-next-line
var BIconSkipBackwardBtnFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipBackwardBtnFill','&lt;path d="M0 12V4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2zm11.21-6.907L8.5 7.028V5.5a.5.5 0 0 0-.79-.407L5 7.028V5.5a.5.5 0 0 0-1 0v5a.5.5 0 0 0 1 0V8.972l2.71 1.935a.5.5 0 0 0 .79-.407V8.972l2.71 1.935A.5.5 0 0 0 12 10.5v-5a.5.5 0 0 0-.79-.407z"/&gt;');// eslint-disable-next-line
var BIconSkipBackwardCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipBackwardCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M11.729 5.055a.5.5 0 0 0-.52.038L8.5 7.028V5.5a.5.5 0 0 0-.79-.407L5 7.028V5.5a.5.5 0 0 0-1 0v5a.5.5 0 0 0 1 0V8.972l2.71 1.935a.5.5 0 0 0 .79-.407V8.972l2.71 1.935A.5.5 0 0 0 12 10.5v-5a.5.5 0 0 0-.271-.445z"/&gt;');// eslint-disable-next-line
var BIconSkipBackwardCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipBackwardCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-4.79-2.907L8.5 7.028V5.5a.5.5 0 0 0-.79-.407L5 7.028V5.5a.5.5 0 0 0-1 0v5a.5.5 0 0 0 1 0V8.972l2.71 1.935a.5.5 0 0 0 .79-.407V8.972l2.71 1.935A.5.5 0 0 0 12 10.5v-5a.5.5 0 0 0-.79-.407z"/&gt;');// eslint-disable-next-line
var BIconSkipBackwardFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipBackwardFill','&lt;path d="M.5 3.5A.5.5 0 0 0 0 4v8a.5.5 0 0 0 1 0V8.753l6.267 3.636c.54.313 1.233-.066 1.233-.697v-2.94l6.267 3.636c.54.314 1.233-.065 1.233-.696V4.308c0-.63-.693-1.01-1.233-.696L8.5 7.248v-2.94c0-.63-.692-1.01-1.233-.696L1 7.248V4a.5.5 0 0 0-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconSkipEnd=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipEnd','&lt;path d="M12.5 4a.5.5 0 0 0-1 0v3.248L5.233 3.612C4.713 3.31 4 3.655 4 4.308v7.384c0 .653.713.998 1.233.696L11.5 8.752V12a.5.5 0 0 0 1 0V4zM5 4.633 10.804 8 5 11.367V4.633z"/&gt;');// eslint-disable-next-line
var BIconSkipEndBtn=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipEndBtn','&lt;path d="M6.79 5.093 9.5 7.028V5.5a.5.5 0 0 1 1 0v5a.5.5 0 0 1-1 0V8.972l-2.71 1.935A.5.5 0 0 1 6 10.5v-5a.5.5 0 0 1 .79-.407z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm15 0a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4z"/&gt;');// eslint-disable-next-line
var BIconSkipEndBtnFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipEndBtnFill','&lt;path d="M0 12V4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2zm6.79-6.907A.5.5 0 0 0 6 5.5v5a.5.5 0 0 0 .79.407L9.5 8.972V10.5a.5.5 0 0 0 1 0v-5a.5.5 0 0 0-1 0v1.528L6.79 5.093z"/&gt;');// eslint-disable-next-line
var BIconSkipEndCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipEndCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M6.271 5.055a.5.5 0 0 1 .52.038L9.5 7.028V5.5a.5.5 0 0 1 1 0v5a.5.5 0 0 1-1 0V8.972l-2.71 1.935A.5.5 0 0 1 6 10.5v-5a.5.5 0 0 1 .271-.445z"/&gt;');// eslint-disable-next-line
var BIconSkipEndCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipEndCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM6.79 5.093A.5.5 0 0 0 6 5.5v5a.5.5 0 0 0 .79.407L9.5 8.972V10.5a.5.5 0 0 0 1 0v-5a.5.5 0 0 0-1 0v1.528L6.79 5.093z"/&gt;');// eslint-disable-next-line
var BIconSkipEndFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipEndFill','&lt;path d="M12.5 4a.5.5 0 0 0-1 0v3.248L5.233 3.612C4.693 3.3 4 3.678 4 4.308v7.384c0 .63.692 1.01 1.233.697L11.5 8.753V12a.5.5 0 0 0 1 0V4z"/&gt;');// eslint-disable-next-line
var BIconSkipForward=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipForward','&lt;path d="M15.5 3.5a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-1 0V8.752l-6.267 3.636c-.52.302-1.233-.043-1.233-.696v-2.94l-6.267 3.636C.713 12.69 0 12.345 0 11.692V4.308c0-.653.713-.998 1.233-.696L7.5 7.248v-2.94c0-.653.713-.998 1.233-.696L15 7.248V4a.5.5 0 0 1 .5-.5zM1 4.633v6.734L6.804 8 1 4.633zm7.5 0v6.734L14.304 8 8.5 4.633z"/&gt;');// eslint-disable-next-line
var BIconSkipForwardBtn=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipForwardBtn','&lt;path d="M4.79 5.093A.5.5 0 0 0 4 5.5v5a.5.5 0 0 0 .79.407L7.5 8.972V10.5a.5.5 0 0 0 .79.407L11 8.972V10.5a.5.5 0 0 0 1 0v-5a.5.5 0 0 0-1 0v1.528L8.29 5.093a.5.5 0 0 0-.79.407v1.528L4.79 5.093z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm15 0a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4z"/&gt;');// eslint-disable-next-line
var BIconSkipForwardBtnFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipForwardBtnFill','&lt;path d="M0 10V2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2zm4.79-6.907A.5.5 0 0 0 4 3.5v5a.5.5 0 0 0 .79.407L7.5 6.972V8.5a.5.5 0 0 0 .79.407L11 6.972V8.5a.5.5 0 0 0 1 0v-5a.5.5 0 0 0-1 0v1.528L8.29 3.093a.5.5 0 0 0-.79.407v1.528L4.79 3.093z"/&gt;');// eslint-disable-next-line
var BIconSkipForwardCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipForwardCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M4.271 5.055a.5.5 0 0 1 .52.038L7.5 7.028V5.5a.5.5 0 0 1 .79-.407L11 7.028V5.5a.5.5 0 0 1 1 0v5a.5.5 0 0 1-1 0V8.972l-2.71 1.935a.5.5 0 0 1-.79-.407V8.972l-2.71 1.935A.5.5 0 0 1 4 10.5v-5a.5.5 0 0 1 .271-.445z"/&gt;');// eslint-disable-next-line
var BIconSkipForwardCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipForwardCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM4.79 5.093A.5.5 0 0 0 4 5.5v5a.5.5 0 0 0 .79.407L7.5 8.972V10.5a.5.5 0 0 0 .79.407L11 8.972V10.5a.5.5 0 0 0 1 0v-5a.5.5 0 0 0-1 0v1.528L8.29 5.093a.5.5 0 0 0-.79.407v1.528L4.79 5.093z"/&gt;');// eslint-disable-next-line
var BIconSkipForwardFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipForwardFill','&lt;path d="M15.5 3.5a.5.5 0 0 1 .5.5v8a.5.5 0 0 1-1 0V8.753l-6.267 3.636c-.54.313-1.233-.066-1.233-.697v-2.94l-6.267 3.636C.693 12.703 0 12.324 0 11.693V4.308c0-.63.693-1.01 1.233-.696L7.5 7.248v-2.94c0-.63.693-1.01 1.233-.696L15 7.248V4a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconSkipStart=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipStart','&lt;path d="M4 4a.5.5 0 0 1 1 0v3.248l6.267-3.636c.52-.302 1.233.043 1.233.696v7.384c0 .653-.713.998-1.233.696L5 8.752V12a.5.5 0 0 1-1 0V4zm7.5.633L5.696 8l5.804 3.367V4.633z"/&gt;');// eslint-disable-next-line
var BIconSkipStartBtn=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipStartBtn','&lt;path d="M9.71 5.093a.5.5 0 0 1 .79.407v5a.5.5 0 0 1-.79.407L7 8.972V10.5a.5.5 0 0 1-1 0v-5a.5.5 0 0 1 1 0v1.528l2.71-1.935z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm15 0a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4z"/&gt;');// eslint-disable-next-line
var BIconSkipStartBtnFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipStartBtnFill','&lt;path d="M0 12V4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2zm9.71-6.907L7 7.028V5.5a.5.5 0 0 0-1 0v5a.5.5 0 0 0 1 0V8.972l2.71 1.935a.5.5 0 0 0 .79-.407v-5a.5.5 0 0 0-.79-.407z"/&gt;');// eslint-disable-next-line
var BIconSkipStartCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipStartCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M10.229 5.055a.5.5 0 0 0-.52.038L7 7.028V5.5a.5.5 0 0 0-1 0v5a.5.5 0 0 0 1 0V8.972l2.71 1.935a.5.5 0 0 0 .79-.407v-5a.5.5 0 0 0-.271-.445z"/&gt;');// eslint-disable-next-line
var BIconSkipStartCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipStartCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM9.71 5.093 7 7.028V5.5a.5.5 0 0 0-1 0v5a.5.5 0 0 0 1 0V8.972l2.71 1.935a.5.5 0 0 0 .79-.407v-5a.5.5 0 0 0-.79-.407z"/&gt;');// eslint-disable-next-line
var BIconSkipStartFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SkipStartFill','&lt;path d="M4 4a.5.5 0 0 1 1 0v3.248l6.267-3.636c.54-.313 1.232.066 1.232.696v7.384c0 .63-.692 1.01-1.232.697L5 8.753V12a.5.5 0 0 1-1 0V4z"/&gt;');// eslint-disable-next-line
var BIconSkype=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Skype','&lt;path d="M4.671 0c.88 0 1.733.247 2.468.702a7.423 7.423 0 0 1 6.02 2.118 7.372 7.372 0 0 1 2.167 5.215c0 .344-.024.687-.072 1.026a4.662 4.662 0 0 1 .6 2.281 4.645 4.645 0 0 1-1.37 3.294A4.673 4.673 0 0 1 11.18 16c-.84 0-1.658-.226-2.37-.644a7.423 7.423 0 0 1-6.114-2.107A7.374 7.374 0 0 1 .529 8.035c0-.363.026-.724.08-1.081a4.644 4.644 0 0 1 .76-5.59A4.68 4.68 0 0 1 4.67 0zm.447 7.01c.18.309.43.572.729.769a7.07 7.07 0 0 0 1.257.653c.492.205.873.38 1.145.523.229.112.437.264.615.448.135.142.21.331.21.528a.872.872 0 0 1-.335.723c-.291.196-.64.289-.99.264a2.618 2.618 0 0 1-1.048-.206 11.44 11.44 0 0 1-.532-.253 1.284 1.284 0 0 0-.587-.15.717.717 0 0 0-.501.176.63.63 0 0 0-.195.491.796.796 0 0 0 .148.482 1.2 1.2 0 0 0 .456.354 5.113 5.113 0 0 0 2.212.419 4.554 4.554 0 0 0 1.624-.265 2.296 2.296 0 0 0 1.08-.801c.267-.39.402-.855.386-1.327a2.09 2.09 0 0 0-.279-1.101 2.53 2.53 0 0 0-.772-.792A7.198 7.198 0 0 0 8.486 7.3a1.05 1.05 0 0 0-.145-.058 18.182 18.182 0 0 1-1.013-.447 1.827 1.827 0 0 1-.54-.387.727.727 0 0 1-.2-.508.805.805 0 0 1 .385-.723 1.76 1.76 0 0 1 .968-.247c.26-.003.52.03.772.096.274.079.542.177.802.293.105.049.22.075.336.076a.6.6 0 0 0 .453-.19.69.69 0 0 0 .18-.496.717.717 0 0 0-.17-.476 1.374 1.374 0 0 0-.556-.354 3.69 3.69 0 0 0-.708-.183 5.963 5.963 0 0 0-1.022-.078 4.53 4.53 0 0 0-1.536.258 2.71 2.71 0 0 0-1.174.784 1.91 1.91 0 0 0-.45 1.287c-.01.37.076.736.25 1.063z"/&gt;');// eslint-disable-next-line
var BIconSlack=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Slack','&lt;path d="M3.362 10.11c0 .926-.756 1.681-1.681 1.681S0 11.036 0 10.111C0 9.186.756 8.43 1.68 8.43h1.682v1.68zm.846 0c0-.924.756-1.68 1.681-1.68s1.681.756 1.681 1.68v4.21c0 .924-.756 1.68-1.68 1.68a1.685 1.685 0 0 1-1.682-1.68v-4.21zM5.89 3.362c-.926 0-1.682-.756-1.682-1.681S4.964 0 5.89 0s1.68.756 1.68 1.68v1.682H5.89zm0 .846c.924 0 1.68.756 1.68 1.681S6.814 7.57 5.89 7.57H1.68C.757 7.57 0 6.814 0 5.89c0-.926.756-1.682 1.68-1.682h4.21zm6.749 1.682c0-.926.755-1.682 1.68-1.682.925 0 1.681.756 1.681 1.681s-.756 1.681-1.68 1.681h-1.681V5.89zm-.848 0c0 .924-.755 1.68-1.68 1.68A1.685 1.685 0 0 1 8.43 5.89V1.68C8.43.757 9.186 0 10.11 0c.926 0 1.681.756 1.681 1.68v4.21zm-1.681 6.748c.926 0 1.682.756 1.682 1.681S11.036 16 10.11 16s-1.681-.756-1.681-1.68v-1.682h1.68zm0-.847c-.924 0-1.68-.755-1.68-1.68 0-.925.756-1.681 1.68-1.681h4.21c.924 0 1.68.756 1.68 1.68 0 .926-.756 1.681-1.68 1.681h-4.21z"/&gt;');// eslint-disable-next-line
var BIconSlash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Slash','&lt;path d="M11.354 4.646a.5.5 0 0 1 0 .708l-6 6a.5.5 0 0 1-.708-.708l6-6a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconSlashCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SlashCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M11.354 4.646a.5.5 0 0 0-.708 0l-6 6a.5.5 0 0 0 .708.708l6-6a.5.5 0 0 0 0-.708z"/&gt;');// eslint-disable-next-line
var BIconSlashCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SlashCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zm-4.646-2.646a.5.5 0 0 0-.708-.708l-6 6a.5.5 0 0 0 .708.708l6-6z"/&gt;');// eslint-disable-next-line
var BIconSlashLg=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SlashLg','&lt;path d="M14.707 1.293a1 1 0 0 1 0 1.414l-12 12a1 1 0 0 1-1.414-1.414l12-12a1 1 0 0 1 1.414 0z"/&gt;');// eslint-disable-next-line
var BIconSlashSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SlashSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M11.354 4.646a.5.5 0 0 1 0 .708l-6 6a.5.5 0 0 1-.708-.708l6-6a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconSlashSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SlashSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm9.354 5.354-6 6a.5.5 0 0 1-.708-.708l6-6a.5.5 0 0 1 .708.708z"/&gt;');// eslint-disable-next-line
var BIconSliders=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Sliders','&lt;path fill-rule="evenodd" d="M11.5 2a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3zM9.05 3a2.5 2.5 0 0 1 4.9 0H16v1h-2.05a2.5 2.5 0 0 1-4.9 0H0V3h9.05zM4.5 7a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3zM2.05 8a2.5 2.5 0 0 1 4.9 0H16v1H6.95a2.5 2.5 0 0 1-4.9 0H0V8h2.05zm9.45 4a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3zm-2.45 1a2.5 2.5 0 0 1 4.9 0H16v1h-2.05a2.5 2.5 0 0 1-4.9 0H0v-1h9.05z"/&gt;');// eslint-disable-next-line
var BIconSmartwatch=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Smartwatch','&lt;path d="M9 5a.5.5 0 0 0-1 0v3H6a.5.5 0 0 0 0 1h2.5a.5.5 0 0 0 .5-.5V5z"/&gt;&lt;path d="M4 1.667v.383A2.5 2.5 0 0 0 2 4.5v7a2.5 2.5 0 0 0 2 2.45v.383C4 15.253 4.746 16 5.667 16h4.666c.92 0 1.667-.746 1.667-1.667v-.383a2.5 2.5 0 0 0 2-2.45V8h.5a.5.5 0 0 0 .5-.5v-2a.5.5 0 0 0-.5-.5H14v-.5a2.5 2.5 0 0 0-2-2.45v-.383C12 .747 11.254 0 10.333 0H5.667C4.747 0 4 .746 4 1.667zM4.5 3h7A1.5 1.5 0 0 1 13 4.5v7a1.5 1.5 0 0 1-1.5 1.5h-7A1.5 1.5 0 0 1 3 11.5v-7A1.5 1.5 0 0 1 4.5 3z"/&gt;');// eslint-disable-next-line
var BIconSnow=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Snow','&lt;path d="M8 16a.5.5 0 0 1-.5-.5v-1.293l-.646.647a.5.5 0 0 1-.707-.708L7.5 12.793V8.866l-3.4 1.963-.496 1.85a.5.5 0 1 1-.966-.26l.237-.882-1.12.646a.5.5 0 0 1-.5-.866l1.12-.646-.884-.237a.5.5 0 1 1 .26-.966l1.848.495L7 8 3.6 6.037l-1.85.495a.5.5 0 0 1-.258-.966l.883-.237-1.12-.646a.5.5 0 1 1 .5-.866l1.12.646-.237-.883a.5.5 0 1 1 .966-.258l.495 1.849L7.5 7.134V3.207L6.147 1.854a.5.5 0 1 1 .707-.708l.646.647V.5a.5.5 0 1 1 1 0v1.293l.647-.647a.5.5 0 1 1 .707.708L8.5 3.207v3.927l3.4-1.963.496-1.85a.5.5 0 1 1 .966.26l-.236.882 1.12-.646a.5.5 0 0 1 .5.866l-1.12.646.883.237a.5.5 0 1 1-.26.966l-1.848-.495L9 8l3.4 1.963 1.849-.495a.5.5 0 0 1 .259.966l-.883.237 1.12.646a.5.5 0 0 1-.5.866l-1.12-.646.236.883a.5.5 0 1 1-.966.258l-.495-1.849-3.4-1.963v3.927l1.353 1.353a.5.5 0 0 1-.707.708l-.647-.647V15.5a.5.5 0 0 1-.5.5z"/&gt;');// eslint-disable-next-line
var BIconSnow2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Snow2','&lt;path d="M8 16a.5.5 0 0 1-.5-.5v-1.293l-.646.647a.5.5 0 0 1-.707-.708L7.5 12.793v-1.086l-.646.647a.5.5 0 0 1-.707-.708L7.5 10.293V8.866l-1.236.713-.495 1.85a.5.5 0 1 1-.966-.26l.237-.882-.94.542-.496 1.85a.5.5 0 1 1-.966-.26l.237-.882-1.12.646a.5.5 0 0 1-.5-.866l1.12-.646-.884-.237a.5.5 0 1 1 .26-.966l1.848.495.94-.542-.882-.237a.5.5 0 1 1 .258-.966l1.85.495L7 8l-1.236-.713-1.849.495a.5.5 0 1 1-.258-.966l.883-.237-.94-.542-1.85.495a.5.5 0 0 1-.258-.966l.883-.237-1.12-.646a.5.5 0 1 1 .5-.866l1.12.646-.237-.883a.5.5 0 0 1 .966-.258l.495 1.849.94.542-.236-.883a.5.5 0 0 1 .966-.258l.495 1.849 1.236.713V5.707L6.147 4.354a.5.5 0 1 1 .707-.708l.646.647V3.207L6.147 1.854a.5.5 0 1 1 .707-.708l.646.647V.5a.5.5 0 0 1 1 0v1.293l.647-.647a.5.5 0 1 1 .707.708L8.5 3.207v1.086l.647-.647a.5.5 0 1 1 .707.708L8.5 5.707v1.427l1.236-.713.495-1.85a.5.5 0 1 1 .966.26l-.236.882.94-.542.495-1.85a.5.5 0 1 1 .966.26l-.236.882 1.12-.646a.5.5 0 0 1 .5.866l-1.12.646.883.237a.5.5 0 1 1-.26.966l-1.848-.495-.94.542.883.237a.5.5 0 1 1-.26.966l-1.848-.495L9 8l1.236.713 1.849-.495a.5.5 0 0 1 .259.966l-.883.237.94.542 1.849-.495a.5.5 0 0 1 .259.966l-.883.237 1.12.646a.5.5 0 0 1-.5.866l-1.12-.646.236.883a.5.5 0 1 1-.966.258l-.495-1.849-.94-.542.236.883a.5.5 0 0 1-.966.258L9.736 9.58 8.5 8.866v1.427l1.354 1.353a.5.5 0 0 1-.707.708l-.647-.647v1.086l1.354 1.353a.5.5 0 0 1-.707.708l-.647-.647V15.5a.5.5 0 0 1-.5.5z"/&gt;');// eslint-disable-next-line
var BIconSnow3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Snow3','&lt;path d="M8 7.5a.5.5 0 1 0 0 1 .5.5 0 0 0 0-1z"/&gt;&lt;path d="M8 16a.5.5 0 0 1-.5-.5v-1.293l-.646.647a.5.5 0 0 1-.707-.708L7.5 12.793v-1.51l-2.053-1.232-1.348.778-.495 1.85a.5.5 0 1 1-.966-.26l.237-.882-1.12.646a.5.5 0 0 1-.5-.866l1.12-.646-.883-.237a.5.5 0 1 1 .258-.966l1.85.495L5 9.155v-2.31l-1.4-.808-1.85.495a.5.5 0 1 1-.259-.966l.884-.237-1.12-.646a.5.5 0 0 1 .5-.866l1.12.646-.237-.883a.5.5 0 1 1 .966-.258l.495 1.849 1.348.778L7.5 4.717v-1.51L6.147 1.854a.5.5 0 1 1 .707-.708l.646.647V.5a.5.5 0 0 1 1 0v1.293l.647-.647a.5.5 0 1 1 .707.708L8.5 3.207v1.51l2.053 1.232 1.348-.778.495-1.85a.5.5 0 1 1 .966.26l-.236.882 1.12-.646a.5.5 0 0 1 .5.866l-1.12.646.883.237a.5.5 0 1 1-.26.966l-1.848-.495-1.4.808v2.31l1.4.808 1.849-.495a.5.5 0 1 1 .259.966l-.883.237 1.12.646a.5.5 0 0 1-.5.866l-1.12-.646.236.883a.5.5 0 1 1-.966.258l-.495-1.849-1.348-.778L8.5 11.283v1.51l1.354 1.353a.5.5 0 0 1-.707.708l-.647-.647V15.5a.5.5 0 0 1-.5.5zm2-6.783V6.783l-2-1.2-2 1.2v2.434l2 1.2 2-1.2z"/&gt;');// eslint-disable-next-line
var BIconSortAlphaDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortAlphaDown','&lt;path fill-rule="evenodd" d="M10.082 5.629 9.664 7H8.598l1.789-5.332h1.234L13.402 7h-1.12l-.419-1.371h-1.781zm1.57-.785L11 2.687h-.047l-.652 2.157h1.351z"/&gt;&lt;path d="M12.96 14H9.028v-.691l2.579-3.72v-.054H9.098v-.867h3.785v.691l-2.567 3.72v.054h2.645V14zM4.5 2.5a.5.5 0 0 0-1 0v9.793l-1.146-1.147a.5.5 0 0 0-.708.708l2 1.999.007.007a.497.497 0 0 0 .7-.006l2-2a.5.5 0 0 0-.707-.708L4.5 12.293V2.5z"/&gt;');// eslint-disable-next-line
var BIconSortAlphaDownAlt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortAlphaDownAlt','&lt;path d="M12.96 7H9.028v-.691l2.579-3.72v-.054H9.098v-.867h3.785v.691l-2.567 3.72v.054h2.645V7z"/&gt;&lt;path fill-rule="evenodd" d="M10.082 12.629 9.664 14H8.598l1.789-5.332h1.234L13.402 14h-1.12l-.419-1.371h-1.781zm1.57-.785L11 9.688h-.047l-.652 2.156h1.351z"/&gt;&lt;path d="M4.5 2.5a.5.5 0 0 0-1 0v9.793l-1.146-1.147a.5.5 0 0 0-.708.708l2 1.999.007.007a.497.497 0 0 0 .7-.006l2-2a.5.5 0 0 0-.707-.708L4.5 12.293V2.5z"/&gt;');// eslint-disable-next-line
var BIconSortAlphaUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortAlphaUp','&lt;path fill-rule="evenodd" d="M10.082 5.629 9.664 7H8.598l1.789-5.332h1.234L13.402 7h-1.12l-.419-1.371h-1.781zm1.57-.785L11 2.687h-.047l-.652 2.157h1.351z"/&gt;&lt;path d="M12.96 14H9.028v-.691l2.579-3.72v-.054H9.098v-.867h3.785v.691l-2.567 3.72v.054h2.645V14zm-8.46-.5a.5.5 0 0 1-1 0V3.707L2.354 4.854a.5.5 0 1 1-.708-.708l2-1.999.007-.007a.498.498 0 0 1 .7.006l2 2a.5.5 0 1 1-.707.708L4.5 3.707V13.5z"/&gt;');// eslint-disable-next-line
var BIconSortAlphaUpAlt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortAlphaUpAlt','&lt;path d="M12.96 7H9.028v-.691l2.579-3.72v-.054H9.098v-.867h3.785v.691l-2.567 3.72v.054h2.645V7z"/&gt;&lt;path fill-rule="evenodd" d="M10.082 12.629 9.664 14H8.598l1.789-5.332h1.234L13.402 14h-1.12l-.419-1.371h-1.781zm1.57-.785L11 9.688h-.047l-.652 2.156h1.351z"/&gt;&lt;path d="M4.5 13.5a.5.5 0 0 1-1 0V3.707L2.354 4.854a.5.5 0 1 1-.708-.708l2-1.999.007-.007a.498.498 0 0 1 .7.006l2 2a.5.5 0 1 1-.707.708L4.5 3.707V13.5z"/&gt;');// eslint-disable-next-line
var BIconSortDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortDown','&lt;path d="M3.5 2.5a.5.5 0 0 0-1 0v8.793l-1.146-1.147a.5.5 0 0 0-.708.708l2 1.999.007.007a.497.497 0 0 0 .7-.006l2-2a.5.5 0 0 0-.707-.708L3.5 11.293V2.5zm3.5 1a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zM7.5 6a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5zm0 3a.5.5 0 0 0 0 1h3a.5.5 0 0 0 0-1h-3zm0 3a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1z"/&gt;');// eslint-disable-next-line
var BIconSortDownAlt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortDownAlt','&lt;path d="M3.5 3.5a.5.5 0 0 0-1 0v8.793l-1.146-1.147a.5.5 0 0 0-.708.708l2 1.999.007.007a.497.497 0 0 0 .7-.006l2-2a.5.5 0 0 0-.707-.708L3.5 12.293V3.5zm4 .5a.5.5 0 0 1 0-1h1a.5.5 0 0 1 0 1h-1zm0 3a.5.5 0 0 1 0-1h3a.5.5 0 0 1 0 1h-3zm0 3a.5.5 0 0 1 0-1h5a.5.5 0 0 1 0 1h-5zM7 12.5a.5.5 0 0 0 .5.5h7a.5.5 0 0 0 0-1h-7a.5.5 0 0 0-.5.5z"/&gt;');// eslint-disable-next-line
var BIconSortNumericDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortNumericDown','&lt;path d="M12.438 1.668V7H11.39V2.684h-.051l-1.211.859v-.969l1.262-.906h1.046z"/&gt;&lt;path fill-rule="evenodd" d="M11.36 14.098c-1.137 0-1.708-.657-1.762-1.278h1.004c.058.223.343.45.773.45.824 0 1.164-.829 1.133-1.856h-.059c-.148.39-.57.742-1.261.742-.91 0-1.72-.613-1.72-1.758 0-1.148.848-1.835 1.973-1.835 1.09 0 2.063.636 2.063 2.687 0 1.867-.723 2.848-2.145 2.848zm.062-2.735c.504 0 .933-.336.933-.972 0-.633-.398-1.008-.94-1.008-.52 0-.927.375-.927 1 0 .64.418.98.934.98z"/&gt;&lt;path d="M4.5 2.5a.5.5 0 0 0-1 0v9.793l-1.146-1.147a.5.5 0 0 0-.708.708l2 1.999.007.007a.497.497 0 0 0 .7-.006l2-2a.5.5 0 0 0-.707-.708L4.5 12.293V2.5z"/&gt;');// eslint-disable-next-line
var BIconSortNumericDownAlt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortNumericDownAlt','&lt;path fill-rule="evenodd" d="M11.36 7.098c-1.137 0-1.708-.657-1.762-1.278h1.004c.058.223.343.45.773.45.824 0 1.164-.829 1.133-1.856h-.059c-.148.39-.57.742-1.261.742-.91 0-1.72-.613-1.72-1.758 0-1.148.848-1.836 1.973-1.836 1.09 0 2.063.637 2.063 2.688 0 1.867-.723 2.848-2.145 2.848zm.062-2.735c.504 0 .933-.336.933-.972 0-.633-.398-1.008-.94-1.008-.52 0-.927.375-.927 1 0 .64.418.98.934.98z"/&gt;&lt;path d="M12.438 8.668V14H11.39V9.684h-.051l-1.211.859v-.969l1.262-.906h1.046zM4.5 2.5a.5.5 0 0 0-1 0v9.793l-1.146-1.147a.5.5 0 0 0-.708.708l2 1.999.007.007a.497.497 0 0 0 .7-.006l2-2a.5.5 0 0 0-.707-.708L4.5 12.293V2.5z"/&gt;');// eslint-disable-next-line
var BIconSortNumericUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortNumericUp','&lt;path d="M12.438 1.668V7H11.39V2.684h-.051l-1.211.859v-.969l1.262-.906h1.046z"/&gt;&lt;path fill-rule="evenodd" d="M11.36 14.098c-1.137 0-1.708-.657-1.762-1.278h1.004c.058.223.343.45.773.45.824 0 1.164-.829 1.133-1.856h-.059c-.148.39-.57.742-1.261.742-.91 0-1.72-.613-1.72-1.758 0-1.148.848-1.835 1.973-1.835 1.09 0 2.063.636 2.063 2.687 0 1.867-.723 2.848-2.145 2.848zm.062-2.735c.504 0 .933-.336.933-.972 0-.633-.398-1.008-.94-1.008-.52 0-.927.375-.927 1 0 .64.418.98.934.98z"/&gt;&lt;path d="M4.5 13.5a.5.5 0 0 1-1 0V3.707L2.354 4.854a.5.5 0 1 1-.708-.708l2-1.999.007-.007a.498.498 0 0 1 .7.006l2 2a.5.5 0 1 1-.707.708L4.5 3.707V13.5z"/&gt;');// eslint-disable-next-line
var BIconSortNumericUpAlt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortNumericUpAlt','&lt;path fill-rule="evenodd" d="M11.36 7.098c-1.137 0-1.708-.657-1.762-1.278h1.004c.058.223.343.45.773.45.824 0 1.164-.829 1.133-1.856h-.059c-.148.39-.57.742-1.261.742-.91 0-1.72-.613-1.72-1.758 0-1.148.848-1.836 1.973-1.836 1.09 0 2.063.637 2.063 2.688 0 1.867-.723 2.848-2.145 2.848zm.062-2.735c.504 0 .933-.336.933-.972 0-.633-.398-1.008-.94-1.008-.52 0-.927.375-.927 1 0 .64.418.98.934.98z"/&gt;&lt;path d="M12.438 8.668V14H11.39V9.684h-.051l-1.211.859v-.969l1.262-.906h1.046zM4.5 13.5a.5.5 0 0 1-1 0V3.707L2.354 4.854a.5.5 0 1 1-.708-.708l2-1.999.007-.007a.498.498 0 0 1 .7.006l2 2a.5.5 0 1 1-.707.708L4.5 3.707V13.5z"/&gt;');// eslint-disable-next-line
var BIconSortUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortUp','&lt;path d="M3.5 12.5a.5.5 0 0 1-1 0V3.707L1.354 4.854a.5.5 0 1 1-.708-.708l2-1.999.007-.007a.498.498 0 0 1 .7.006l2 2a.5.5 0 1 1-.707.708L3.5 3.707V12.5zm3.5-9a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zM7.5 6a.5.5 0 0 0 0 1h5a.5.5 0 0 0 0-1h-5zm0 3a.5.5 0 0 0 0 1h3a.5.5 0 0 0 0-1h-3zm0 3a.5.5 0 0 0 0 1h1a.5.5 0 0 0 0-1h-1z"/&gt;');// eslint-disable-next-line
var BIconSortUpAlt=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SortUpAlt','&lt;path d="M3.5 13.5a.5.5 0 0 1-1 0V4.707L1.354 5.854a.5.5 0 1 1-.708-.708l2-1.999.007-.007a.498.498 0 0 1 .7.006l2 2a.5.5 0 1 1-.707.708L3.5 4.707V13.5zm4-9.5a.5.5 0 0 1 0-1h1a.5.5 0 0 1 0 1h-1zm0 3a.5.5 0 0 1 0-1h3a.5.5 0 0 1 0 1h-3zm0 3a.5.5 0 0 1 0-1h5a.5.5 0 0 1 0 1h-5zM7 12.5a.5.5 0 0 0 .5.5h7a.5.5 0 0 0 0-1h-7a.5.5 0 0 0-.5.5z"/&gt;');// eslint-disable-next-line
var BIconSoundwave=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Soundwave','&lt;path fill-rule="evenodd" d="M8.5 2a.5.5 0 0 1 .5.5v11a.5.5 0 0 1-1 0v-11a.5.5 0 0 1 .5-.5zm-2 2a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-1 0v-7a.5.5 0 0 1 .5-.5zm4 0a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-1 0v-7a.5.5 0 0 1 .5-.5zm-6 1.5A.5.5 0 0 1 5 6v4a.5.5 0 0 1-1 0V6a.5.5 0 0 1 .5-.5zm8 0a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-1 0V6a.5.5 0 0 1 .5-.5zm-10 1A.5.5 0 0 1 3 7v2a.5.5 0 0 1-1 0V7a.5.5 0 0 1 .5-.5zm12 0a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0V7a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconSpeaker=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Speaker','&lt;path d="M12 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h8zM4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4z"/&gt;&lt;path d="M8 4.75a.75.75 0 1 1 0-1.5.75.75 0 0 1 0 1.5zM8 6a2 2 0 1 0 0-4 2 2 0 0 0 0 4zm0 3a1.5 1.5 0 1 0 0 3 1.5 1.5 0 0 0 0-3zm-3.5 1.5a3.5 3.5 0 1 1 7 0 3.5 3.5 0 0 1-7 0z"/&gt;');// eslint-disable-next-line
var BIconSpeakerFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SpeakerFill','&lt;path d="M9 4a1 1 0 1 1-2 0 1 1 0 0 1 2 0zm-2.5 6.5a1.5 1.5 0 1 1 3 0 1.5 1.5 0 0 1-3 0z"/&gt;&lt;path d="M4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4zm6 4a2 2 0 1 1-4 0 2 2 0 0 1 4 0zM8 7a3.5 3.5 0 1 1 0 7 3.5 3.5 0 0 1 0-7z"/&gt;');// eslint-disable-next-line
var BIconSpeedometer=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Speedometer','&lt;path d="M8 2a.5.5 0 0 1 .5.5V4a.5.5 0 0 1-1 0V2.5A.5.5 0 0 1 8 2zM3.732 3.732a.5.5 0 0 1 .707 0l.915.914a.5.5 0 1 1-.708.708l-.914-.915a.5.5 0 0 1 0-.707zM2 8a.5.5 0 0 1 .5-.5h1.586a.5.5 0 0 1 0 1H2.5A.5.5 0 0 1 2 8zm9.5 0a.5.5 0 0 1 .5-.5h1.5a.5.5 0 0 1 0 1H12a.5.5 0 0 1-.5-.5zm.754-4.246a.389.389 0 0 0-.527-.02L7.547 7.31A.91.91 0 1 0 8.85 8.569l3.434-4.297a.389.389 0 0 0-.029-.518z"/&gt;&lt;path fill-rule="evenodd" d="M6.664 15.889A8 8 0 1 1 9.336.11a8 8 0 0 1-2.672 15.78zm-4.665-4.283A11.945 11.945 0 0 1 8 10c2.186 0 4.236.585 6.001 1.606a7 7 0 1 0-12.002 0z"/&gt;');// eslint-disable-next-line
var BIconSpeedometer2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Speedometer2','&lt;path d="M8 4a.5.5 0 0 1 .5.5V6a.5.5 0 0 1-1 0V4.5A.5.5 0 0 1 8 4zM3.732 5.732a.5.5 0 0 1 .707 0l.915.914a.5.5 0 1 1-.708.708l-.914-.915a.5.5 0 0 1 0-.707zM2 10a.5.5 0 0 1 .5-.5h1.586a.5.5 0 0 1 0 1H2.5A.5.5 0 0 1 2 10zm9.5 0a.5.5 0 0 1 .5-.5h1.5a.5.5 0 0 1 0 1H12a.5.5 0 0 1-.5-.5zm.754-4.246a.389.389 0 0 0-.527-.02L7.547 9.31a.91.91 0 1 0 1.302 1.258l3.434-4.297a.389.389 0 0 0-.029-.518z"/&gt;&lt;path fill-rule="evenodd" d="M0 10a8 8 0 1 1 15.547 2.661c-.442 1.253-1.845 1.602-2.932 1.25C11.309 13.488 9.475 13 8 13c-1.474 0-3.31.488-4.615.911-1.087.352-2.49.003-2.932-1.25A7.988 7.988 0 0 1 0 10zm8-7a7 7 0 0 0-6.603 9.329c.203.575.923.876 1.68.63C4.397 12.533 6.358 12 8 12s3.604.532 4.923.96c.757.245 1.477-.056 1.68-.631A7 7 0 0 0 8 3z"/&gt;');// eslint-disable-next-line
var BIconSpellcheck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Spellcheck','&lt;path d="M8.217 11.068c1.216 0 1.948-.869 1.948-2.31v-.702c0-1.44-.727-2.305-1.929-2.305-.742 0-1.328.347-1.499.889h-.063V3.983h-1.29V11h1.27v-.791h.064c.21.532.776.86 1.499.86zm-.43-1.025c-.66 0-1.113-.518-1.113-1.28V8.12c0-.825.42-1.343 1.098-1.343.684 0 1.075.518 1.075 1.416v.45c0 .888-.386 1.401-1.06 1.401zm-5.583 1.035c.767 0 1.201-.356 1.406-.737h.059V11h1.216V7.519c0-1.314-.947-1.783-2.11-1.783C1.355 5.736.75 6.42.69 7.27h1.216c.064-.323.313-.552.84-.552.527 0 .864.249.864.771v.464H2.346C1.145 7.953.5 8.568.5 9.496c0 .977.693 1.582 1.704 1.582zm.42-.947c-.44 0-.845-.235-.845-.718 0-.395.269-.684.84-.684h.991v.538c0 .503-.444.864-.986.864zm8.897.567c-.577-.4-.9-1.088-.9-1.983v-.65c0-1.42.894-2.338 2.305-2.338 1.352 0 2.119.82 2.139 1.806h-1.187c-.04-.351-.283-.776-.918-.776-.674 0-1.045.517-1.045 1.328v.625c0 .468.121.834.343 1.067l-.737.92z"/&gt;&lt;path d="M14.469 9.414a.75.75 0 0 1 .117 1.055l-4 5a.75.75 0 0 1-1.116.061l-2.5-2.5a.75.75 0 1 1 1.06-1.06l1.908 1.907 3.476-4.346a.75.75 0 0 1 1.055-.117z"/&gt;');// eslint-disable-next-line
var BIconSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Square','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;');// eslint-disable-next-line
var BIconSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SquareFill','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2z"/&gt;');// eslint-disable-next-line
var BIconSquareHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SquareHalf','&lt;path d="M8 15V1h6a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H8zm6 1a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12z"/&gt;');// eslint-disable-next-line
var BIconStack=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Stack','&lt;path d="m14.12 10.163 1.715.858c.22.11.22.424 0 .534L8.267 15.34a.598.598 0 0 1-.534 0L.165 11.555a.299.299 0 0 1 0-.534l1.716-.858 5.317 2.659c.505.252 1.1.252 1.604 0l5.317-2.66zM7.733.063a.598.598 0 0 1 .534 0l7.568 3.784a.3.3 0 0 1 0 .535L8.267 8.165a.598.598 0 0 1-.534 0L.165 4.382a.299.299 0 0 1 0-.535L7.733.063z"/&gt;&lt;path d="m14.12 6.576 1.715.858c.22.11.22.424 0 .534l-7.568 3.784a.598.598 0 0 1-.534 0L.165 7.968a.299.299 0 0 1 0-.534l1.716-.858 5.317 2.659c.505.252 1.1.252 1.604 0l5.317-2.659z"/&gt;');// eslint-disable-next-line
var BIconStar=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Star','&lt;path d="M2.866 14.85c-.078.444.36.791.746.593l4.39-2.256 4.389 2.256c.386.198.824-.149.746-.592l-.83-4.73 3.522-3.356c.33-.314.16-.888-.282-.95l-4.898-.696L8.465.792a.513.513 0 0 0-.927 0L5.354 5.12l-4.898.696c-.441.062-.612.636-.283.95l3.523 3.356-.83 4.73zm4.905-2.767-3.686 1.894.694-3.957a.565.565 0 0 0-.163-.505L1.71 6.745l4.052-.576a.525.525 0 0 0 .393-.288L8 2.223l1.847 3.658a.525.525 0 0 0 .393.288l4.052.575-2.906 2.77a.565.565 0 0 0-.163.506l.694 3.957-3.686-1.894a.503.503 0 0 0-.461 0z"/&gt;');// eslint-disable-next-line
var BIconStarFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StarFill','&lt;path d="M3.612 15.443c-.386.198-.824-.149-.746-.592l.83-4.73L.173 6.765c-.329-.314-.158-.888.283-.95l4.898-.696L7.538.792c.197-.39.73-.39.927 0l2.184 4.327 4.898.696c.441.062.612.636.282.95l-3.522 3.356.83 4.73c.078.443-.36.79-.746.592L8 13.187l-4.389 2.256z"/&gt;');// eslint-disable-next-line
var BIconStarHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StarHalf','&lt;path d="M5.354 5.119 7.538.792A.516.516 0 0 1 8 .5c.183 0 .366.097.465.292l2.184 4.327 4.898.696A.537.537 0 0 1 16 6.32a.548.548 0 0 1-.17.445l-3.523 3.356.83 4.73c.078.443-.36.79-.746.592L8 13.187l-4.389 2.256a.52.52 0 0 1-.146.05c-.342.06-.668-.254-.6-.642l.83-4.73L.173 6.765a.55.55 0 0 1-.172-.403.58.58 0 0 1 .085-.302.513.513 0 0 1 .37-.245l4.898-.696zM8 12.027a.5.5 0 0 1 .232.056l3.686 1.894-.694-3.957a.565.565 0 0 1 .162-.505l2.907-2.77-4.052-.576a.525.525 0 0 1-.393-.288L8.001 2.223 8 2.226v9.8z"/&gt;');// eslint-disable-next-line
var BIconStars=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Stars','&lt;path d="M7.657 6.247c.11-.33.576-.33.686 0l.645 1.937a2.89 2.89 0 0 0 1.829 1.828l1.936.645c.33.11.33.576 0 .686l-1.937.645a2.89 2.89 0 0 0-1.828 1.829l-.645 1.936a.361.361 0 0 1-.686 0l-.645-1.937a2.89 2.89 0 0 0-1.828-1.828l-1.937-.645a.361.361 0 0 1 0-.686l1.937-.645a2.89 2.89 0 0 0 1.828-1.828l.645-1.937zM3.794 1.148a.217.217 0 0 1 .412 0l.387 1.162c.173.518.579.924 1.097 1.097l1.162.387a.217.217 0 0 1 0 .412l-1.162.387A1.734 1.734 0 0 0 4.593 5.69l-.387 1.162a.217.217 0 0 1-.412 0L3.407 5.69A1.734 1.734 0 0 0 2.31 4.593l-1.162-.387a.217.217 0 0 1 0-.412l1.162-.387A1.734 1.734 0 0 0 3.407 2.31l.387-1.162zM10.863.099a.145.145 0 0 1 .274 0l.258.774c.115.346.386.617.732.732l.774.258a.145.145 0 0 1 0 .274l-.774.258a1.156 1.156 0 0 0-.732.732l-.258.774a.145.145 0 0 1-.274 0l-.258-.774a1.156 1.156 0 0 0-.732-.732L9.1 2.137a.145.145 0 0 1 0-.274l.774-.258c.346-.115.617-.386.732-.732L10.863.1z"/&gt;');// eslint-disable-next-line
var BIconStickies=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Stickies','&lt;path d="M1.5 0A1.5 1.5 0 0 0 0 1.5V13a1 1 0 0 0 1 1V1.5a.5.5 0 0 1 .5-.5H14a1 1 0 0 0-1-1H1.5z"/&gt;&lt;path d="M3.5 2A1.5 1.5 0 0 0 2 3.5v11A1.5 1.5 0 0 0 3.5 16h6.086a1.5 1.5 0 0 0 1.06-.44l4.915-4.914A1.5 1.5 0 0 0 16 9.586V3.5A1.5 1.5 0 0 0 14.5 2h-11zM3 3.5a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 .5.5V9h-4.5A1.5 1.5 0 0 0 9 10.5V15H3.5a.5.5 0 0 1-.5-.5v-11zm7 11.293V10.5a.5.5 0 0 1 .5-.5h4.293L10 14.793z"/&gt;');// eslint-disable-next-line
var BIconStickiesFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StickiesFill','&lt;path d="M0 1.5V13a1 1 0 0 0 1 1V1.5a.5.5 0 0 1 .5-.5H14a1 1 0 0 0-1-1H1.5A1.5 1.5 0 0 0 0 1.5z"/&gt;&lt;path d="M3.5 2A1.5 1.5 0 0 0 2 3.5v11A1.5 1.5 0 0 0 3.5 16h6.086a1.5 1.5 0 0 0 1.06-.44l4.915-4.914A1.5 1.5 0 0 0 16 9.586V3.5A1.5 1.5 0 0 0 14.5 2h-11zm6 8.5a1 1 0 0 1 1-1h4.396a.25.25 0 0 1 .177.427l-5.146 5.146a.25.25 0 0 1-.427-.177V10.5z"/&gt;');// eslint-disable-next-line
var BIconSticky=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Sticky','&lt;path d="M2.5 1A1.5 1.5 0 0 0 1 2.5v11A1.5 1.5 0 0 0 2.5 15h6.086a1.5 1.5 0 0 0 1.06-.44l4.915-4.914A1.5 1.5 0 0 0 15 8.586V2.5A1.5 1.5 0 0 0 13.5 1h-11zM2 2.5a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 .5.5V8H9.5A1.5 1.5 0 0 0 8 9.5V14H2.5a.5.5 0 0 1-.5-.5v-11zm7 11.293V9.5a.5.5 0 0 1 .5-.5h4.293L9 13.793z"/&gt;');// eslint-disable-next-line
var BIconStickyFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StickyFill','&lt;path d="M2.5 1A1.5 1.5 0 0 0 1 2.5v11A1.5 1.5 0 0 0 2.5 15h6.086a1.5 1.5 0 0 0 1.06-.44l4.915-4.914A1.5 1.5 0 0 0 15 8.586V2.5A1.5 1.5 0 0 0 13.5 1h-11zm6 8.5a1 1 0 0 1 1-1h4.396a.25.25 0 0 1 .177.427l-5.146 5.146a.25.25 0 0 1-.427-.177V9.5z"/&gt;');// eslint-disable-next-line
var BIconStop=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Stop','&lt;path d="M3.5 5A1.5 1.5 0 0 1 5 3.5h6A1.5 1.5 0 0 1 12.5 5v6a1.5 1.5 0 0 1-1.5 1.5H5A1.5 1.5 0 0 1 3.5 11V5zM5 4.5a.5.5 0 0 0-.5.5v6a.5.5 0 0 0 .5.5h6a.5.5 0 0 0 .5-.5V5a.5.5 0 0 0-.5-.5H5z"/&gt;');// eslint-disable-next-line
var BIconStopBtn=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StopBtn','&lt;path d="M6.5 5A1.5 1.5 0 0 0 5 6.5v3A1.5 1.5 0 0 0 6.5 11h3A1.5 1.5 0 0 0 11 9.5v-3A1.5 1.5 0 0 0 9.5 5h-3z"/&gt;&lt;path d="M0 4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm15 0a1 1 0 0 0-1-1H2a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V4z"/&gt;');// eslint-disable-next-line
var BIconStopBtnFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StopBtnFill','&lt;path d="M0 12V4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2zm6.5-7A1.5 1.5 0 0 0 5 6.5v3A1.5 1.5 0 0 0 6.5 11h3A1.5 1.5 0 0 0 11 9.5v-3A1.5 1.5 0 0 0 9.5 5h-3z"/&gt;');// eslint-disable-next-line
var BIconStopCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StopCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M5 6.5A1.5 1.5 0 0 1 6.5 5h3A1.5 1.5 0 0 1 11 6.5v3A1.5 1.5 0 0 1 9.5 11h-3A1.5 1.5 0 0 1 5 9.5v-3z"/&gt;');// eslint-disable-next-line
var BIconStopCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StopCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM6.5 5A1.5 1.5 0 0 0 5 6.5v3A1.5 1.5 0 0 0 6.5 11h3A1.5 1.5 0 0 0 11 9.5v-3A1.5 1.5 0 0 0 9.5 5h-3z"/&gt;');// eslint-disable-next-line
var BIconStopFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StopFill','&lt;path d="M5 3.5h6A1.5 1.5 0 0 1 12.5 5v6a1.5 1.5 0 0 1-1.5 1.5H5A1.5 1.5 0 0 1 3.5 11V5A1.5 1.5 0 0 1 5 3.5z"/&gt;');// eslint-disable-next-line
var BIconStoplights=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Stoplights','&lt;path d="M8 5a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3zm0 4a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3zm1.5 2.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;&lt;path d="M4 2a2 2 0 0 1 2-2h4a2 2 0 0 1 2 2h2c-.167.5-.8 1.6-2 2v2h2c-.167.5-.8 1.6-2 2v2h2c-.167.5-.8 1.6-2 2v1a2 2 0 0 1-2 2H6a2 2 0 0 1-2-2v-1c-1.2-.4-1.833-1.5-2-2h2V8c-1.2-.4-1.833-1.5-2-2h2V4c-1.2-.4-1.833-1.5-2-2h2zm2-1a1 1 0 0 0-1 1v11a1 1 0 0 0 1 1h4a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H6z"/&gt;');// eslint-disable-next-line
var BIconStoplightsFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StoplightsFill','&lt;path fill-rule="evenodd" d="M6 0a2 2 0 0 0-2 2H2c.167.5.8 1.6 2 2v2H2c.167.5.8 1.6 2 2v2H2c.167.5.8 1.6 2 2v1a2 2 0 0 0 2 2h4a2 2 0 0 0 2-2v-1c1.2-.4 1.833-1.5 2-2h-2V8c1.2-.4 1.833-1.5 2-2h-2V4c1.2-.4 1.833-1.5 2-2h-2a2 2 0 0 0-2-2H6zm3.5 3.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm0 4a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zM8 13a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3z"/&gt;');// eslint-disable-next-line
var BIconStopwatch=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Stopwatch','&lt;path d="M8.5 5.6a.5.5 0 1 0-1 0v2.9h-3a.5.5 0 0 0 0 1H8a.5.5 0 0 0 .5-.5V5.6z"/&gt;&lt;path d="M6.5 1A.5.5 0 0 1 7 .5h2a.5.5 0 0 1 0 1v.57c1.36.196 2.594.78 3.584 1.64a.715.715 0 0 1 .012-.013l.354-.354-.354-.353a.5.5 0 0 1 .707-.708l1.414 1.415a.5.5 0 1 1-.707.707l-.353-.354-.354.354a.512.512 0 0 1-.013.012A7 7 0 1 1 7 2.071V1.5a.5.5 0 0 1-.5-.5zM8 3a6 6 0 1 0 .001 12A6 6 0 0 0 8 3z"/&gt;');// eslint-disable-next-line
var BIconStopwatchFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('StopwatchFill','&lt;path d="M6.5 0a.5.5 0 0 0 0 1H7v1.07A7.001 7.001 0 0 0 8 16a7 7 0 0 0 5.29-11.584.531.531 0 0 0 .013-.012l.354-.354.353.354a.5.5 0 1 0 .707-.707l-1.414-1.415a.5.5 0 1 0-.707.707l.354.354-.354.354a.717.717 0 0 0-.012.012A6.973 6.973 0 0 0 9 2.071V1h.5a.5.5 0 0 0 0-1h-3zm2 5.6V9a.5.5 0 0 1-.5.5H4.5a.5.5 0 0 1 0-1h3V5.6a.5.5 0 1 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconSubtract=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Subtract','&lt;path d="M0 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v2h2a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H6a2 2 0 0 1-2-2v-2H2a2 2 0 0 1-2-2V2zm2-1a1 1 0 0 0-1 1v8a1 1 0 0 0 1 1h8a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H2z"/&gt;');// eslint-disable-next-line
var BIconSuitClub=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SuitClub','&lt;path d="M8 1a3.25 3.25 0 0 0-3.25 3.25c0 .186 0 .29.016.41.014.12.045.27.12.527l.19.665-.692-.028a3.25 3.25 0 1 0 2.357 5.334.5.5 0 0 1 .844.518l-.003.005-.006.015-.024.055a21.893 21.893 0 0 1-.438.92 22.38 22.38 0 0 1-1.266 2.197c-.013.018-.02.05.001.09.01.02.021.03.03.036A.036.036 0 0 0 5.9 15h4.2c.01 0 .016-.002.022-.006a.092.092 0 0 0 .029-.035c.02-.04.014-.073.001-.091a22.875 22.875 0 0 1-1.704-3.117l-.024-.054-.006-.015-.002-.004a.5.5 0 0 1 .838-.524c.601.7 1.516 1.168 2.496 1.168a3.25 3.25 0 1 0-.139-6.498l-.699.03.199-.671c.14-.47.14-.745.139-.927V4.25A3.25 3.25 0 0 0 8 1zm2.207 12.024c.225.405.487.848.78 1.294C11.437 15 10.975 16 10.1 16H5.9c-.876 0-1.338-1-.887-1.683.291-.442.552-.88.776-1.283a4.25 4.25 0 1 1-2.007-8.187 2.79 2.79 0 0 1-.009-.064c-.023-.187-.023-.348-.023-.52V4.25a4.25 4.25 0 0 1 8.5 0c0 .14 0 .333-.04.596a4.25 4.25 0 0 1-.46 8.476 4.186 4.186 0 0 1-1.543-.298z"/&gt;');// eslint-disable-next-line
var BIconSuitClubFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SuitClubFill','&lt;path d="M11.5 12.5a3.493 3.493 0 0 1-2.684-1.254 19.92 19.92 0 0 0 1.582 2.907c.231.35-.02.847-.438.847H6.04c-.419 0-.67-.497-.438-.847a19.919 19.919 0 0 0 1.582-2.907 3.5 3.5 0 1 1-2.538-5.743 3.5 3.5 0 1 1 6.708 0A3.5 3.5 0 1 1 11.5 12.5z"/&gt;');// eslint-disable-next-line
var BIconSuitDiamond=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SuitDiamond','&lt;path d="M8.384 1.226a.463.463 0 0 0-.768 0l-4.56 6.468a.537.537 0 0 0 0 .612l4.56 6.469a.463.463 0 0 0 .768 0l4.56-6.469a.537.537 0 0 0 0-.612l-4.56-6.468zM6.848.613a1.39 1.39 0 0 1 2.304 0l4.56 6.468a1.61 1.61 0 0 1 0 1.838l-4.56 6.468a1.39 1.39 0 0 1-2.304 0L2.288 8.92a1.61 1.61 0 0 1 0-1.838L6.848.613z"/&gt;');// eslint-disable-next-line
var BIconSuitDiamondFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SuitDiamondFill','&lt;path d="M2.45 7.4 7.2 1.067a1 1 0 0 1 1.6 0L13.55 7.4a1 1 0 0 1 0 1.2L8.8 14.933a1 1 0 0 1-1.6 0L2.45 8.6a1 1 0 0 1 0-1.2z"/&gt;');// eslint-disable-next-line
var BIconSuitHeart=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SuitHeart','&lt;path d="m8 6.236-.894-1.789c-.222-.443-.607-1.08-1.152-1.595C5.418 2.345 4.776 2 4 2 2.324 2 1 3.326 1 4.92c0 1.211.554 2.066 1.868 3.37.337.334.721.695 1.146 1.093C5.122 10.423 6.5 11.717 8 13.447c1.5-1.73 2.878-3.024 3.986-4.064.425-.398.81-.76 1.146-1.093C14.446 6.986 15 6.131 15 4.92 15 3.326 13.676 2 12 2c-.777 0-1.418.345-1.954.852-.545.515-.93 1.152-1.152 1.595L8 6.236zm.392 8.292a.513.513 0 0 1-.784 0c-1.601-1.902-3.05-3.262-4.243-4.381C1.3 8.208 0 6.989 0 4.92 0 2.755 1.79 1 4 1c1.6 0 2.719 1.05 3.404 2.008.26.365.458.716.596.992a7.55 7.55 0 0 1 .596-.992C9.281 2.049 10.4 1 12 1c2.21 0 4 1.755 4 3.92 0 2.069-1.3 3.288-3.365 5.227-1.193 1.12-2.642 2.48-4.243 4.38z"/&gt;');// eslint-disable-next-line
var BIconSuitHeartFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SuitHeartFill','&lt;path d="M4 1c2.21 0 4 1.755 4 3.92C8 2.755 9.79 1 12 1s4 1.755 4 3.92c0 3.263-3.234 4.414-7.608 9.608a.513.513 0 0 1-.784 0C3.234 9.334 0 8.183 0 4.92 0 2.755 1.79 1 4 1z"/&gt;');// eslint-disable-next-line
var BIconSuitSpade=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SuitSpade','&lt;path d="M8 0a.5.5 0 0 1 .429.243c1.359 2.265 2.925 3.682 4.25 4.882.096.086.19.17.282.255C14.308 6.604 15.5 7.747 15.5 9.5a4 4 0 0 1-5.406 3.746c.235.39.491.782.722 1.131.434.659-.01 1.623-.856 1.623H6.04c-.845 0-1.29-.964-.856-1.623.263-.397.51-.777.728-1.134A4 4 0 0 1 .5 9.5c0-1.753 1.192-2.896 2.539-4.12l.281-.255c1.326-1.2 2.892-2.617 4.251-4.882A.5.5 0 0 1 8 0zM3.711 6.12C2.308 7.396 1.5 8.253 1.5 9.5a3 3 0 0 0 5.275 1.956.5.5 0 0 1 .868.43c-.094.438-.33.932-.611 1.428a29.247 29.247 0 0 1-1.013 1.614.03.03 0 0 0-.005.018.074.074 0 0 0 .024.054h3.924a.074.074 0 0 0 .024-.054.03.03 0 0 0-.005-.018c-.3-.455-.658-1.005-.96-1.535-.294-.514-.57-1.064-.664-1.507a.5.5 0 0 1 .868-.43A3 3 0 0 0 14.5 9.5c0-1.247-.808-2.104-2.211-3.38L12 5.86c-1.196-1.084-2.668-2.416-4-4.424-1.332 2.008-2.804 3.34-4 4.422l-.289.261z"/&gt;');// eslint-disable-next-line
var BIconSuitSpadeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SuitSpadeFill','&lt;path d="M7.184 11.246A3.5 3.5 0 0 1 1 9c0-1.602 1.14-2.633 2.66-4.008C4.986 3.792 6.602 2.33 8 0c1.398 2.33 3.014 3.792 4.34 4.992C13.86 6.367 15 7.398 15 9a3.5 3.5 0 0 1-6.184 2.246 19.92 19.92 0 0 0 1.582 2.907c.231.35-.02.847-.438.847H6.04c-.419 0-.67-.497-.438-.847a19.919 19.919 0 0 0 1.582-2.907z"/&gt;');// eslint-disable-next-line
var BIconSun=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Sun','&lt;path d="M8 11a3 3 0 1 1 0-6 3 3 0 0 1 0 6zm0 1a4 4 0 1 0 0-8 4 4 0 0 0 0 8zM8 0a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 0zm0 13a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 13zm8-5a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1 0-1h2a.5.5 0 0 1 .5.5zM3 8a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1 0-1h2A.5.5 0 0 1 3 8zm10.657-5.657a.5.5 0 0 1 0 .707l-1.414 1.415a.5.5 0 1 1-.707-.708l1.414-1.414a.5.5 0 0 1 .707 0zm-9.193 9.193a.5.5 0 0 1 0 .707L3.05 13.657a.5.5 0 0 1-.707-.707l1.414-1.414a.5.5 0 0 1 .707 0zm9.193 2.121a.5.5 0 0 1-.707 0l-1.414-1.414a.5.5 0 0 1 .707-.707l1.414 1.414a.5.5 0 0 1 0 .707zM4.464 4.465a.5.5 0 0 1-.707 0L2.343 3.05a.5.5 0 1 1 .707-.707l1.414 1.414a.5.5 0 0 1 0 .708z"/&gt;');// eslint-disable-next-line
var BIconSunFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SunFill','&lt;path d="M8 12a4 4 0 1 0 0-8 4 4 0 0 0 0 8zM8 0a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 0zm0 13a.5.5 0 0 1 .5.5v2a.5.5 0 0 1-1 0v-2A.5.5 0 0 1 8 13zm8-5a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1 0-1h2a.5.5 0 0 1 .5.5zM3 8a.5.5 0 0 1-.5.5h-2a.5.5 0 0 1 0-1h2A.5.5 0 0 1 3 8zm10.657-5.657a.5.5 0 0 1 0 .707l-1.414 1.415a.5.5 0 1 1-.707-.708l1.414-1.414a.5.5 0 0 1 .707 0zm-9.193 9.193a.5.5 0 0 1 0 .707L3.05 13.657a.5.5 0 0 1-.707-.707l1.414-1.414a.5.5 0 0 1 .707 0zm9.193 2.121a.5.5 0 0 1-.707 0l-1.414-1.414a.5.5 0 0 1 .707-.707l1.414 1.414a.5.5 0 0 1 0 .707zM4.464 4.465a.5.5 0 0 1-.707 0L2.343 3.05a.5.5 0 1 1 .707-.707l1.414 1.414a.5.5 0 0 1 0 .708z"/&gt;');// eslint-disable-next-line
var BIconSunglasses=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Sunglasses','&lt;path d="M3 5a2 2 0 0 0-2 2v.5H.5a.5.5 0 0 0 0 1H1V9a2 2 0 0 0 2 2h1a3 3 0 0 0 3-3 1 1 0 1 1 2 0 3 3 0 0 0 3 3h1a2 2 0 0 0 2-2v-.5h.5a.5.5 0 0 0 0-1H15V7a2 2 0 0 0-2-2h-2a2 2 0 0 0-1.888 1.338A1.99 1.99 0 0 0 8 6a1.99 1.99 0 0 0-1.112.338A2 2 0 0 0 5 5H3zm0 1h.941c.264 0 .348.356.112.474l-.457.228a2 2 0 0 0-.894.894l-.228.457C2.356 8.289 2 8.205 2 7.94V7a1 1 0 0 1 1-1z"/&gt;');// eslint-disable-next-line
var BIconSunrise=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Sunrise','&lt;path d="M7.646 1.146a.5.5 0 0 1 .708 0l1.5 1.5a.5.5 0 0 1-.708.708L8.5 2.707V4.5a.5.5 0 0 1-1 0V2.707l-.646.647a.5.5 0 1 1-.708-.708l1.5-1.5zM2.343 4.343a.5.5 0 0 1 .707 0l1.414 1.414a.5.5 0 0 1-.707.707L2.343 5.05a.5.5 0 0 1 0-.707zm11.314 0a.5.5 0 0 1 0 .707l-1.414 1.414a.5.5 0 1 1-.707-.707l1.414-1.414a.5.5 0 0 1 .707 0zM8 7a3 3 0 0 1 2.599 4.5H5.4A3 3 0 0 1 8 7zm3.71 4.5a4 4 0 1 0-7.418 0H.499a.5.5 0 0 0 0 1h15a.5.5 0 0 0 0-1h-3.79zM0 10a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2A.5.5 0 0 1 0 10zm13 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconSunriseFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SunriseFill','&lt;path d="M7.646 1.146a.5.5 0 0 1 .708 0l1.5 1.5a.5.5 0 0 1-.708.708L8.5 2.707V4.5a.5.5 0 0 1-1 0V2.707l-.646.647a.5.5 0 1 1-.708-.708l1.5-1.5zM2.343 4.343a.5.5 0 0 1 .707 0l1.414 1.414a.5.5 0 0 1-.707.707L2.343 5.05a.5.5 0 0 1 0-.707zm11.314 0a.5.5 0 0 1 0 .707l-1.414 1.414a.5.5 0 1 1-.707-.707l1.414-1.414a.5.5 0 0 1 .707 0zM11.709 11.5a4 4 0 1 0-7.418 0H.5a.5.5 0 0 0 0 1h15a.5.5 0 0 0 0-1h-3.79zM0 10a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2A.5.5 0 0 1 0 10zm13 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconSunset=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Sunset','&lt;path d="M7.646 4.854a.5.5 0 0 0 .708 0l1.5-1.5a.5.5 0 0 0-.708-.708l-.646.647V1.5a.5.5 0 0 0-1 0v1.793l-.646-.647a.5.5 0 1 0-.708.708l1.5 1.5zm-5.303-.51a.5.5 0 0 1 .707 0l1.414 1.413a.5.5 0 0 1-.707.707L2.343 5.05a.5.5 0 0 1 0-.707zm11.314 0a.5.5 0 0 1 0 .706l-1.414 1.414a.5.5 0 1 1-.707-.707l1.414-1.414a.5.5 0 0 1 .707 0zM8 7a3 3 0 0 1 2.599 4.5H5.4A3 3 0 0 1 8 7zm3.71 4.5a4 4 0 1 0-7.418 0H.499a.5.5 0 0 0 0 1h15a.5.5 0 0 0 0-1h-3.79zM0 10a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2A.5.5 0 0 1 0 10zm13 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconSunsetFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SunsetFill','&lt;path d="M7.646 4.854a.5.5 0 0 0 .708 0l1.5-1.5a.5.5 0 0 0-.708-.708l-.646.647V1.5a.5.5 0 0 0-1 0v1.793l-.646-.647a.5.5 0 1 0-.708.708l1.5 1.5zm-5.303-.51a.5.5 0 0 1 .707 0l1.414 1.413a.5.5 0 0 1-.707.707L2.343 5.05a.5.5 0 0 1 0-.707zm11.314 0a.5.5 0 0 1 0 .706l-1.414 1.414a.5.5 0 1 1-.707-.707l1.414-1.414a.5.5 0 0 1 .707 0zM11.709 11.5a4 4 0 1 0-7.418 0H.5a.5.5 0 0 0 0 1h15a.5.5 0 0 0 0-1h-3.79zM0 10a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2A.5.5 0 0 1 0 10zm13 0a.5.5 0 0 1 .5-.5h2a.5.5 0 0 1 0 1h-2a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconSymmetryHorizontal=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SymmetryHorizontal','&lt;path d="M13.5 7a.5.5 0 0 0 .24-.939l-11-6A.5.5 0 0 0 2 .5v6a.5.5 0 0 0 .5.5h11zm.485 2.376a.5.5 0 0 1-.246.563l-11 6A.5.5 0 0 1 2 15.5v-6a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 .485.376zM11.539 10H3v4.658L11.54 10z"/&gt;');// eslint-disable-next-line
var BIconSymmetryVertical=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('SymmetryVertical','&lt;path d="M7 2.5a.5.5 0 0 0-.939-.24l-6 11A.5.5 0 0 0 .5 14h6a.5.5 0 0 0 .5-.5v-11zm2.376-.484a.5.5 0 0 1 .563.245l6 11A.5.5 0 0 1 15.5 14h-6a.5.5 0 0 1-.5-.5v-11a.5.5 0 0 1 .376-.484zM10 4.46V13h4.658L10 4.46z"/&gt;');// eslint-disable-next-line
var BIconTable=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Table','&lt;path d="M0 2a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm15 2h-4v3h4V4zm0 4h-4v3h4V8zm0 4h-4v3h3a1 1 0 0 0 1-1v-2zm-5 3v-3H6v3h4zm-5 0v-3H1v2a1 1 0 0 0 1 1h3zm-4-4h4V8H1v3zm0-4h4V4H1v3zm5-3v3h4V4H6zm4 4H6v3h4V8z"/&gt;');// eslint-disable-next-line
var BIconTablet=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Tablet','&lt;path d="M12 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H4a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h8zM4 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h8a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H4z"/&gt;&lt;path d="M8 14a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"/&gt;');// eslint-disable-next-line
var BIconTabletFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TabletFill','&lt;path d="M2 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V2zm7 11a1 1 0 1 0-2 0 1 1 0 0 0 2 0z"/&gt;');// eslint-disable-next-line
var BIconTabletLandscape=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TabletLandscape','&lt;path d="M1 4a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V4zm-1 8a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v8z"/&gt;&lt;path d="M14 8a1 1 0 1 0-2 0 1 1 0 0 0 2 0z"/&gt;');// eslint-disable-next-line
var BIconTabletLandscapeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TabletLandscapeFill','&lt;path d="M2 14a2 2 0 0 1-2-2V4a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H2zm11-7a1 1 0 1 0 0 2 1 1 0 0 0 0-2z"/&gt;');// eslint-disable-next-line
var BIconTag=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Tag','&lt;path d="M6 4.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm-1 0a.5.5 0 1 0-1 0 .5.5 0 0 0 1 0z"/&gt;&lt;path d="M2 1h4.586a1 1 0 0 1 .707.293l7 7a1 1 0 0 1 0 1.414l-4.586 4.586a1 1 0 0 1-1.414 0l-7-7A1 1 0 0 1 1 6.586V2a1 1 0 0 1 1-1zm0 5.586 7 7L13.586 9l-7-7H2v4.586z"/&gt;');// eslint-disable-next-line
var BIconTagFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TagFill','&lt;path d="M2 1a1 1 0 0 0-1 1v4.586a1 1 0 0 0 .293.707l7 7a1 1 0 0 0 1.414 0l4.586-4.586a1 1 0 0 0 0-1.414l-7-7A1 1 0 0 0 6.586 1H2zm4 3.5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;');// eslint-disable-next-line
var BIconTags=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Tags','&lt;path d="M3 2v4.586l7 7L14.586 9l-7-7H3zM2 2a1 1 0 0 1 1-1h4.586a1 1 0 0 1 .707.293l7 7a1 1 0 0 1 0 1.414l-4.586 4.586a1 1 0 0 1-1.414 0l-7-7A1 1 0 0 1 2 6.586V2z"/&gt;&lt;path d="M5.5 5a.5.5 0 1 1 0-1 .5.5 0 0 1 0 1zm0 1a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3zM1 7.086a1 1 0 0 0 .293.707L8.75 15.25l-.043.043a1 1 0 0 1-1.414 0l-7-7A1 1 0 0 1 0 7.586V3a1 1 0 0 1 1-1v5.086z"/&gt;');// eslint-disable-next-line
var BIconTagsFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TagsFill','&lt;path d="M2 2a1 1 0 0 1 1-1h4.586a1 1 0 0 1 .707.293l7 7a1 1 0 0 1 0 1.414l-4.586 4.586a1 1 0 0 1-1.414 0l-7-7A1 1 0 0 1 2 6.586V2zm3.5 4a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3z"/&gt;&lt;path d="M1.293 7.793A1 1 0 0 1 1 7.086V2a1 1 0 0 0-1 1v4.586a1 1 0 0 0 .293.707l7 7a1 1 0 0 0 1.414 0l.043-.043-7.457-7.457z"/&gt;');// eslint-disable-next-line
var BIconTelegram=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Telegram','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM8.287 5.906c-.778.324-2.334.994-4.666 2.01-.378.15-.577.298-.595.442-.03.243.275.339.69.47l.175.055c.408.133.958.288 1.243.294.26.006.549-.1.868-.32 2.179-1.471 3.304-2.214 3.374-2.23.05-.012.12-.026.166.016.047.041.042.12.037.141-.03.129-1.227 1.241-1.846 1.817-.193.18-.33.307-.358.336a8.154 8.154 0 0 1-.188.186c-.38.366-.664.64.015 1.088.327.216.589.393.85.571.284.194.568.387.936.629.093.06.183.125.27.187.331.236.63.448.997.414.214-.02.435-.22.547-.82.265-1.417.786-4.486.906-5.751a1.426 1.426 0 0 0-.013-.315.337.337 0 0 0-.114-.217.526.526 0 0 0-.31-.093c-.3.005-.763.166-2.984 1.09z"/&gt;');// eslint-disable-next-line
var BIconTelephone=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Telephone','&lt;path d="M3.654 1.328a.678.678 0 0 0-1.015-.063L1.605 2.3c-.483.484-.661 1.169-.45 1.77a17.568 17.568 0 0 0 4.168 6.608 17.569 17.569 0 0 0 6.608 4.168c.601.211 1.286.033 1.77-.45l1.034-1.034a.678.678 0 0 0-.063-1.015l-2.307-1.794a.678.678 0 0 0-.58-.122l-2.19.547a1.745 1.745 0 0 1-1.657-.459L5.482 8.062a1.745 1.745 0 0 1-.46-1.657l.548-2.19a.678.678 0 0 0-.122-.58L3.654 1.328zM1.884.511a1.745 1.745 0 0 1 2.612.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511z"/&gt;');// eslint-disable-next-line
var BIconTelephoneFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneFill','&lt;path fill-rule="evenodd" d="M1.885.511a1.745 1.745 0 0 1 2.61.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511z"/&gt;');// eslint-disable-next-line
var BIconTelephoneForward=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneForward','&lt;path d="M3.654 1.328a.678.678 0 0 0-1.015-.063L1.605 2.3c-.483.484-.661 1.169-.45 1.77a17.568 17.568 0 0 0 4.168 6.608 17.569 17.569 0 0 0 6.608 4.168c.601.211 1.286.033 1.77-.45l1.034-1.034a.678.678 0 0 0-.063-1.015l-2.307-1.794a.678.678 0 0 0-.58-.122l-2.19.547a1.745 1.745 0 0 1-1.657-.459L5.482 8.062a1.745 1.745 0 0 1-.46-1.657l.548-2.19a.678.678 0 0 0-.122-.58L3.654 1.328zM1.884.511a1.745 1.745 0 0 1 2.612.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511zm10.762.135a.5.5 0 0 1 .708 0l2.5 2.5a.5.5 0 0 1 0 .708l-2.5 2.5a.5.5 0 0 1-.708-.708L14.293 4H9.5a.5.5 0 0 1 0-1h4.793l-1.647-1.646a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconTelephoneForwardFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneForwardFill','&lt;path fill-rule="evenodd" d="M1.885.511a1.745 1.745 0 0 1 2.61.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511zm10.761.135a.5.5 0 0 1 .708 0l2.5 2.5a.5.5 0 0 1 0 .708l-2.5 2.5a.5.5 0 0 1-.708-.708L14.293 4H9.5a.5.5 0 0 1 0-1h4.793l-1.647-1.646a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconTelephoneInbound=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneInbound','&lt;path d="M15.854.146a.5.5 0 0 1 0 .708L11.707 5H14.5a.5.5 0 0 1 0 1h-4a.5.5 0 0 1-.5-.5v-4a.5.5 0 0 1 1 0v2.793L15.146.146a.5.5 0 0 1 .708 0zm-12.2 1.182a.678.678 0 0 0-1.015-.063L1.605 2.3c-.483.484-.661 1.169-.45 1.77a17.568 17.568 0 0 0 4.168 6.608 17.569 17.569 0 0 0 6.608 4.168c.601.211 1.286.033 1.77-.45l1.034-1.034a.678.678 0 0 0-.063-1.015l-2.307-1.794a.678.678 0 0 0-.58-.122l-2.19.547a1.745 1.745 0 0 1-1.657-.459L5.482 8.062a1.745 1.745 0 0 1-.46-1.657l.548-2.19a.678.678 0 0 0-.122-.58L3.654 1.328zM1.884.511a1.745 1.745 0 0 1 2.612.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511z"/&gt;');// eslint-disable-next-line
var BIconTelephoneInboundFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneInboundFill','&lt;path fill-rule="evenodd" d="M1.885.511a1.745 1.745 0 0 1 2.61.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511zM15.854.146a.5.5 0 0 1 0 .708L11.707 5H14.5a.5.5 0 0 1 0 1h-4a.5.5 0 0 1-.5-.5v-4a.5.5 0 0 1 1 0v2.793L15.146.146a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconTelephoneMinus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneMinus','&lt;path fill-rule="evenodd" d="M10 3.5a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1h-4a.5.5 0 0 1-.5-.5z"/&gt;&lt;path d="M3.654 1.328a.678.678 0 0 0-1.015-.063L1.605 2.3c-.483.484-.661 1.169-.45 1.77a17.568 17.568 0 0 0 4.168 6.608 17.569 17.569 0 0 0 6.608 4.168c.601.211 1.286.033 1.77-.45l1.034-1.034a.678.678 0 0 0-.063-1.015l-2.307-1.794a.678.678 0 0 0-.58-.122l-2.19.547a1.745 1.745 0 0 1-1.657-.459L5.482 8.062a1.745 1.745 0 0 1-.46-1.657l.548-2.19a.678.678 0 0 0-.122-.58L3.654 1.328zM1.884.511a1.745 1.745 0 0 1 2.612.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511z"/&gt;');// eslint-disable-next-line
var BIconTelephoneMinusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneMinusFill','&lt;path fill-rule="evenodd" d="M1.885.511a1.745 1.745 0 0 1 2.61.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511zM10 3.5a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 0 1h-4a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconTelephoneOutbound=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneOutbound','&lt;path d="M3.654 1.328a.678.678 0 0 0-1.015-.063L1.605 2.3c-.483.484-.661 1.169-.45 1.77a17.568 17.568 0 0 0 4.168 6.608 17.569 17.569 0 0 0 6.608 4.168c.601.211 1.286.033 1.77-.45l1.034-1.034a.678.678 0 0 0-.063-1.015l-2.307-1.794a.678.678 0 0 0-.58-.122l-2.19.547a1.745 1.745 0 0 1-1.657-.459L5.482 8.062a1.745 1.745 0 0 1-.46-1.657l.548-2.19a.678.678 0 0 0-.122-.58L3.654 1.328zM1.884.511a1.745 1.745 0 0 1 2.612.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511zM11 .5a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-1 0V1.707l-4.146 4.147a.5.5 0 0 1-.708-.708L14.293 1H11.5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconTelephoneOutboundFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneOutboundFill','&lt;path fill-rule="evenodd" d="M1.885.511a1.745 1.745 0 0 1 2.61.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511zM11 .5a.5.5 0 0 1 .5-.5h4a.5.5 0 0 1 .5.5v4a.5.5 0 0 1-1 0V1.707l-4.146 4.147a.5.5 0 0 1-.708-.708L14.293 1H11.5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconTelephonePlus=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephonePlus','&lt;path d="M3.654 1.328a.678.678 0 0 0-1.015-.063L1.605 2.3c-.483.484-.661 1.169-.45 1.77a17.568 17.568 0 0 0 4.168 6.608 17.569 17.569 0 0 0 6.608 4.168c.601.211 1.286.033 1.77-.45l1.034-1.034a.678.678 0 0 0-.063-1.015l-2.307-1.794a.678.678 0 0 0-.58-.122l-2.19.547a1.745 1.745 0 0 1-1.657-.459L5.482 8.062a1.745 1.745 0 0 1-.46-1.657l.548-2.19a.678.678 0 0 0-.122-.58L3.654 1.328zM1.884.511a1.745 1.745 0 0 1 2.612.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511z"/&gt;&lt;path fill-rule="evenodd" d="M12.5 1a.5.5 0 0 1 .5.5V3h1.5a.5.5 0 0 1 0 1H13v1.5a.5.5 0 0 1-1 0V4h-1.5a.5.5 0 0 1 0-1H12V1.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconTelephonePlusFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephonePlusFill','&lt;path fill-rule="evenodd" d="M1.885.511a1.745 1.745 0 0 1 2.61.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511zM12.5 1a.5.5 0 0 1 .5.5V3h1.5a.5.5 0 0 1 0 1H13v1.5a.5.5 0 0 1-1 0V4h-1.5a.5.5 0 0 1 0-1H12V1.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconTelephoneX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneX','&lt;path d="M3.654 1.328a.678.678 0 0 0-1.015-.063L1.605 2.3c-.483.484-.661 1.169-.45 1.77a17.568 17.568 0 0 0 4.168 6.608 17.569 17.569 0 0 0 6.608 4.168c.601.211 1.286.033 1.77-.45l1.034-1.034a.678.678 0 0 0-.063-1.015l-2.307-1.794a.678.678 0 0 0-.58-.122l-2.19.547a1.745 1.745 0 0 1-1.657-.459L5.482 8.062a1.745 1.745 0 0 1-.46-1.657l.548-2.19a.678.678 0 0 0-.122-.58L3.654 1.328zM1.884.511a1.745 1.745 0 0 1 2.612.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511z"/&gt;&lt;path fill-rule="evenodd" d="M11.146 1.646a.5.5 0 0 1 .708 0L13 2.793l1.146-1.147a.5.5 0 0 1 .708.708L13.707 3.5l1.147 1.146a.5.5 0 0 1-.708.708L13 4.207l-1.146 1.147a.5.5 0 0 1-.708-.708L12.293 3.5l-1.147-1.146a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconTelephoneXFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TelephoneXFill','&lt;path fill-rule="evenodd" d="M1.885.511a1.745 1.745 0 0 1 2.61.163L6.29 2.98c.329.423.445.974.315 1.494l-.547 2.19a.678.678 0 0 0 .178.643l2.457 2.457a.678.678 0 0 0 .644.178l2.189-.547a1.745 1.745 0 0 1 1.494.315l2.306 1.794c.829.645.905 1.87.163 2.611l-1.034 1.034c-.74.74-1.846 1.065-2.877.702a18.634 18.634 0 0 1-7.01-4.42 18.634 18.634 0 0 1-4.42-7.009c-.362-1.03-.037-2.137.703-2.877L1.885.511zm9.261 1.135a.5.5 0 0 1 .708 0L13 2.793l1.146-1.147a.5.5 0 0 1 .708.708L13.707 3.5l1.147 1.146a.5.5 0 0 1-.708.708L13 4.207l-1.146 1.147a.5.5 0 0 1-.708-.708L12.293 3.5l-1.147-1.146a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconTerminal=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Terminal','&lt;path d="M6 9a.5.5 0 0 1 .5-.5h3a.5.5 0 0 1 0 1h-3A.5.5 0 0 1 6 9zM3.854 4.146a.5.5 0 1 0-.708.708L4.793 6.5 3.146 8.146a.5.5 0 1 0 .708.708l2-2a.5.5 0 0 0 0-.708l-2-2z"/&gt;&lt;path d="M2 1a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V3a2 2 0 0 0-2-2H2zm12 1a1 1 0 0 1 1 1v10a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V3a1 1 0 0 1 1-1h12z"/&gt;');// eslint-disable-next-line
var BIconTerminalFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TerminalFill','&lt;path d="M0 3a2 2 0 0 1 2-2h12a2 2 0 0 1 2 2v10a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V3zm9.5 5.5h-3a.5.5 0 0 0 0 1h3a.5.5 0 0 0 0-1zm-6.354-.354a.5.5 0 1 0 .708.708l2-2a.5.5 0 0 0 0-.708l-2-2a.5.5 0 1 0-.708.708L4.793 6.5 3.146 8.146z"/&gt;');// eslint-disable-next-line
var BIconTextCenter=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TextCenter','&lt;path fill-rule="evenodd" d="M4 12.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm-2-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm2-3a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm-2-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconTextIndentLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TextIndentLeft','&lt;path d="M2 3.5a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm.646 2.146a.5.5 0 0 1 .708 0l2 2a.5.5 0 0 1 0 .708l-2 2a.5.5 0 0 1-.708-.708L4.293 8 2.646 6.354a.5.5 0 0 1 0-.708zM7 6.5a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5zm0 3a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5zm-5 3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconTextIndentRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TextIndentRight','&lt;path d="M2 3.5a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm10.646 2.146a.5.5 0 0 1 .708.708L11.707 8l1.647 1.646a.5.5 0 0 1-.708.708l-2-2a.5.5 0 0 1 0-.708l2-2zM2 6.5a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5zm0 3a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5zm0 3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconTextLeft=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TextLeft','&lt;path fill-rule="evenodd" d="M2 12.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconTextParagraph=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TextParagraph','&lt;path fill-rule="evenodd" d="M2 12.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm0-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm4-3a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconTextRight=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TextRight','&lt;path fill-rule="evenodd" d="M6 12.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm-4-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5zm4-3a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 0 1h-7a.5.5 0 0 1-.5-.5zm-4-3a.5.5 0 0 1 .5-.5h11a.5.5 0 0 1 0 1h-11a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconTextarea=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Textarea','&lt;path d="M1.5 2.5A1.5 1.5 0 0 1 3 1h10a1.5 1.5 0 0 1 1.5 1.5v3.563a2 2 0 0 1 0 3.874V13.5A1.5 1.5 0 0 1 13 15H3a1.5 1.5 0 0 1-1.5-1.5V9.937a2 2 0 0 1 0-3.874V2.5zm1 3.563a2 2 0 0 1 0 3.874V13.5a.5.5 0 0 0 .5.5h10a.5.5 0 0 0 .5-.5V9.937a2 2 0 0 1 0-3.874V2.5A.5.5 0 0 0 13 2H3a.5.5 0 0 0-.5.5v3.563zM2 7a1 1 0 1 0 0 2 1 1 0 0 0 0-2zm12 0a1 1 0 1 0 0 2 1 1 0 0 0 0-2z"/&gt;');// eslint-disable-next-line
var BIconTextareaResize=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TextareaResize','&lt;path d="M.5 4A2.5 2.5 0 0 1 3 1.5h12A2.5 2.5 0 0 1 17.5 4v8a2.5 2.5 0 0 1-2.5 2.5H3A2.5 2.5 0 0 1 .5 12V4zM3 2.5A1.5 1.5 0 0 0 1.5 4v8A1.5 1.5 0 0 0 3 13.5h12a1.5 1.5 0 0 0 1.5-1.5V4A1.5 1.5 0 0 0 15 2.5H3zm11.854 5.646a.5.5 0 0 1 0 .708l-3 3a.5.5 0 0 1-.708-.708l3-3a.5.5 0 0 1 .708 0zm0 2.5a.5.5 0 0 1 0 .708l-.5.5a.5.5 0 0 1-.708-.708l.5-.5a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconTextareaT=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TextareaT','&lt;path d="M1.5 2.5A1.5 1.5 0 0 1 3 1h10a1.5 1.5 0 0 1 1.5 1.5v3.563a2 2 0 0 1 0 3.874V13.5A1.5 1.5 0 0 1 13 15H3a1.5 1.5 0 0 1-1.5-1.5V9.937a2 2 0 0 1 0-3.874V2.5zm1 3.563a2 2 0 0 1 0 3.874V13.5a.5.5 0 0 0 .5.5h10a.5.5 0 0 0 .5-.5V9.937a2 2 0 0 1 0-3.874V2.5A.5.5 0 0 0 13 2H3a.5.5 0 0 0-.5.5v3.563zM2 7a1 1 0 1 0 0 2 1 1 0 0 0 0-2zm12 0a1 1 0 1 0 0 2 1 1 0 0 0 0-2z"/&gt;&lt;path d="M11.434 4H4.566L4.5 5.994h.386c.21-1.252.612-1.446 2.173-1.495l.343-.011v6.343c0 .537-.116.665-1.049.748V12h3.294v-.421c-.938-.083-1.054-.21-1.054-.748V4.488l.348.01c1.56.05 1.963.244 2.173 1.496h.386L11.434 4z"/&gt;');// eslint-disable-next-line
var BIconThermometer=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Thermometer','&lt;path d="M8 14a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3z"/&gt;&lt;path d="M8 0a2.5 2.5 0 0 0-2.5 2.5v7.55a3.5 3.5 0 1 0 5 0V2.5A2.5 2.5 0 0 0 8 0zM6.5 2.5a1.5 1.5 0 1 1 3 0v7.987l.167.15a2.5 2.5 0 1 1-3.333 0l.166-.15V2.5z"/&gt;');// eslint-disable-next-line
var BIconThermometerHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ThermometerHalf','&lt;path d="M9.5 12.5a1.5 1.5 0 1 1-2-1.415V6.5a.5.5 0 0 1 1 0v4.585a1.5 1.5 0 0 1 1 1.415z"/&gt;&lt;path d="M5.5 2.5a2.5 2.5 0 0 1 5 0v7.55a3.5 3.5 0 1 1-5 0V2.5zM8 1a1.5 1.5 0 0 0-1.5 1.5v7.987l-.167.15a2.5 2.5 0 1 0 3.333 0l-.166-.15V2.5A1.5 1.5 0 0 0 8 1z"/&gt;');// eslint-disable-next-line
var BIconThermometerHigh=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ThermometerHigh','&lt;path d="M9.5 12.5a1.5 1.5 0 1 1-2-1.415V2.5a.5.5 0 0 1 1 0v8.585a1.5 1.5 0 0 1 1 1.415z"/&gt;&lt;path d="M5.5 2.5a2.5 2.5 0 0 1 5 0v7.55a3.5 3.5 0 1 1-5 0V2.5zM8 1a1.5 1.5 0 0 0-1.5 1.5v7.987l-.167.15a2.5 2.5 0 1 0 3.333 0l-.166-.15V2.5A1.5 1.5 0 0 0 8 1z"/&gt;');// eslint-disable-next-line
var BIconThermometerLow=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ThermometerLow','&lt;path d="M9.5 12.5a1.5 1.5 0 1 1-2-1.415V9.5a.5.5 0 0 1 1 0v1.585a1.5 1.5 0 0 1 1 1.415z"/&gt;&lt;path d="M5.5 2.5a2.5 2.5 0 0 1 5 0v7.55a3.5 3.5 0 1 1-5 0V2.5zM8 1a1.5 1.5 0 0 0-1.5 1.5v7.987l-.167.15a2.5 2.5 0 1 0 3.333 0l-.166-.15V2.5A1.5 1.5 0 0 0 8 1z"/&gt;');// eslint-disable-next-line
var BIconThermometerSnow=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ThermometerSnow','&lt;path d="M5 12.5a1.5 1.5 0 1 1-2-1.415V9.5a.5.5 0 0 1 1 0v1.585A1.5 1.5 0 0 1 5 12.5z"/&gt;&lt;path d="M1 2.5a2.5 2.5 0 0 1 5 0v7.55a3.5 3.5 0 1 1-5 0V2.5zM3.5 1A1.5 1.5 0 0 0 2 2.5v7.987l-.167.15a2.5 2.5 0 1 0 3.333 0L5 10.486V2.5A1.5 1.5 0 0 0 3.5 1zm5 1a.5.5 0 0 1 .5.5v1.293l.646-.647a.5.5 0 0 1 .708.708L9 5.207v1.927l1.669-.963.495-1.85a.5.5 0 1 1 .966.26l-.237.882 1.12-.646a.5.5 0 0 1 .5.866l-1.12.646.884.237a.5.5 0 1 1-.26.966l-1.848-.495L9.5 8l1.669.963 1.849-.495a.5.5 0 1 1 .258.966l-.883.237 1.12.646a.5.5 0 0 1-.5.866l-1.12-.646.237.883a.5.5 0 1 1-.966.258L10.67 9.83 9 8.866v1.927l1.354 1.353a.5.5 0 0 1-.708.708L9 12.207V13.5a.5.5 0 0 1-1 0v-11a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconThermometerSun=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ThermometerSun','&lt;path d="M5 12.5a1.5 1.5 0 1 1-2-1.415V2.5a.5.5 0 0 1 1 0v8.585A1.5 1.5 0 0 1 5 12.5z"/&gt;&lt;path d="M1 2.5a2.5 2.5 0 0 1 5 0v7.55a3.5 3.5 0 1 1-5 0V2.5zM3.5 1A1.5 1.5 0 0 0 2 2.5v7.987l-.167.15a2.5 2.5 0 1 0 3.333 0L5 10.486V2.5A1.5 1.5 0 0 0 3.5 1zm5 1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-1 0v-1a.5.5 0 0 1 .5-.5zm4.243 1.757a.5.5 0 0 1 0 .707l-.707.708a.5.5 0 1 1-.708-.708l.708-.707a.5.5 0 0 1 .707 0zM8 5.5a.5.5 0 0 1 .5-.5 3 3 0 1 1 0 6 .5.5 0 0 1 0-1 2 2 0 0 0 0-4 .5.5 0 0 1-.5-.5zM12.5 8a.5.5 0 0 1 .5-.5h1a.5.5 0 1 1 0 1h-1a.5.5 0 0 1-.5-.5zm-1.172 2.828a.5.5 0 0 1 .708 0l.707.708a.5.5 0 0 1-.707.707l-.708-.707a.5.5 0 0 1 0-.708zM8.5 12a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-1 0v-1a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconThreeDots=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ThreeDots','&lt;path d="M3 9.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zm5 0a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zm5 0a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3z"/&gt;');// eslint-disable-next-line
var BIconThreeDotsVertical=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ThreeDotsVertical','&lt;path d="M9.5 13a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm0-5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0zm0-5a1.5 1.5 0 1 1-3 0 1.5 1.5 0 0 1 3 0z"/&gt;');// eslint-disable-next-line
var BIconToggle2Off=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Toggle2Off','&lt;path d="M9 11c.628-.836 1-1.874 1-3a4.978 4.978 0 0 0-1-3h4a3 3 0 1 1 0 6H9z"/&gt;&lt;path d="M5 12a4 4 0 1 1 0-8 4 4 0 0 1 0 8zm0 1A5 5 0 1 0 5 3a5 5 0 0 0 0 10z"/&gt;');// eslint-disable-next-line
var BIconToggle2On=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Toggle2On','&lt;path d="M7 5H3a3 3 0 0 0 0 6h4a4.995 4.995 0 0 1-.584-1H3a2 2 0 1 1 0-4h3.416c.156-.357.352-.692.584-1z"/&gt;&lt;path d="M16 8A5 5 0 1 1 6 8a5 5 0 0 1 10 0z"/&gt;');// eslint-disable-next-line
var BIconToggleOff=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ToggleOff','&lt;path d="M11 4a4 4 0 0 1 0 8H8a4.992 4.992 0 0 0 2-4 4.992 4.992 0 0 0-2-4h3zm-6 8a4 4 0 1 1 0-8 4 4 0 0 1 0 8zM0 8a5 5 0 0 0 5 5h6a5 5 0 0 0 0-10H5a5 5 0 0 0-5 5z"/&gt;');// eslint-disable-next-line
var BIconToggleOn=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ToggleOn','&lt;path d="M5 3a5 5 0 0 0 0 10h6a5 5 0 0 0 0-10H5zm6 9a4 4 0 1 1 0-8 4 4 0 0 1 0 8z"/&gt;');// eslint-disable-next-line
var BIconToggles=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Toggles','&lt;path d="M4.5 9a3.5 3.5 0 1 0 0 7h7a3.5 3.5 0 1 0 0-7h-7zm7 6a2.5 2.5 0 1 1 0-5 2.5 2.5 0 0 1 0 5zm-7-14a2.5 2.5 0 1 0 0 5 2.5 2.5 0 0 0 0-5zm2.45 0A3.49 3.49 0 0 1 8 3.5 3.49 3.49 0 0 1 6.95 6h4.55a2.5 2.5 0 0 0 0-5H6.95zM4.5 0h7a3.5 3.5 0 1 1 0 7h-7a3.5 3.5 0 1 1 0-7z"/&gt;');// eslint-disable-next-line
var BIconToggles2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Toggles2','&lt;path d="M9.465 10H12a2 2 0 1 1 0 4H9.465c.34-.588.535-1.271.535-2 0-.729-.195-1.412-.535-2z"/&gt;&lt;path d="M6 15a3 3 0 1 0 0-6 3 3 0 0 0 0 6zm0 1a4 4 0 1 1 0-8 4 4 0 0 1 0 8zm.535-10a3.975 3.975 0 0 1-.409-1H4a1 1 0 0 1 0-2h2.126c.091-.355.23-.69.41-1H4a2 2 0 1 0 0 4h2.535z"/&gt;&lt;path d="M14 4a4 4 0 1 1-8 0 4 4 0 0 1 8 0z"/&gt;');// eslint-disable-next-line
var BIconTools=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Tools','&lt;path d="M1 0 0 1l2.2 3.081a1 1 0 0 0 .815.419h.07a1 1 0 0 1 .708.293l2.675 2.675-2.617 2.654A3.003 3.003 0 0 0 0 13a3 3 0 1 0 5.878-.851l2.654-2.617.968.968-.305.914a1 1 0 0 0 .242 1.023l3.356 3.356a1 1 0 0 0 1.414 0l1.586-1.586a1 1 0 0 0 0-1.414l-3.356-3.356a1 1 0 0 0-1.023-.242L10.5 9.5l-.96-.96 2.68-2.643A3.005 3.005 0 0 0 16 3c0-.269-.035-.53-.102-.777l-2.14 2.141L12 4l-.364-1.757L13.777.102a3 3 0 0 0-3.675 3.68L7.462 6.46 4.793 3.793a1 1 0 0 1-.293-.707v-.071a1 1 0 0 0-.419-.814L1 0zm9.646 10.646a.5.5 0 0 1 .708 0l3 3a.5.5 0 0 1-.708.708l-3-3a.5.5 0 0 1 0-.708zM3 11l.471.242.529.026.287.445.445.287.026.529L5 13l-.242.471-.026.529-.445.287-.287.445-.529.026L3 15l-.471-.242L2 14.732l-.287-.445L1.268 14l-.026-.529L1 13l.242-.471.026-.529.445-.287.287-.445.529-.026L3 11z"/&gt;');// eslint-disable-next-line
var BIconTornado=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Tornado','&lt;path d="M1.125 2.45A.892.892 0 0 1 1 2c0-.26.116-.474.258-.634a1.9 1.9 0 0 1 .513-.389c.387-.21.913-.385 1.52-.525C4.514.17 6.18 0 8 0c1.821 0 3.486.17 4.709.452.607.14 1.133.314 1.52.525.193.106.374.233.513.389.141.16.258.374.258.634 0 1.011-.35 1.612-.634 2.102-.04.07-.08.137-.116.203a2.55 2.55 0 0 0-.313.809 2.938 2.938 0 0 0-.011.891.5.5 0 0 1 .428.849c-.06.06-.133.126-.215.195.204 1.116.088 1.99-.3 2.711-.453.84-1.231 1.383-2.02 1.856-.204.123-.412.243-.62.364-1.444.832-2.928 1.689-3.735 3.706a.5.5 0 0 1-.748.226l-.001-.001-.002-.001-.004-.003-.01-.008a2.142 2.142 0 0 1-.147-.115 4.095 4.095 0 0 1-1.179-1.656 3.786 3.786 0 0 1-.247-1.296A.498.498 0 0 1 5 12.5v-.018a.62.62 0 0 1 .008-.079.728.728 0 0 1 .188-.386c.09-.489.272-1.014.573-1.574a.5.5 0 0 1 .073-.918 3.29 3.29 0 0 1 .617-.144l.15-.193c.285-.356.404-.639.437-.861a.948.948 0 0 0-.122-.619c-.249-.455-.815-.903-1.613-1.43-.193-.127-.398-.258-.609-.394l-.119-.076a12.307 12.307 0 0 1-1.241-.334.5.5 0 0 1-.285-.707l-.23-.18C2.117 4.01 1.463 3.32 1.125 2.45zm1.973 1.051c.113.104.233.207.358.308.472.381.99.722 1.515 1.06 1.54.317 3.632.5 5.43.14a.5.5 0 0 1 .197.981c-1.216.244-2.537.26-3.759.157.399.326.744.682.963 1.081.203.373.302.79.233 1.247-.05.33-.182.657-.39.985.075.017.148.035.22.053l.006.002c.481.12.863.213 1.47.01a.5.5 0 1 1 .317.95c-.888.295-1.505.141-2.023.012l-.006-.002a3.894 3.894 0 0 0-.644-.123c-.37.55-.598 1.05-.726 1.497.142.045.296.11.465.194a.5.5 0 1 1-.448.894 3.11 3.11 0 0 0-.148-.07c.012.345.084.643.18.895.14.369.342.666.528.886.992-1.903 2.583-2.814 3.885-3.56.203-.116.399-.228.584-.34.775-.464 1.34-.89 1.653-1.472.212-.393.33-.9.26-1.617A6.74 6.74 0 0 1 10 8.5a.5.5 0 0 1 0-1 5.76 5.76 0 0 0 3.017-.872.515.515 0 0 1-.007-.03c-.135-.673-.14-1.207-.056-1.665.084-.46.253-.81.421-1.113l.131-.23c.065-.112.126-.22.182-.327-.29.107-.62.202-.98.285C11.487 3.83 9.822 4 8 4c-1.821 0-3.486-.17-4.709-.452-.065-.015-.13-.03-.193-.047zM13.964 2a1.12 1.12 0 0 0-.214-.145c-.272-.148-.697-.297-1.266-.428C11.354 1.166 9.769 1 8 1c-1.769 0-3.354.166-4.484.427-.569.13-.994.28-1.266.428A1.12 1.12 0 0 0 2.036 2c.04.038.109.087.214.145.272.148.697.297 1.266.428C4.646 2.834 6.231 3 8 3c1.769 0 3.354-.166 4.484-.427.569-.13.994-.28 1.266-.428A1.12 1.12 0 0 0 13.964 2z"/&gt;');// eslint-disable-next-line
var BIconTranslate=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Translate','&lt;path d="M4.545 6.714 4.11 8H3l1.862-5h1.284L8 8H6.833l-.435-1.286H4.545zm1.634-.736L5.5 3.956h-.049l-.679 2.022H6.18z"/&gt;&lt;path d="M0 2a2 2 0 0 1 2-2h7a2 2 0 0 1 2 2v3h3a2 2 0 0 1 2 2v7a2 2 0 0 1-2 2H7a2 2 0 0 1-2-2v-3H2a2 2 0 0 1-2-2V2zm2-1a1 1 0 0 0-1 1v7a1 1 0 0 0 1 1h7a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H2zm7.138 9.995c.193.301.402.583.63.846-.748.575-1.673 1.001-2.768 1.292.178.217.451.635.555.867 1.125-.359 2.08-.844 2.886-1.494.777.665 1.739 1.165 2.93 1.472.133-.254.414-.673.629-.89-1.125-.253-2.057-.694-2.82-1.284.681-.747 1.222-1.651 1.621-2.757H14V8h-3v1.047h.765c-.318.844-.74 1.546-1.272 2.13a6.066 6.066 0 0 1-.415-.492 1.988 1.988 0 0 1-.94.31z"/&gt;');// eslint-disable-next-line
var BIconTrash=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Trash','&lt;path d="M5.5 5.5A.5.5 0 0 1 6 6v6a.5.5 0 0 1-1 0V6a.5.5 0 0 1 .5-.5zm2.5 0a.5.5 0 0 1 .5.5v6a.5.5 0 0 1-1 0V6a.5.5 0 0 1 .5-.5zm3 .5a.5.5 0 0 0-1 0v6a.5.5 0 0 0 1 0V6z"/&gt;&lt;path fill-rule="evenodd" d="M14.5 3a1 1 0 0 1-1 1H13v9a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V4h-.5a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1H6a1 1 0 0 1 1-1h2a1 1 0 0 1 1 1h3.5a1 1 0 0 1 1 1v1zM4.118 4 4 4.059V13a1 1 0 0 0 1 1h6a1 1 0 0 0 1-1V4.059L11.882 4H4.118zM2.5 3V2h11v1h-11z"/&gt;');// eslint-disable-next-line
var BIconTrash2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Trash2','&lt;path d="M14 3a.702.702 0 0 1-.037.225l-1.684 10.104A2 2 0 0 1 10.305 15H5.694a2 2 0 0 1-1.973-1.671L2.037 3.225A.703.703 0 0 1 2 3c0-1.105 2.686-2 6-2s6 .895 6 2zM3.215 4.207l1.493 8.957a1 1 0 0 0 .986.836h4.612a1 1 0 0 0 .986-.836l1.493-8.957C11.69 4.689 9.954 5 8 5c-1.954 0-3.69-.311-4.785-.793z"/&gt;');// eslint-disable-next-line
var BIconTrash2Fill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Trash2Fill','&lt;path d="M2.037 3.225A.703.703 0 0 1 2 3c0-1.105 2.686-2 6-2s6 .895 6 2a.702.702 0 0 1-.037.225l-1.684 10.104A2 2 0 0 1 10.305 15H5.694a2 2 0 0 1-1.973-1.671L2.037 3.225zm9.89-.69C10.966 2.214 9.578 2 8 2c-1.58 0-2.968.215-3.926.534-.477.16-.795.327-.975.466.18.14.498.307.975.466C5.032 3.786 6.42 4 8 4s2.967-.215 3.926-.534c.477-.16.795-.327.975-.466-.18-.14-.498-.307-.975-.466z"/&gt;');// eslint-disable-next-line
var BIconTrashFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TrashFill','&lt;path d="M2.5 1a1 1 0 0 0-1 1v1a1 1 0 0 0 1 1H3v9a2 2 0 0 0 2 2h6a2 2 0 0 0 2-2V4h.5a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H10a1 1 0 0 0-1-1H7a1 1 0 0 0-1 1H2.5zm3 4a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-1 0v-7a.5.5 0 0 1 .5-.5zM8 5a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-1 0v-7A.5.5 0 0 1 8 5zm3 .5v7a.5.5 0 0 1-1 0v-7a.5.5 0 0 1 1 0z"/&gt;');// eslint-disable-next-line
var BIconTree=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Tree','&lt;path d="M8.416.223a.5.5 0 0 0-.832 0l-3 4.5A.5.5 0 0 0 5 5.5h.098L3.076 8.735A.5.5 0 0 0 3.5 9.5h.191l-1.638 3.276a.5.5 0 0 0 .447.724H7V16h2v-2.5h4.5a.5.5 0 0 0 .447-.724L12.31 9.5h.191a.5.5 0 0 0 .424-.765L10.902 5.5H11a.5.5 0 0 0 .416-.777l-3-4.5zM6.437 4.758A.5.5 0 0 0 6 4.5h-.066L8 1.401 10.066 4.5H10a.5.5 0 0 0-.424.765L11.598 8.5H11.5a.5.5 0 0 0-.447.724L12.69 12.5H3.309l1.638-3.276A.5.5 0 0 0 4.5 8.5h-.098l2.022-3.235a.5.5 0 0 0 .013-.507z"/&gt;');// eslint-disable-next-line
var BIconTreeFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TreeFill','&lt;path d="M8.416.223a.5.5 0 0 0-.832 0l-3 4.5A.5.5 0 0 0 5 5.5h.098L3.076 8.735A.5.5 0 0 0 3.5 9.5h.191l-1.638 3.276a.5.5 0 0 0 .447.724H7V16h2v-2.5h4.5a.5.5 0 0 0 .447-.724L12.31 9.5h.191a.5.5 0 0 0 .424-.765L10.902 5.5H11a.5.5 0 0 0 .416-.777l-3-4.5z"/&gt;');// eslint-disable-next-line
var BIconTriangle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Triangle','&lt;path d="M7.938 2.016A.13.13 0 0 1 8.002 2a.13.13 0 0 1 .063.016.146.146 0 0 1 .054.057l6.857 11.667c.036.06.035.124.002.183a.163.163 0 0 1-.054.06.116.116 0 0 1-.066.017H1.146a.115.115 0 0 1-.066-.017.163.163 0 0 1-.054-.06.176.176 0 0 1 .002-.183L7.884 2.073a.147.147 0 0 1 .054-.057zm1.044-.45a1.13 1.13 0 0 0-1.96 0L.165 13.233c-.457.778.091 1.767.98 1.767h13.713c.889 0 1.438-.99.98-1.767L8.982 1.566z"/&gt;');// eslint-disable-next-line
var BIconTriangleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TriangleFill','&lt;path fill-rule="evenodd" d="M7.022 1.566a1.13 1.13 0 0 1 1.96 0l6.857 11.667c.457.778-.092 1.767-.98 1.767H1.144c-.889 0-1.437-.99-.98-1.767L7.022 1.566z"/&gt;');// eslint-disable-next-line
var BIconTriangleHalf=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TriangleHalf','&lt;path d="M8.065 2.016A.13.13 0 0 0 8.002 2v11.983l6.856.017a.12.12 0 0 0 .066-.017.162.162 0 0 0 .054-.06.176.176 0 0 0-.002-.183L8.12 2.073a.146.146 0 0 0-.054-.057zm-1.043-.45a1.13 1.13 0 0 1 1.96 0l6.856 11.667c.458.778-.091 1.767-.98 1.767H1.146c-.889 0-1.437-.99-.98-1.767L7.022 1.566z"/&gt;');// eslint-disable-next-line
var BIconTrophy=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Trophy','&lt;path d="M2.5.5A.5.5 0 0 1 3 0h10a.5.5 0 0 1 .5.5c0 .538-.012 1.05-.034 1.536a3 3 0 1 1-1.133 5.89c-.79 1.865-1.878 2.777-2.833 3.011v2.173l1.425.356c.194.048.377.135.537.255L13.3 15.1a.5.5 0 0 1-.3.9H3a.5.5 0 0 1-.3-.9l1.838-1.379c.16-.12.343-.207.537-.255L6.5 13.11v-2.173c-.955-.234-2.043-1.146-2.833-3.012a3 3 0 1 1-1.132-5.89A33.076 33.076 0 0 1 2.5.5zm.099 2.54a2 2 0 0 0 .72 3.935c-.333-1.05-.588-2.346-.72-3.935zm10.083 3.935a2 2 0 0 0 .72-3.935c-.133 1.59-.388 2.885-.72 3.935zM3.504 1c.007.517.026 1.006.056 1.469.13 2.028.457 3.546.87 4.667C5.294 9.48 6.484 10 7 10a.5.5 0 0 1 .5.5v2.61a1 1 0 0 1-.757.97l-1.426.356a.5.5 0 0 0-.179.085L4.5 15h7l-.638-.479a.501.501 0 0 0-.18-.085l-1.425-.356a1 1 0 0 1-.757-.97V10.5A.5.5 0 0 1 9 10c.516 0 1.706-.52 2.57-2.864.413-1.12.74-2.64.87-4.667.03-.463.049-.952.056-1.469H3.504z"/&gt;');// eslint-disable-next-line
var BIconTrophyFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TrophyFill','&lt;path d="M2.5.5A.5.5 0 0 1 3 0h10a.5.5 0 0 1 .5.5c0 .538-.012 1.05-.034 1.536a3 3 0 1 1-1.133 5.89c-.79 1.865-1.878 2.777-2.833 3.011v2.173l1.425.356c.194.048.377.135.537.255L13.3 15.1a.5.5 0 0 1-.3.9H3a.5.5 0 0 1-.3-.9l1.838-1.379c.16-.12.343-.207.537-.255L6.5 13.11v-2.173c-.955-.234-2.043-1.146-2.833-3.012a3 3 0 1 1-1.132-5.89A33.076 33.076 0 0 1 2.5.5zm.099 2.54a2 2 0 0 0 .72 3.935c-.333-1.05-.588-2.346-.72-3.935zm10.083 3.935a2 2 0 0 0 .72-3.935c-.133 1.59-.388 2.885-.72 3.935z"/&gt;');// eslint-disable-next-line
var BIconTropicalStorm=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TropicalStorm','&lt;path d="M8 9.5a2 2 0 1 0 0-4 2 2 0 0 0 0 4z"/&gt;&lt;path d="M9.5 2c-.9 0-1.75.216-2.501.6A5 5 0 0 1 13 7.5a6.5 6.5 0 1 1-13 0 .5.5 0 0 1 1 0 5.5 5.5 0 0 0 8.001 4.9A5 5 0 0 1 3 7.5a6.5 6.5 0 0 1 13 0 .5.5 0 0 1-1 0A5.5 5.5 0 0 0 9.5 2zM8 3.5a4 4 0 1 0 0 8 4 4 0 0 0 0-8z"/&gt;');// eslint-disable-next-line
var BIconTruck=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Truck','&lt;path d="M0 3.5A1.5 1.5 0 0 1 1.5 2h9A1.5 1.5 0 0 1 12 3.5V5h1.02a1.5 1.5 0 0 1 1.17.563l1.481 1.85a1.5 1.5 0 0 1 .329.938V10.5a1.5 1.5 0 0 1-1.5 1.5H14a2 2 0 1 1-4 0H5a2 2 0 1 1-3.998-.085A1.5 1.5 0 0 1 0 10.5v-7zm1.294 7.456A1.999 1.999 0 0 1 4.732 11h5.536a2.01 2.01 0 0 1 .732-.732V3.5a.5.5 0 0 0-.5-.5h-9a.5.5 0 0 0-.5.5v7a.5.5 0 0 0 .294.456zM12 10a2 2 0 0 1 1.732 1h.768a.5.5 0 0 0 .5-.5V8.35a.5.5 0 0 0-.11-.312l-1.48-1.85A.5.5 0 0 0 13.02 6H12v4zm-9 1a1 1 0 1 0 0 2 1 1 0 0 0 0-2zm9 0a1 1 0 1 0 0 2 1 1 0 0 0 0-2z"/&gt;');// eslint-disable-next-line
var BIconTruckFlatbed=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TruckFlatbed','&lt;path d="M11.5 4a.5.5 0 0 1 .5.5V5h1.02a1.5 1.5 0 0 1 1.17.563l1.481 1.85a1.5 1.5 0 0 1 .329.938V10.5a1.5 1.5 0 0 1-1.5 1.5H14a2 2 0 1 1-4 0H5a2 2 0 1 1-4 0 1 1 0 0 1-1-1v-1h11V4.5a.5.5 0 0 1 .5-.5zM3 11a1 1 0 1 0 0 2 1 1 0 0 0 0-2zm9 0a1 1 0 1 0 0 2 1 1 0 0 0 0-2zm1.732 0h.768a.5.5 0 0 0 .5-.5V8.35a.5.5 0 0 0-.11-.312l-1.48-1.85A.5.5 0 0 0 13.02 6H12v4a2 2 0 0 1 1.732 1z"/&gt;');// eslint-disable-next-line
var BIconTsunami=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Tsunami','&lt;path d="M.036 12.314a.5.5 0 0 1 .65-.278l1.757.703a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.757-.703a.5.5 0 1 1 .372.928l-1.758.703a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0l-1.757-.703a.5.5 0 0 1-.278-.65zm0 2a.5.5 0 0 1 .65-.278l1.757.703a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.757-.703a.5.5 0 1 1 .372.928l-1.758.703a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0l-1.757-.703a.5.5 0 0 1-.278-.65zM2.662 8.08c-.456 1.063-.994 2.098-1.842 2.804a.5.5 0 0 1-.64-.768c.652-.544 1.114-1.384 1.564-2.43.14-.328.281-.68.427-1.044.302-.754.624-1.559 1.01-2.308C3.763 3.2 4.528 2.105 5.7 1.299 6.877.49 8.418 0 10.5 0c1.463 0 2.511.4 3.179 1.058.67.66.893 1.518.819 2.302-.074.771-.441 1.516-1.02 1.965a1.878 1.878 0 0 1-1.904.27c-.65.642-.907 1.679-.71 2.614C11.076 9.215 11.784 10 13 10h2.5a.5.5 0 0 1 0 1H13c-1.784 0-2.826-1.215-3.114-2.585-.232-1.1.005-2.373.758-3.284L10.5 5.06l-.777.388a.5.5 0 0 1-.447 0l-1-.5a.5.5 0 0 1 .447-.894l.777.388.776-.388a.5.5 0 0 1 .447 0l1 .5a.493.493 0 0 1 .034.018c.44.264.81.195 1.108-.036.328-.255.586-.729.637-1.27.05-.529-.1-1.076-.525-1.495-.426-.42-1.19-.77-2.477-.77-1.918 0-3.252.448-4.232 1.123C5.283 2.8 4.61 3.738 4.07 4.79c-.365.71-.655 1.433-.945 2.16-.15.376-.301.753-.463 1.13z"/&gt;');// eslint-disable-next-line
var BIconTv=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Tv','&lt;path d="M2.5 13.5A.5.5 0 0 1 3 13h10a.5.5 0 0 1 0 1H3a.5.5 0 0 1-.5-.5zM13.991 3l.024.001a1.46 1.46 0 0 1 .538.143.757.757 0 0 1 .302.254c.067.1.145.277.145.602v5.991l-.001.024a1.464 1.464 0 0 1-.143.538.758.758 0 0 1-.254.302c-.1.067-.277.145-.602.145H2.009l-.024-.001a1.464 1.464 0 0 1-.538-.143.758.758 0 0 1-.302-.254C1.078 10.502 1 10.325 1 10V4.009l.001-.024a1.46 1.46 0 0 1 .143-.538.758.758 0 0 1 .254-.302C1.498 3.078 1.675 3 2 3h11.991zM14 2H2C0 2 0 4 0 4v6c0 2 2 2 2 2h12c2 0 2-2 2-2V4c0-2-2-2-2-2z"/&gt;');// eslint-disable-next-line
var BIconTvFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TvFill','&lt;path d="M2.5 13.5A.5.5 0 0 1 3 13h10a.5.5 0 0 1 0 1H3a.5.5 0 0 1-.5-.5zM2 2h12s2 0 2 2v6s0 2-2 2H2s-2 0-2-2V4s0-2 2-2z"/&gt;');// eslint-disable-next-line
var BIconTwitch=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Twitch','&lt;path d="M3.857 0 1 2.857v10.286h3.429V16l2.857-2.857H9.57L14.714 8V0H3.857zm9.714 7.429-2.285 2.285H9l-2 2v-2H4.429V1.143h9.142v6.286z"/&gt;&lt;path d="M11.857 3.143h-1.143V6.57h1.143V3.143zm-3.143 0H7.571V6.57h1.143V3.143z"/&gt;');// eslint-disable-next-line
var BIconTwitter=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Twitter','&lt;path d="M5.026 15c6.038 0 9.341-5.003 9.341-9.334 0-.14 0-.282-.006-.422A6.685 6.685 0 0 0 16 3.542a6.658 6.658 0 0 1-1.889.518 3.301 3.301 0 0 0 1.447-1.817 6.533 6.533 0 0 1-2.087.793A3.286 3.286 0 0 0 7.875 6.03a9.325 9.325 0 0 1-6.767-3.429 3.289 3.289 0 0 0 1.018 4.382A3.323 3.323 0 0 1 .64 6.575v.045a3.288 3.288 0 0 0 2.632 3.218 3.203 3.203 0 0 1-.865.115 3.23 3.23 0 0 1-.614-.057 3.283 3.283 0 0 0 3.067 2.277A6.588 6.588 0 0 1 .78 13.58a6.32 6.32 0 0 1-.78-.045A9.344 9.344 0 0 0 5.026 15z"/&gt;');// eslint-disable-next-line
var BIconType=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Type','&lt;path d="m2.244 13.081.943-2.803H6.66l.944 2.803H8.86L5.54 3.75H4.322L1 13.081h1.244zm2.7-7.923L6.34 9.314H3.51l1.4-4.156h.034zm9.146 7.027h.035v.896h1.128V8.125c0-1.51-1.114-2.345-2.646-2.345-1.736 0-2.59.916-2.666 2.174h1.108c.068-.718.595-1.19 1.517-1.19.971 0 1.518.52 1.518 1.464v.731H12.19c-1.647.007-2.522.8-2.522 2.058 0 1.319.957 2.18 2.345 2.18 1.06 0 1.716-.43 2.078-1.011zm-1.763.035c-.752 0-1.456-.397-1.456-1.244 0-.65.424-1.115 1.408-1.115h1.805v.834c0 .896-.752 1.525-1.757 1.525z"/&gt;');// eslint-disable-next-line
var BIconTypeBold=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TypeBold','&lt;path d="M8.21 13c2.106 0 3.412-1.087 3.412-2.823 0-1.306-.984-2.283-2.324-2.386v-.055a2.176 2.176 0 0 0 1.852-2.14c0-1.51-1.162-2.46-3.014-2.46H3.843V13H8.21zM5.908 4.674h1.696c.963 0 1.517.451 1.517 1.244 0 .834-.629 1.32-1.73 1.32H5.908V4.673zm0 6.788V8.598h1.73c1.217 0 1.88.492 1.88 1.415 0 .943-.643 1.449-1.832 1.449H5.907z"/&gt;');// eslint-disable-next-line
var BIconTypeH1=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TypeH1','&lt;path d="M8.637 13V3.669H7.379V7.62H2.758V3.67H1.5V13h1.258V8.728h4.62V13h1.259zm5.329 0V3.669h-1.244L10.5 5.316v1.265l2.16-1.565h.062V13h1.244z"/&gt;');// eslint-disable-next-line
var BIconTypeH2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TypeH2','&lt;path d="M7.638 13V3.669H6.38V7.62H1.759V3.67H.5V13h1.258V8.728h4.62V13h1.259zm3.022-6.733v-.048c0-.889.63-1.668 1.716-1.668.957 0 1.675.608 1.675 1.572 0 .855-.554 1.504-1.067 2.085l-3.513 3.999V13H15.5v-1.094h-4.245v-.075l2.481-2.844c.875-.998 1.586-1.784 1.586-2.953 0-1.463-1.155-2.556-2.919-2.556-1.941 0-2.966 1.326-2.966 2.74v.049h1.223z"/&gt;');// eslint-disable-next-line
var BIconTypeH3=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TypeH3','&lt;path d="M7.637 13V3.669H6.379V7.62H1.758V3.67H.5V13h1.258V8.728h4.62V13h1.259zm3.625-4.272h1.018c1.142 0 1.935.67 1.949 1.674.013 1.005-.78 1.737-2.01 1.73-1.08-.007-1.853-.588-1.935-1.32H9.108c.069 1.327 1.224 2.386 3.083 2.386 1.935 0 3.343-1.155 3.309-2.789-.027-1.51-1.251-2.16-2.037-2.249v-.068c.704-.123 1.764-.91 1.723-2.229-.035-1.353-1.176-2.4-2.954-2.385-1.873.006-2.857 1.162-2.898 2.358h1.196c.062-.69.711-1.299 1.696-1.299.998 0 1.695.622 1.695 1.525.007.922-.718 1.592-1.695 1.592h-.964v1.074z"/&gt;');// eslint-disable-next-line
var BIconTypeItalic=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TypeItalic','&lt;path d="M7.991 11.674 9.53 4.455c.123-.595.246-.71 1.347-.807l.11-.52H7.211l-.11.52c1.06.096 1.128.212 1.005.807L6.57 11.674c-.123.595-.246.71-1.346.806l-.11.52h3.774l.11-.52c-1.06-.095-1.129-.211-1.006-.806z"/&gt;');// eslint-disable-next-line
var BIconTypeStrikethrough=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TypeStrikethrough','&lt;path d="M6.333 5.686c0 .31.083.581.27.814H5.166a2.776 2.776 0 0 1-.099-.76c0-1.627 1.436-2.768 3.48-2.768 1.969 0 3.39 1.175 3.445 2.85h-1.23c-.11-1.08-.964-1.743-2.25-1.743-1.23 0-2.18.602-2.18 1.607zm2.194 7.478c-2.153 0-3.589-1.107-3.705-2.81h1.23c.144 1.06 1.129 1.703 2.544 1.703 1.34 0 2.31-.705 2.31-1.675 0-.827-.547-1.374-1.914-1.675L8.046 8.5H1v-1h14v1h-3.504c.468.437.675.994.675 1.697 0 1.826-1.436 2.967-3.644 2.967z"/&gt;');// eslint-disable-next-line
var BIconTypeUnderline=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('TypeUnderline','&lt;path d="M5.313 3.136h-1.23V9.54c0 2.105 1.47 3.623 3.917 3.623s3.917-1.518 3.917-3.623V3.136h-1.23v6.323c0 1.49-.978 2.57-2.687 2.57-1.709 0-2.687-1.08-2.687-2.57V3.136zM12.5 15h-9v-1h9v1z"/&gt;');// eslint-disable-next-line
var BIconUiChecks=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('UiChecks','&lt;path d="M7 2.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-1zM2 1a2 2 0 0 0-2 2v2a2 2 0 0 0 2 2h2a2 2 0 0 0 2-2V3a2 2 0 0 0-2-2H2zm0 8a2 2 0 0 0-2 2v2a2 2 0 0 0 2 2h2a2 2 0 0 0 2-2v-2a2 2 0 0 0-2-2H2zm.854-3.646a.5.5 0 0 1-.708 0l-1-1a.5.5 0 1 1 .708-.708l.646.647 1.646-1.647a.5.5 0 1 1 .708.708l-2 2zm0 8a.5.5 0 0 1-.708 0l-1-1a.5.5 0 0 1 .708-.708l.646.647 1.646-1.647a.5.5 0 0 1 .708.708l-2 2zM7 10.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-1zm0-5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm0 8a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconUiChecksGrid=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('UiChecksGrid','&lt;path d="M2 10h3a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1v-3a1 1 0 0 1 1-1zm9-9h3a1 1 0 0 1 1 1v3a1 1 0 0 1-1 1h-3a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1zm0 9a1 1 0 0 0-1 1v3a1 1 0 0 0 1 1h3a1 1 0 0 0 1-1v-3a1 1 0 0 0-1-1h-3zm0-10a2 2 0 0 0-2 2v3a2 2 0 0 0 2 2h3a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2h-3zM2 9a2 2 0 0 0-2 2v3a2 2 0 0 0 2 2h3a2 2 0 0 0 2-2v-3a2 2 0 0 0-2-2H2zm7 2a2 2 0 0 1 2-2h3a2 2 0 0 1 2 2v3a2 2 0 0 1-2 2h-3a2 2 0 0 1-2-2v-3zM0 2a2 2 0 0 1 2-2h3a2 2 0 0 1 2 2v3a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V2zm5.354.854a.5.5 0 1 0-.708-.708L3 3.793l-.646-.647a.5.5 0 1 0-.708.708l1 1a.5.5 0 0 0 .708 0l2-2z"/&gt;');// eslint-disable-next-line
var BIconUiRadios=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('UiRadios','&lt;path d="M7 2.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-1zM0 12a3 3 0 1 1 6 0 3 3 0 0 1-6 0zm7-1.5a.5.5 0 0 1 .5-.5h7a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-7a.5.5 0 0 1-.5-.5v-1zm0-5a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zm0 8a.5.5 0 0 1 .5-.5h5a.5.5 0 0 1 0 1h-5a.5.5 0 0 1-.5-.5zM3 1a3 3 0 1 0 0 6 3 3 0 0 0 0-6zm0 4.5a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3z"/&gt;');// eslint-disable-next-line
var BIconUiRadiosGrid=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('UiRadiosGrid','&lt;path d="M3.5 15a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5zm9-9a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5zm0 9a2.5 2.5 0 1 1 0-5 2.5 2.5 0 0 1 0 5zM16 3.5a3.5 3.5 0 1 1-7 0 3.5 3.5 0 0 1 7 0zm-9 9a3.5 3.5 0 1 1-7 0 3.5 3.5 0 0 1 7 0zm5.5 3.5a3.5 3.5 0 1 0 0-7 3.5 3.5 0 0 0 0 7zm-9-11a1.5 1.5 0 1 1 0-3 1.5 1.5 0 0 1 0 3zm0 2a3.5 3.5 0 1 0 0-7 3.5 3.5 0 0 0 0 7z"/&gt;');// eslint-disable-next-line
var BIconUmbrella=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Umbrella','&lt;path d="M8 0a.5.5 0 0 1 .5.5v.514C12.625 1.238 16 4.22 16 8c0 0 0 .5-.5.5-.149 0-.352-.145-.352-.145l-.004-.004-.025-.023a3.484 3.484 0 0 0-.555-.394A3.166 3.166 0 0 0 13 7.5c-.638 0-1.178.213-1.564.434a3.484 3.484 0 0 0-.555.394l-.025.023-.003.003s-.204.146-.353.146-.352-.145-.352-.145l-.004-.004-.025-.023a3.484 3.484 0 0 0-.555-.394 3.3 3.3 0 0 0-1.064-.39V13.5H8h.5v.039l-.005.083a2.958 2.958 0 0 1-.298 1.102 2.257 2.257 0 0 1-.763.88C7.06 15.851 6.587 16 6 16s-1.061-.148-1.434-.396a2.255 2.255 0 0 1-.763-.88 2.958 2.958 0 0 1-.302-1.185v-.025l-.001-.009v-.003s0-.002.5-.002h-.5V13a.5.5 0 0 1 1 0v.506l.003.044a1.958 1.958 0 0 0 .195.726c.095.191.23.367.423.495.19.127.466.229.879.229s.689-.102.879-.229c.193-.128.328-.304.424-.495a1.958 1.958 0 0 0 .197-.77V7.544a3.3 3.3 0 0 0-1.064.39 3.482 3.482 0 0 0-.58.417l-.004.004S5.65 8.5 5.5 8.5c-.149 0-.352-.145-.352-.145l-.004-.004a3.482 3.482 0 0 0-.58-.417A3.166 3.166 0 0 0 3 7.5c-.638 0-1.177.213-1.564.434a3.482 3.482 0 0 0-.58.417l-.004.004S.65 8.5.5 8.5C0 8.5 0 8 0 8c0-3.78 3.375-6.762 7.5-6.986V.5A.5.5 0 0 1 8 0zM6.577 2.123c-2.833.5-4.99 2.458-5.474 4.854A4.124 4.124 0 0 1 3 6.5c.806 0 1.48.25 1.962.511a9.706 9.706 0 0 1 .344-2.358c.242-.868.64-1.765 1.271-2.53zm-.615 4.93A4.16 4.16 0 0 1 8 6.5a4.16 4.16 0 0 1 2.038.553 8.688 8.688 0 0 0-.307-2.13C9.434 3.858 8.898 2.83 8 2.117c-.898.712-1.434 1.74-1.731 2.804a8.687 8.687 0 0 0-.307 2.131zm3.46-4.93c.631.765 1.03 1.662 1.272 2.53.233.833.328 1.66.344 2.358A4.14 4.14 0 0 1 13 6.5c.77 0 1.42.23 1.897.477-.484-2.396-2.641-4.355-5.474-4.854z"/&gt;');// eslint-disable-next-line
var BIconUmbrellaFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('UmbrellaFill','&lt;path fill-rule="evenodd" d="M8 0a.5.5 0 0 1 .5.5v.514C12.625 1.238 16 4.22 16 8c0 0 0 .5-.5.5-.149 0-.352-.145-.352-.145l-.004-.004-.025-.023a3.484 3.484 0 0 0-.555-.394A3.166 3.166 0 0 0 13 7.5c-.638 0-1.178.213-1.564.434a3.484 3.484 0 0 0-.555.394l-.025.023-.003.003s-.204.146-.353.146-.352-.145-.352-.145l-.004-.004-.025-.023a3.484 3.484 0 0 0-.555-.394 3.3 3.3 0 0 0-1.064-.39V13.5H8h.5v.039l-.005.083a2.958 2.958 0 0 1-.298 1.102 2.257 2.257 0 0 1-.763.88C7.06 15.851 6.587 16 6 16s-1.061-.148-1.434-.396a2.255 2.255 0 0 1-.763-.88 2.958 2.958 0 0 1-.302-1.185v-.025l-.001-.009v-.003s0-.002.5-.002h-.5V13a.5.5 0 0 1 1 0v.506l.003.044a1.958 1.958 0 0 0 .195.726c.095.191.23.367.423.495.19.127.466.229.879.229s.689-.102.879-.229c.193-.128.328-.304.424-.495a1.958 1.958 0 0 0 .197-.77V7.544a3.3 3.3 0 0 0-1.064.39 3.482 3.482 0 0 0-.58.417l-.004.004S5.65 8.5 5.5 8.5c-.149 0-.352-.145-.352-.145l-.004-.004a3.482 3.482 0 0 0-.58-.417A3.166 3.166 0 0 0 3 7.5c-.638 0-1.177.213-1.564.434a3.482 3.482 0 0 0-.58.417l-.004.004S.65 8.5.5 8.5C0 8.5 0 8 0 8c0-3.78 3.375-6.762 7.5-6.986V.5A.5.5 0 0 1 8 0z"/&gt;');// eslint-disable-next-line
var BIconUnion=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Union','&lt;path d="M0 2a2 2 0 0 1 2-2h8a2 2 0 0 1 2 2v2h2a2 2 0 0 1 2 2v8a2 2 0 0 1-2 2H6a2 2 0 0 1-2-2v-2H2a2 2 0 0 1-2-2V2z"/&gt;');// eslint-disable-next-line
var BIconUnlock=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Unlock','&lt;path d="M11 1a2 2 0 0 0-2 2v4a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V9a2 2 0 0 1 2-2h5V3a3 3 0 0 1 6 0v4a.5.5 0 0 1-1 0V3a2 2 0 0 0-2-2zM3 8a1 1 0 0 0-1 1v5a1 1 0 0 0 1 1h6a1 1 0 0 0 1-1V9a1 1 0 0 0-1-1H3z"/&gt;');// eslint-disable-next-line
var BIconUnlockFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('UnlockFill','&lt;path d="M11 1a2 2 0 0 0-2 2v4a2 2 0 0 1 2 2v5a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V9a2 2 0 0 1 2-2h5V3a3 3 0 0 1 6 0v4a.5.5 0 0 1-1 0V3a2 2 0 0 0-2-2z"/&gt;');// eslint-disable-next-line
var BIconUpc=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Upc','&lt;path d="M3 4.5a.5.5 0 0 1 1 0v7a.5.5 0 0 1-1 0v-7zm2 0a.5.5 0 0 1 1 0v7a.5.5 0 0 1-1 0v-7zm2 0a.5.5 0 0 1 1 0v7a.5.5 0 0 1-1 0v-7zm2 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-7zm3 0a.5.5 0 0 1 1 0v7a.5.5 0 0 1-1 0v-7z"/&gt;');// eslint-disable-next-line
var BIconUpcScan=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('UpcScan','&lt;path d="M1.5 1a.5.5 0 0 0-.5.5v3a.5.5 0 0 1-1 0v-3A1.5 1.5 0 0 1 1.5 0h3a.5.5 0 0 1 0 1h-3zM11 .5a.5.5 0 0 1 .5-.5h3A1.5 1.5 0 0 1 16 1.5v3a.5.5 0 0 1-1 0v-3a.5.5 0 0 0-.5-.5h-3a.5.5 0 0 1-.5-.5zM.5 11a.5.5 0 0 1 .5.5v3a.5.5 0 0 0 .5.5h3a.5.5 0 0 1 0 1h-3A1.5 1.5 0 0 1 0 14.5v-3a.5.5 0 0 1 .5-.5zm15 0a.5.5 0 0 1 .5.5v3a1.5 1.5 0 0 1-1.5 1.5h-3a.5.5 0 0 1 0-1h3a.5.5 0 0 0 .5-.5v-3a.5.5 0 0 1 .5-.5zM3 4.5a.5.5 0 0 1 1 0v7a.5.5 0 0 1-1 0v-7zm2 0a.5.5 0 0 1 1 0v7a.5.5 0 0 1-1 0v-7zm2 0a.5.5 0 0 1 1 0v7a.5.5 0 0 1-1 0v-7zm2 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v7a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-7zm3 0a.5.5 0 0 1 1 0v7a.5.5 0 0 1-1 0v-7z"/&gt;');// eslint-disable-next-line
var BIconUpload=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Upload','&lt;path d="M.5 9.9a.5.5 0 0 1 .5.5v2.5a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1v-2.5a.5.5 0 0 1 1 0v2.5a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2v-2.5a.5.5 0 0 1 .5-.5z"/&gt;&lt;path d="M7.646 1.146a.5.5 0 0 1 .708 0l3 3a.5.5 0 0 1-.708.708L8.5 2.707V11.5a.5.5 0 0 1-1 0V2.707L5.354 4.854a.5.5 0 1 1-.708-.708l3-3z"/&gt;');// eslint-disable-next-line
var BIconVectorPen=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('VectorPen','&lt;path fill-rule="evenodd" d="M10.646.646a.5.5 0 0 1 .708 0l4 4a.5.5 0 0 1 0 .708l-1.902 1.902-.829 3.313a1.5 1.5 0 0 1-1.024 1.073L1.254 14.746 4.358 4.4A1.5 1.5 0 0 1 5.43 3.377l3.313-.828L10.646.646zm-1.8 2.908-3.173.793a.5.5 0 0 0-.358.342l-2.57 8.565 8.567-2.57a.5.5 0 0 0 .34-.357l.794-3.174-3.6-3.6z"/&gt;&lt;path fill-rule="evenodd" d="M2.832 13.228 8 9a1 1 0 1 0-1-1l-4.228 5.168-.026.086.086-.026z"/&gt;');// eslint-disable-next-line
var BIconViewList=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ViewList','&lt;path d="M3 4.5h10a2 2 0 0 1 2 2v3a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-3a2 2 0 0 1 2-2zm0 1a1 1 0 0 0-1 1v3a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1v-3a1 1 0 0 0-1-1H3zM1 2a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 0 1h-13A.5.5 0 0 1 1 2zm0 12a.5.5 0 0 1 .5-.5h13a.5.5 0 0 1 0 1h-13A.5.5 0 0 1 1 14z"/&gt;');// eslint-disable-next-line
var BIconViewStacked=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ViewStacked','&lt;path d="M3 0h10a2 2 0 0 1 2 2v3a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2V2a2 2 0 0 1 2-2zm0 1a1 1 0 0 0-1 1v3a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1V2a1 1 0 0 0-1-1H3zm0 8h10a2 2 0 0 1 2 2v3a2 2 0 0 1-2 2H3a2 2 0 0 1-2-2v-3a2 2 0 0 1 2-2zm0 1a1 1 0 0 0-1 1v3a1 1 0 0 0 1 1h10a1 1 0 0 0 1-1v-3a1 1 0 0 0-1-1H3z"/&gt;');// eslint-disable-next-line
var BIconVinyl=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Vinyl','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M8 6a2 2 0 1 0 0 4 2 2 0 0 0 0-4zM4 8a4 4 0 1 1 8 0 4 4 0 0 1-8 0z"/&gt;&lt;path d="M9 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0z"/&gt;');// eslint-disable-next-line
var BIconVinylFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('VinylFill','&lt;path d="M8 6a2 2 0 1 0 0 4 2 2 0 0 0 0-4zm0 3a1 1 0 1 1 0-2 1 1 0 0 1 0 2z"/&gt;&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM4 8a4 4 0 1 0 8 0 4 4 0 0 0-8 0z"/&gt;');// eslint-disable-next-line
var BIconVoicemail=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Voicemail','&lt;path d="M7 8.5A3.49 3.49 0 0 1 5.95 11h4.1a3.5 3.5 0 1 1 2.45 1h-9A3.5 3.5 0 1 1 7 8.5zm-6 0a2.5 2.5 0 1 0 5 0 2.5 2.5 0 0 0-5 0zm14 0a2.5 2.5 0 1 0-5 0 2.5 2.5 0 0 0 5 0z"/&gt;');// eslint-disable-next-line
var BIconVolumeDown=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('VolumeDown','&lt;path d="M9 4a.5.5 0 0 0-.812-.39L5.825 5.5H3.5A.5.5 0 0 0 3 6v4a.5.5 0 0 0 .5.5h2.325l2.363 1.89A.5.5 0 0 0 9 12V4zM6.312 6.39 8 5.04v5.92L6.312 9.61A.5.5 0 0 0 6 9.5H4v-3h2a.5.5 0 0 0 .312-.11zM12.025 8a4.486 4.486 0 0 1-1.318 3.182L10 10.475A3.489 3.489 0 0 0 11.025 8 3.49 3.49 0 0 0 10 5.525l.707-.707A4.486 4.486 0 0 1 12.025 8z"/&gt;');// eslint-disable-next-line
var BIconVolumeDownFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('VolumeDownFill','&lt;path d="M9 4a.5.5 0 0 0-.812-.39L5.825 5.5H3.5A.5.5 0 0 0 3 6v4a.5.5 0 0 0 .5.5h2.325l2.363 1.89A.5.5 0 0 0 9 12V4zm3.025 4a4.486 4.486 0 0 1-1.318 3.182L10 10.475A3.489 3.489 0 0 0 11.025 8 3.49 3.49 0 0 0 10 5.525l.707-.707A4.486 4.486 0 0 1 12.025 8z"/&gt;');// eslint-disable-next-line
var BIconVolumeMute=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('VolumeMute','&lt;path d="M6.717 3.55A.5.5 0 0 1 7 4v8a.5.5 0 0 1-.812.39L3.825 10.5H1.5A.5.5 0 0 1 1 10V6a.5.5 0 0 1 .5-.5h2.325l2.363-1.89a.5.5 0 0 1 .529-.06zM6 5.04 4.312 6.39A.5.5 0 0 1 4 6.5H2v3h2a.5.5 0 0 1 .312.11L6 10.96V5.04zm7.854.606a.5.5 0 0 1 0 .708L12.207 8l1.647 1.646a.5.5 0 0 1-.708.708L11.5 8.707l-1.646 1.647a.5.5 0 0 1-.708-.708L10.793 8 9.146 6.354a.5.5 0 1 1 .708-.708L11.5 7.293l1.646-1.647a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconVolumeMuteFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('VolumeMuteFill','&lt;path d="M6.717 3.55A.5.5 0 0 1 7 4v8a.5.5 0 0 1-.812.39L3.825 10.5H1.5A.5.5 0 0 1 1 10V6a.5.5 0 0 1 .5-.5h2.325l2.363-1.89a.5.5 0 0 1 .529-.06zm7.137 2.096a.5.5 0 0 1 0 .708L12.207 8l1.647 1.646a.5.5 0 0 1-.708.708L11.5 8.707l-1.646 1.647a.5.5 0 0 1-.708-.708L10.793 8 9.146 6.354a.5.5 0 1 1 .708-.708L11.5 7.293l1.646-1.647a.5.5 0 0 1 .708 0z"/&gt;');// eslint-disable-next-line
var BIconVolumeOff=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('VolumeOff','&lt;path d="M10.717 3.55A.5.5 0 0 1 11 4v8a.5.5 0 0 1-.812.39L7.825 10.5H5.5A.5.5 0 0 1 5 10V6a.5.5 0 0 1 .5-.5h2.325l2.363-1.89a.5.5 0 0 1 .529-.06zM10 5.04 8.312 6.39A.5.5 0 0 1 8 6.5H6v3h2a.5.5 0 0 1 .312.11L10 10.96V5.04z"/&gt;');// eslint-disable-next-line
var BIconVolumeOffFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('VolumeOffFill','&lt;path d="M10.717 3.55A.5.5 0 0 1 11 4v8a.5.5 0 0 1-.812.39L7.825 10.5H5.5A.5.5 0 0 1 5 10V6a.5.5 0 0 1 .5-.5h2.325l2.363-1.89a.5.5 0 0 1 .529-.06z"/&gt;');// eslint-disable-next-line
var BIconVolumeUp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('VolumeUp','&lt;path d="M11.536 14.01A8.473 8.473 0 0 0 14.026 8a8.473 8.473 0 0 0-2.49-6.01l-.708.707A7.476 7.476 0 0 1 13.025 8c0 2.071-.84 3.946-2.197 5.303l.708.707z"/&gt;&lt;path d="M10.121 12.596A6.48 6.48 0 0 0 12.025 8a6.48 6.48 0 0 0-1.904-4.596l-.707.707A5.483 5.483 0 0 1 11.025 8a5.483 5.483 0 0 1-1.61 3.89l.706.706z"/&gt;&lt;path d="M10.025 8a4.486 4.486 0 0 1-1.318 3.182L8 10.475A3.489 3.489 0 0 0 9.025 8c0-.966-.392-1.841-1.025-2.475l.707-.707A4.486 4.486 0 0 1 10.025 8zM7 4a.5.5 0 0 0-.812-.39L3.825 5.5H1.5A.5.5 0 0 0 1 6v4a.5.5 0 0 0 .5.5h2.325l2.363 1.89A.5.5 0 0 0 7 12V4zM4.312 6.39 6 5.04v5.92L4.312 9.61A.5.5 0 0 0 4 9.5H2v-3h2a.5.5 0 0 0 .312-.11z"/&gt;');// eslint-disable-next-line
var BIconVolumeUpFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('VolumeUpFill','&lt;path d="M11.536 14.01A8.473 8.473 0 0 0 14.026 8a8.473 8.473 0 0 0-2.49-6.01l-.708.707A7.476 7.476 0 0 1 13.025 8c0 2.071-.84 3.946-2.197 5.303l.708.707z"/&gt;&lt;path d="M10.121 12.596A6.48 6.48 0 0 0 12.025 8a6.48 6.48 0 0 0-1.904-4.596l-.707.707A5.483 5.483 0 0 1 11.025 8a5.483 5.483 0 0 1-1.61 3.89l.706.706z"/&gt;&lt;path d="M8.707 11.182A4.486 4.486 0 0 0 10.025 8a4.486 4.486 0 0 0-1.318-3.182L8 5.525A3.489 3.489 0 0 1 9.025 8 3.49 3.49 0 0 1 8 10.475l.707.707zM6.717 3.55A.5.5 0 0 1 7 4v8a.5.5 0 0 1-.812.39L3.825 10.5H1.5A.5.5 0 0 1 1 10V6a.5.5 0 0 1 .5-.5h2.325l2.363-1.89a.5.5 0 0 1 .529-.06z"/&gt;');// eslint-disable-next-line
var BIconVr=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Vr','&lt;path d="M3 12V4a1 1 0 0 1 1-1h2.5V2H4a2 2 0 0 0-2 2v8a2 2 0 0 0 2 2h2.5v-1H4a1 1 0 0 1-1-1zm6.5 1v1H12a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2H9.5v1H12a1 1 0 0 1 1 1v8a1 1 0 0 1-1 1H9.5zM8 16a.5.5 0 0 1-.5-.5V.5a.5.5 0 0 1 1 0v15a.5.5 0 0 1-.5.5z"/&gt;');// eslint-disable-next-line
var BIconWallet=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Wallet','&lt;path d="M0 3a2 2 0 0 1 2-2h13.5a.5.5 0 0 1 0 1H15v2a1 1 0 0 1 1 1v8.5a1.5 1.5 0 0 1-1.5 1.5h-12A2.5 2.5 0 0 1 0 12.5V3zm1 1.732V12.5A1.5 1.5 0 0 0 2.5 14h12a.5.5 0 0 0 .5-.5V5H2a1.99 1.99 0 0 1-1-.268zM1 3a1 1 0 0 0 1 1h12V2H2a1 1 0 0 0-1 1z"/&gt;');// eslint-disable-next-line
var BIconWallet2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Wallet2','&lt;path d="M12.136.326A1.5 1.5 0 0 1 14 1.78V3h.5A1.5 1.5 0 0 1 16 4.5v9a1.5 1.5 0 0 1-1.5 1.5h-13A1.5 1.5 0 0 1 0 13.5v-9a1.5 1.5 0 0 1 1.432-1.499L12.136.326zM5.562 3H13V1.78a.5.5 0 0 0-.621-.484L5.562 3zM1.5 4a.5.5 0 0 0-.5.5v9a.5.5 0 0 0 .5.5h13a.5.5 0 0 0 .5-.5v-9a.5.5 0 0 0-.5-.5h-13z"/&gt;');// eslint-disable-next-line
var BIconWalletFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('WalletFill','&lt;path d="M1.5 2A1.5 1.5 0 0 0 0 3.5v2h6a.5.5 0 0 1 .5.5c0 .253.08.644.306.958.207.288.557.542 1.194.542.637 0 .987-.254 1.194-.542.226-.314.306-.705.306-.958a.5.5 0 0 1 .5-.5h6v-2A1.5 1.5 0 0 0 14.5 2h-13z"/&gt;&lt;path d="M16 6.5h-5.551a2.678 2.678 0 0 1-.443 1.042C9.613 8.088 8.963 8.5 8 8.5c-.963 0-1.613-.412-2.006-.958A2.679 2.679 0 0 1 5.551 6.5H0v6A1.5 1.5 0 0 0 1.5 14h13a1.5 1.5 0 0 0 1.5-1.5v-6z"/&gt;');// eslint-disable-next-line
var BIconWatch=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Watch','&lt;path d="M8.5 5a.5.5 0 0 0-1 0v2.5H6a.5.5 0 0 0 0 1h2a.5.5 0 0 0 .5-.5V5z"/&gt;&lt;path d="M5.667 16C4.747 16 4 15.254 4 14.333v-1.86A5.985 5.985 0 0 1 2 8c0-1.777.772-3.374 2-4.472V1.667C4 .747 4.746 0 5.667 0h4.666C11.253 0 12 .746 12 1.667v1.86a5.99 5.99 0 0 1 1.918 3.48.502.502 0 0 1 .582.493v1a.5.5 0 0 1-.582.493A5.99 5.99 0 0 1 12 12.473v1.86c0 .92-.746 1.667-1.667 1.667H5.667zM13 8A5 5 0 1 0 3 8a5 5 0 0 0 10 0z"/&gt;');// eslint-disable-next-line
var BIconWater=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Water','&lt;path d="M.036 3.314a.5.5 0 0 1 .65-.278l1.757.703a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.757-.703a.5.5 0 1 1 .372.928l-1.758.703a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0L.314 3.964a.5.5 0 0 1-.278-.65zm0 3a.5.5 0 0 1 .65-.278l1.757.703a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.757-.703a.5.5 0 1 1 .372.928l-1.758.703a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0L.314 6.964a.5.5 0 0 1-.278-.65zm0 3a.5.5 0 0 1 .65-.278l1.757.703a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.757-.703a.5.5 0 1 1 .372.928l-1.758.703a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0L.314 9.964a.5.5 0 0 1-.278-.65zm0 3a.5.5 0 0 1 .65-.278l1.757.703a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.014-.406a2.5 2.5 0 0 1 1.857 0l1.015.406a1.5 1.5 0 0 0 1.114 0l1.757-.703a.5.5 0 1 1 .372.928l-1.758.703a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0l-1.014-.406a1.5 1.5 0 0 0-1.114 0l-1.015.406a2.5 2.5 0 0 1-1.857 0l-1.757-.703a.5.5 0 0 1-.278-.65z"/&gt;');// eslint-disable-next-line
var BIconWhatsapp=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Whatsapp','&lt;path d="M13.601 2.326A7.854 7.854 0 0 0 7.994 0C3.627 0 .068 3.558.064 7.926c0 1.399.366 2.76 1.057 3.965L0 16l4.204-1.102a7.933 7.933 0 0 0 3.79.965h.004c4.368 0 7.926-3.558 7.93-7.93A7.898 7.898 0 0 0 13.6 2.326zM7.994 14.521a6.573 6.573 0 0 1-3.356-.92l-.24-.144-2.494.654.666-2.433-.156-.251a6.56 6.56 0 0 1-1.007-3.505c0-3.626 2.957-6.584 6.591-6.584a6.56 6.56 0 0 1 4.66 1.931 6.557 6.557 0 0 1 1.928 4.66c-.004 3.639-2.961 6.592-6.592 6.592zm3.615-4.934c-.197-.099-1.17-.578-1.353-.646-.182-.065-.315-.099-.445.099-.133.197-.513.646-.627.775-.114.133-.232.148-.43.05-.197-.1-.836-.308-1.592-.985-.59-.525-.985-1.175-1.103-1.372-.114-.198-.011-.304.088-.403.087-.088.197-.232.296-.346.1-.114.133-.198.198-.33.065-.134.034-.248-.015-.347-.05-.099-.445-1.076-.612-1.47-.16-.389-.323-.335-.445-.34-.114-.007-.247-.007-.38-.007a.729.729 0 0 0-.529.247c-.182.198-.691.677-.691 1.654 0 .977.71 1.916.81 2.049.098.133 1.394 2.132 3.383 2.992.47.205.84.326 1.129.418.475.152.904.129 1.246.08.38-.058 1.171-.48 1.338-.943.164-.464.164-.86.114-.943-.049-.084-.182-.133-.38-.232z"/&gt;');// eslint-disable-next-line
var BIconWifi=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Wifi','&lt;path d="M15.384 6.115a.485.485 0 0 0-.047-.736A12.444 12.444 0 0 0 8 3C5.259 3 2.723 3.882.663 5.379a.485.485 0 0 0-.048.736.518.518 0 0 0 .668.05A11.448 11.448 0 0 1 8 4c2.507 0 4.827.802 6.716 2.164.205.148.49.13.668-.049z"/&gt;&lt;path d="M13.229 8.271a.482.482 0 0 0-.063-.745A9.455 9.455 0 0 0 8 6c-1.905 0-3.68.56-5.166 1.526a.48.48 0 0 0-.063.745.525.525 0 0 0 .652.065A8.46 8.46 0 0 1 8 7a8.46 8.46 0 0 1 4.576 1.336c.206.132.48.108.653-.065zm-2.183 2.183c.226-.226.185-.605-.1-.75A6.473 6.473 0 0 0 8 9c-1.06 0-2.062.254-2.946.704-.285.145-.326.524-.1.75l.015.015c.16.16.407.19.611.09A5.478 5.478 0 0 1 8 10c.868 0 1.69.201 2.42.56.203.1.45.07.61-.091l.016-.015zM9.06 12.44c.196-.196.198-.52-.04-.66A1.99 1.99 0 0 0 8 11.5a1.99 1.99 0 0 0-1.02.28c-.238.14-.236.464-.04.66l.706.706a.5.5 0 0 0 .707 0l.707-.707z"/&gt;');// eslint-disable-next-line
var BIconWifi1=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Wifi1','&lt;path d="M11.046 10.454c.226-.226.185-.605-.1-.75A6.473 6.473 0 0 0 8 9c-1.06 0-2.062.254-2.946.704-.285.145-.326.524-.1.75l.015.015c.16.16.407.19.611.09A5.478 5.478 0 0 1 8 10c.868 0 1.69.201 2.42.56.203.1.45.07.611-.091l.015-.015zM9.06 12.44c.196-.196.198-.52-.04-.66A1.99 1.99 0 0 0 8 11.5a1.99 1.99 0 0 0-1.02.28c-.238.14-.236.464-.04.66l.706.706a.5.5 0 0 0 .707 0l.708-.707z"/&gt;');// eslint-disable-next-line
var BIconWifi2=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Wifi2','&lt;path d="M13.229 8.271c.216-.216.194-.578-.063-.745A9.456 9.456 0 0 0 8 6c-1.905 0-3.68.56-5.166 1.526a.48.48 0 0 0-.063.745.525.525 0 0 0 .652.065A8.46 8.46 0 0 1 8 7a8.46 8.46 0 0 1 4.577 1.336c.205.132.48.108.652-.065zm-2.183 2.183c.226-.226.185-.605-.1-.75A6.473 6.473 0 0 0 8 9c-1.06 0-2.062.254-2.946.704-.285.145-.326.524-.1.75l.015.015c.16.16.408.19.611.09A5.478 5.478 0 0 1 8 10c.868 0 1.69.201 2.42.56.203.1.45.07.611-.091l.015-.015zM9.06 12.44c.196-.196.198-.52-.04-.66A1.99 1.99 0 0 0 8 11.5a1.99 1.99 0 0 0-1.02.28c-.238.14-.236.464-.04.66l.706.706a.5.5 0 0 0 .708 0l.707-.707z"/&gt;');// eslint-disable-next-line
var BIconWifiOff=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('WifiOff','&lt;path d="M10.706 3.294A12.545 12.545 0 0 0 8 3C5.259 3 2.723 3.882.663 5.379a.485.485 0 0 0-.048.736.518.518 0 0 0 .668.05A11.448 11.448 0 0 1 8 4c.63 0 1.249.05 1.852.148l.854-.854zM8 6c-1.905 0-3.68.56-5.166 1.526a.48.48 0 0 0-.063.745.525.525 0 0 0 .652.065 8.448 8.448 0 0 1 3.51-1.27L8 6zm2.596 1.404.785-.785c.63.24 1.227.545 1.785.907a.482.482 0 0 1 .063.745.525.525 0 0 1-.652.065 8.462 8.462 0 0 0-1.98-.932zM8 10l.933-.933a6.455 6.455 0 0 1 2.013.637c.285.145.326.524.1.75l-.015.015a.532.532 0 0 1-.611.09A5.478 5.478 0 0 0 8 10zm4.905-4.905.747-.747c.59.3 1.153.645 1.685 1.03a.485.485 0 0 1 .047.737.518.518 0 0 1-.668.05 11.493 11.493 0 0 0-1.811-1.07zM9.02 11.78c.238.14.236.464.04.66l-.707.706a.5.5 0 0 1-.707 0l-.707-.707c-.195-.195-.197-.518.04-.66A1.99 1.99 0 0 1 8 11.5c.374 0 .723.102 1.021.28zm4.355-9.905a.53.53 0 0 1 .75.75l-10.75 10.75a.53.53 0 0 1-.75-.75l10.75-10.75z"/&gt;');// eslint-disable-next-line
var BIconWind=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Wind','&lt;path d="M12.5 2A2.5 2.5 0 0 0 10 4.5a.5.5 0 0 1-1 0A3.5 3.5 0 1 1 12.5 8H.5a.5.5 0 0 1 0-1h12a2.5 2.5 0 0 0 0-5zm-7 1a1 1 0 0 0-1 1 .5.5 0 0 1-1 0 2 2 0 1 1 2 2h-5a.5.5 0 0 1 0-1h5a1 1 0 0 0 0-2zM0 9.5A.5.5 0 0 1 .5 9h10.042a3 3 0 1 1-3 3 .5.5 0 0 1 1 0 2 2 0 1 0 2-2H.5a.5.5 0 0 1-.5-.5z"/&gt;');// eslint-disable-next-line
var BIconWindow=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Window','&lt;path d="M2.5 4a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1zm2-.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm1 .5a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1z"/&gt;&lt;path d="M2 1a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V3a2 2 0 0 0-2-2H2zm13 2v2H1V3a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1zM2 14a1 1 0 0 1-1-1V6h14v7a1 1 0 0 1-1 1H2z"/&gt;');// eslint-disable-next-line
var BIconWindowDock=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('WindowDock','&lt;path fill-rule="evenodd" d="M15 5H1v8a1 1 0 0 0 1 1h12a1 1 0 0 0 1-1V5zm0-1H1V3a1 1 0 0 1 1-1h12a1 1 0 0 1 1 1v1zm1-1a2 2 0 0 0-2-2H2a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V3z"/&gt;&lt;path d="M3 11.5a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm4 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1zm4 0a.5.5 0 0 1 .5-.5h1a.5.5 0 0 1 .5.5v1a.5.5 0 0 1-.5.5h-1a.5.5 0 0 1-.5-.5v-1z"/&gt;');// eslint-disable-next-line
var BIconWindowSidebar=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('WindowSidebar','&lt;path d="M2.5 4a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1zm2-.5a.5.5 0 1 1-1 0 .5.5 0 0 1 1 0zm1 .5a.5.5 0 1 0 0-1 .5.5 0 0 0 0 1z"/&gt;&lt;path d="M2 1a2 2 0 0 0-2 2v10a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V3a2 2 0 0 0-2-2H2zm12 1a1 1 0 0 1 1 1v2H1V3a1 1 0 0 1 1-1h12zM1 13V6h4v8H2a1 1 0 0 1-1-1zm5 1V6h9v7a1 1 0 0 1-1 1H6z"/&gt;');// eslint-disable-next-line
var BIconWrench=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Wrench','&lt;path d="M.102 2.223A3.004 3.004 0 0 0 3.78 5.897l6.341 6.252A3.003 3.003 0 0 0 13 16a3 3 0 1 0-.851-5.878L5.897 3.781A3.004 3.004 0 0 0 2.223.1l2.141 2.142L4 4l-1.757.364L.102 2.223zm13.37 9.019.528.026.287.445.445.287.026.529L15 13l-.242.471-.026.529-.445.287-.287.445-.529.026L13 15l-.471-.242-.529-.026-.287-.445-.445-.287-.026-.529L11 13l.242-.471.026-.529.445-.287.287-.445.529-.026L13 11l.471.242z"/&gt;');// eslint-disable-next-line
var BIconX=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('X','&lt;path d="M4.646 4.646a.5.5 0 0 1 .708 0L8 7.293l2.646-2.647a.5.5 0 0 1 .708.708L8.707 8l2.647 2.646a.5.5 0 0 1-.708.708L8 8.707l-2.646 2.647a.5.5 0 0 1-.708-.708L7.293 8 4.646 5.354a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconXCircle=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('XCircle','&lt;path d="M8 15A7 7 0 1 1 8 1a7 7 0 0 1 0 14zm0 1A8 8 0 1 0 8 0a8 8 0 0 0 0 16z"/&gt;&lt;path d="M4.646 4.646a.5.5 0 0 1 .708 0L8 7.293l2.646-2.647a.5.5 0 0 1 .708.708L8.707 8l2.647 2.646a.5.5 0 0 1-.708.708L8 8.707l-2.646 2.647a.5.5 0 0 1-.708-.708L7.293 8 4.646 5.354a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconXCircleFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('XCircleFill','&lt;path d="M16 8A8 8 0 1 1 0 8a8 8 0 0 1 16 0zM5.354 4.646a.5.5 0 1 0-.708.708L7.293 8l-2.647 2.646a.5.5 0 0 0 .708.708L8 8.707l2.646 2.647a.5.5 0 0 0 .708-.708L8.707 8l2.647-2.646a.5.5 0 0 0-.708-.708L8 7.293 5.354 4.646z"/&gt;');// eslint-disable-next-line
var BIconXDiamond=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('XDiamond','&lt;path d="M7.987 16a1.526 1.526 0 0 1-1.07-.448L.45 9.082a1.531 1.531 0 0 1 0-2.165L6.917.45a1.531 1.531 0 0 1 2.166 0l6.469 6.468A1.526 1.526 0 0 1 16 8.013a1.526 1.526 0 0 1-.448 1.07l-6.47 6.469A1.526 1.526 0 0 1 7.988 16zM7.639 1.17 4.766 4.044 8 7.278l3.234-3.234L8.361 1.17a.51.51 0 0 0-.722 0zM8.722 8l3.234 3.234 2.873-2.873c.2-.2.2-.523 0-.722l-2.873-2.873L8.722 8zM8 8.722l-3.234 3.234 2.873 2.873c.2.2.523.2.722 0l2.873-2.873L8 8.722zM7.278 8 4.044 4.766 1.17 7.639a.511.511 0 0 0 0 .722l2.874 2.873L7.278 8z"/&gt;');// eslint-disable-next-line
var BIconXDiamondFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('XDiamondFill','&lt;path d="M9.05.435c-.58-.58-1.52-.58-2.1 0L4.047 3.339 8 7.293l3.954-3.954L9.049.435zm3.61 3.611L8.708 8l3.954 3.954 2.904-2.905c.58-.58.58-1.519 0-2.098l-2.904-2.905zm-.706 8.614L8 8.708l-3.954 3.954 2.905 2.904c.58.58 1.519.58 2.098 0l2.905-2.904zm-8.614-.706L7.292 8 3.339 4.046.435 6.951c-.58.58-.58 1.519 0 2.098l2.904 2.905z"/&gt;');// eslint-disable-next-line
var BIconXLg=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('XLg','&lt;path d="M1.293 1.293a1 1 0 0 1 1.414 0L8 6.586l5.293-5.293a1 1 0 1 1 1.414 1.414L9.414 8l5.293 5.293a1 1 0 0 1-1.414 1.414L8 9.414l-5.293 5.293a1 1 0 0 1-1.414-1.414L6.586 8 1.293 2.707a1 1 0 0 1 0-1.414z"/&gt;');// eslint-disable-next-line
var BIconXOctagon=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('XOctagon','&lt;path d="M4.54.146A.5.5 0 0 1 4.893 0h6.214a.5.5 0 0 1 .353.146l4.394 4.394a.5.5 0 0 1 .146.353v6.214a.5.5 0 0 1-.146.353l-4.394 4.394a.5.5 0 0 1-.353.146H4.893a.5.5 0 0 1-.353-.146L.146 11.46A.5.5 0 0 1 0 11.107V4.893a.5.5 0 0 1 .146-.353L4.54.146zM5.1 1 1 5.1v5.8L5.1 15h5.8l4.1-4.1V5.1L10.9 1H5.1z"/&gt;&lt;path d="M4.646 4.646a.5.5 0 0 1 .708 0L8 7.293l2.646-2.647a.5.5 0 0 1 .708.708L8.707 8l2.647 2.646a.5.5 0 0 1-.708.708L8 8.707l-2.646 2.647a.5.5 0 0 1-.708-.708L7.293 8 4.646 5.354a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconXOctagonFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('XOctagonFill','&lt;path d="M11.46.146A.5.5 0 0 0 11.107 0H4.893a.5.5 0 0 0-.353.146L.146 4.54A.5.5 0 0 0 0 4.893v6.214a.5.5 0 0 0 .146.353l4.394 4.394a.5.5 0 0 0 .353.146h6.214a.5.5 0 0 0 .353-.146l4.394-4.394a.5.5 0 0 0 .146-.353V4.893a.5.5 0 0 0-.146-.353L11.46.146zm-6.106 4.5L8 7.293l2.646-2.647a.5.5 0 0 1 .708.708L8.707 8l2.647 2.646a.5.5 0 0 1-.708.708L8 8.707l-2.646 2.647a.5.5 0 0 1-.708-.708L7.293 8 4.646 5.354a.5.5 0 1 1 .708-.708z"/&gt;');// eslint-disable-next-line
var BIconXSquare=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('XSquare','&lt;path d="M14 1a1 1 0 0 1 1 1v12a1 1 0 0 1-1 1H2a1 1 0 0 1-1-1V2a1 1 0 0 1 1-1h12zM2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2z"/&gt;&lt;path d="M4.646 4.646a.5.5 0 0 1 .708 0L8 7.293l2.646-2.647a.5.5 0 0 1 .708.708L8.707 8l2.647 2.646a.5.5 0 0 1-.708.708L8 8.707l-2.646 2.647a.5.5 0 0 1-.708-.708L7.293 8 4.646 5.354a.5.5 0 0 1 0-.708z"/&gt;');// eslint-disable-next-line
var BIconXSquareFill=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('XSquareFill','&lt;path d="M2 0a2 2 0 0 0-2 2v12a2 2 0 0 0 2 2h12a2 2 0 0 0 2-2V2a2 2 0 0 0-2-2H2zm3.354 4.646L8 7.293l2.646-2.647a.5.5 0 0 1 .708.708L8.707 8l2.647 2.646a.5.5 0 0 1-.708.708L8 8.707l-2.646 2.647a.5.5 0 0 1-.708-.708L7.293 8 4.646 5.354a.5.5 0 1 1 .708-.708z"/&gt;');// eslint-disable-next-line
var BIconYoutube=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('Youtube','&lt;path d="M8.051 1.999h.089c.822.003 4.987.033 6.11.335a2.01 2.01 0 0 1 1.415 1.42c.101.38.172.883.22 1.402l.01.104.022.26.008.104c.065.914.073 1.77.074 1.957v.075c-.001.194-.01 1.108-.082 2.06l-.008.105-.009.104c-.05.572-.124 1.14-.235 1.558a2.007 2.007 0 0 1-1.415 1.42c-1.16.312-5.569.334-6.18.335h-.142c-.309 0-1.587-.006-2.927-.052l-.17-.006-.087-.004-.171-.007-.171-.007c-1.11-.049-2.167-.128-2.654-.26a2.007 2.007 0 0 1-1.415-1.419c-.111-.417-.185-.986-.235-1.558L.09 9.82l-.008-.104A31.4 31.4 0 0 1 0 7.68v-.123c.002-.215.01-.958.064-1.778l.007-.103.003-.052.008-.104.022-.26.01-.104c.048-.519.119-1.023.22-1.402a2.007 2.007 0 0 1 1.415-1.42c.487-.13 1.544-.21 2.654-.26l.17-.007.172-.006.086-.003.171-.007A99.788 99.788 0 0 1 7.858 2h.193zM6.4 5.209v4.818l4.157-2.408L6.4 5.209z"/&gt;');// eslint-disable-next-line
var BIconZoomIn=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ZoomIn','&lt;path fill-rule="evenodd" d="M6.5 12a5.5 5.5 0 1 0 0-11 5.5 5.5 0 0 0 0 11zM13 6.5a6.5 6.5 0 1 1-13 0 6.5 6.5 0 0 1 13 0z"/&gt;&lt;path d="M10.344 11.742c.03.04.062.078.098.115l3.85 3.85a1 1 0 0 0 1.415-1.414l-3.85-3.85a1.007 1.007 0 0 0-.115-.1 6.538 6.538 0 0 1-1.398 1.4z"/&gt;&lt;path fill-rule="evenodd" d="M6.5 3a.5.5 0 0 1 .5.5V6h2.5a.5.5 0 0 1 0 1H7v2.5a.5.5 0 0 1-1 0V7H3.5a.5.5 0 0 1 0-1H6V3.5a.5.5 0 0 1 .5-.5z"/&gt;');// eslint-disable-next-line
var BIconZoomOut=/*#__PURE__*/(0,_helpers_make_icon__WEBPACK_IMPORTED_MODULE_0__.makeIcon)('ZoomOut','&lt;path fill-rule="evenodd" d="M6.5 12a5.5 5.5 0 1 0 0-11 5.5 5.5 0 0 0 0 11zM13 6.5a6.5 6.5 0 1 1-13 0 6.5 6.5 0 0 1 13 0z"/&gt;&lt;path d="M10.344 11.742c.03.04.062.078.098.115l3.85 3.85a1 1 0 0 0 1.415-1.414l-3.85-3.85a1.007 1.007 0 0 0-.115-.1 6.538 6.538 0 0 1-1.398 1.4z"/&gt;&lt;path fill-rule="evenodd" d="M3 6.5a.5.5 0 0 1 .5-.5h6a.5.5 0 0 1 0 1h-6a.5.5 0 0 1-.5-.5z"/&gt;');// --- END AUTO-GENERATED FILE ---

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/icons/iconstack.js":
/*!***********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/icons/iconstack.js ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BIconstack: () =&gt; (/* binding */ BIconstack),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../vue */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _helpers_icon_base__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./helpers/icon-base */ "./node_modules/bootstrap-vue/esm/icons/helpers/icon-base.js");




 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.omit)(_helpers_icon_base__WEBPACK_IMPORTED_MODULE_2__.props, ['content', 'stacked']), _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_ICONSTACK); // --- Main component ---
// @vue/component

var BIconstack = /*#__PURE__*/(0,_vue__WEBPACK_IMPORTED_MODULE_4__.extend)({
  name: _constants_components__WEBPACK_IMPORTED_MODULE_3__.NAME_ICONSTACK,
  functional: true,
  props: props,
  render: function render(h, _ref) {
    var data = _ref.data,
        props = _ref.props,
        children = _ref.children;
    return h(_helpers_icon_base__WEBPACK_IMPORTED_MODULE_2__.BVIconBase, (0,_vue__WEBPACK_IMPORTED_MODULE_5__.mergeData)(data, {
      staticClass: 'b-iconstack',
      props: props
    }), children);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/icons/plugin.js":
/*!********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/icons/plugin.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BootstrapVueIcons: () =&gt; (/* binding */ BootstrapVueIcons),
/* harmony export */   IconsPlugin: () =&gt; (/* binding */ IconsPlugin),
/* harmony export */   iconNames: () =&gt; (/* binding */ iconNames)
/* harmony export */ });
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");
/* harmony import */ var _icon__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./icon */ "./node_modules/bootstrap-vue/esm/icons/icon.js");
/* harmony import */ var _iconstack__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./iconstack */ "./node_modules/bootstrap-vue/esm/icons/iconstack.js");
/* harmony import */ var _icons__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
// --- BEGIN AUTO-GENERATED FILE ---
//
// @IconsVersion: 1.5.0
// @Generated: 2022-10-26T01:10:52.933Z
//
// This file is generated on each build. Do not edit this file!
 // Icon helper component

 // Icon stacking component


 // Icon component names for used in the docs

var iconNames = [// BootstrapVue custom icon component names
'BIconBlank', // Bootstrap icon component names
'BIconAlarm', 'BIconAlarmFill', 'BIconAlignBottom', 'BIconAlignCenter', 'BIconAlignEnd', 'BIconAlignMiddle', 'BIconAlignStart', 'BIconAlignTop', 'BIconAlt', 'BIconApp', 'BIconAppIndicator', 'BIconArchive', 'BIconArchiveFill', 'BIconArrow90degDown', 'BIconArrow90degLeft', 'BIconArrow90degRight', 'BIconArrow90degUp', 'BIconArrowBarDown', 'BIconArrowBarLeft', 'BIconArrowBarRight', 'BIconArrowBarUp', 'BIconArrowClockwise', 'BIconArrowCounterclockwise', 'BIconArrowDown', 'BIconArrowDownCircle', 'BIconArrowDownCircleFill', 'BIconArrowDownLeft', 'BIconArrowDownLeftCircle', 'BIconArrowDownLeftCircleFill', 'BIconArrowDownLeftSquare', 'BIconArrowDownLeftSquareFill', 'BIconArrowDownRight', 'BIconArrowDownRightCircle', 'BIconArrowDownRightCircleFill', 'BIconArrowDownRightSquare', 'BIconArrowDownRightSquareFill', 'BIconArrowDownShort', 'BIconArrowDownSquare', 'BIconArrowDownSquareFill', 'BIconArrowDownUp', 'BIconArrowLeft', 'BIconArrowLeftCircle', 'BIconArrowLeftCircleFill', 'BIconArrowLeftRight', 'BIconArrowLeftShort', 'BIconArrowLeftSquare', 'BIconArrowLeftSquareFill', 'BIconArrowRepeat', 'BIconArrowReturnLeft', 'BIconArrowReturnRight', 'BIconArrowRight', 'BIconArrowRightCircle', 'BIconArrowRightCircleFill', 'BIconArrowRightShort', 'BIconArrowRightSquare', 'BIconArrowRightSquareFill', 'BIconArrowUp', 'BIconArrowUpCircle', 'BIconArrowUpCircleFill', 'BIconArrowUpLeft', 'BIconArrowUpLeftCircle', 'BIconArrowUpLeftCircleFill', 'BIconArrowUpLeftSquare', 'BIconArrowUpLeftSquareFill', 'BIconArrowUpRight', 'BIconArrowUpRightCircle', 'BIconArrowUpRightCircleFill', 'BIconArrowUpRightSquare', 'BIconArrowUpRightSquareFill', 'BIconArrowUpShort', 'BIconArrowUpSquare', 'BIconArrowUpSquareFill', 'BIconArrowsAngleContract', 'BIconArrowsAngleExpand', 'BIconArrowsCollapse', 'BIconArrowsExpand', 'BIconArrowsFullscreen', 'BIconArrowsMove', 'BIconAspectRatio', 'BIconAspectRatioFill', 'BIconAsterisk', 'BIconAt', 'BIconAward', 'BIconAwardFill', 'BIconBack', 'BIconBackspace', 'BIconBackspaceFill', 'BIconBackspaceReverse', 'BIconBackspaceReverseFill', 'BIconBadge3d', 'BIconBadge3dFill', 'BIconBadge4k', 'BIconBadge4kFill', 'BIconBadge8k', 'BIconBadge8kFill', 'BIconBadgeAd', 'BIconBadgeAdFill', 'BIconBadgeAr', 'BIconBadgeArFill', 'BIconBadgeCc', 'BIconBadgeCcFill', 'BIconBadgeHd', 'BIconBadgeHdFill', 'BIconBadgeTm', 'BIconBadgeTmFill', 'BIconBadgeVo', 'BIconBadgeVoFill', 'BIconBadgeVr', 'BIconBadgeVrFill', 'BIconBadgeWc', 'BIconBadgeWcFill', 'BIconBag', 'BIconBagCheck', 'BIconBagCheckFill', 'BIconBagDash', 'BIconBagDashFill', 'BIconBagFill', 'BIconBagPlus', 'BIconBagPlusFill', 'BIconBagX', 'BIconBagXFill', 'BIconBank', 'BIconBank2', 'BIconBarChart', 'BIconBarChartFill', 'BIconBarChartLine', 'BIconBarChartLineFill', 'BIconBarChartSteps', 'BIconBasket', 'BIconBasket2', 'BIconBasket2Fill', 'BIconBasket3', 'BIconBasket3Fill', 'BIconBasketFill', 'BIconBattery', 'BIconBatteryCharging', 'BIconBatteryFull', 'BIconBatteryHalf', 'BIconBell', 'BIconBellFill', 'BIconBellSlash', 'BIconBellSlashFill', 'BIconBezier', 'BIconBezier2', 'BIconBicycle', 'BIconBinoculars', 'BIconBinocularsFill', 'BIconBlockquoteLeft', 'BIconBlockquoteRight', 'BIconBook', 'BIconBookFill', 'BIconBookHalf', 'BIconBookmark', 'BIconBookmarkCheck', 'BIconBookmarkCheckFill', 'BIconBookmarkDash', 'BIconBookmarkDashFill', 'BIconBookmarkFill', 'BIconBookmarkHeart', 'BIconBookmarkHeartFill', 'BIconBookmarkPlus', 'BIconBookmarkPlusFill', 'BIconBookmarkStar', 'BIconBookmarkStarFill', 'BIconBookmarkX', 'BIconBookmarkXFill', 'BIconBookmarks', 'BIconBookmarksFill', 'BIconBookshelf', 'BIconBootstrap', 'BIconBootstrapFill', 'BIconBootstrapReboot', 'BIconBorder', 'BIconBorderAll', 'BIconBorderBottom', 'BIconBorderCenter', 'BIconBorderInner', 'BIconBorderLeft', 'BIconBorderMiddle', 'BIconBorderOuter', 'BIconBorderRight', 'BIconBorderStyle', 'BIconBorderTop', 'BIconBorderWidth', 'BIconBoundingBox', 'BIconBoundingBoxCircles', 'BIconBox', 'BIconBoxArrowDown', 'BIconBoxArrowDownLeft', 'BIconBoxArrowDownRight', 'BIconBoxArrowInDown', 'BIconBoxArrowInDownLeft', 'BIconBoxArrowInDownRight', 'BIconBoxArrowInLeft', 'BIconBoxArrowInRight', 'BIconBoxArrowInUp', 'BIconBoxArrowInUpLeft', 'BIconBoxArrowInUpRight', 'BIconBoxArrowLeft', 'BIconBoxArrowRight', 'BIconBoxArrowUp', 'BIconBoxArrowUpLeft', 'BIconBoxArrowUpRight', 'BIconBoxSeam', 'BIconBraces', 'BIconBricks', 'BIconBriefcase', 'BIconBriefcaseFill', 'BIconBrightnessAltHigh', 'BIconBrightnessAltHighFill', 'BIconBrightnessAltLow', 'BIconBrightnessAltLowFill', 'BIconBrightnessHigh', 'BIconBrightnessHighFill', 'BIconBrightnessLow', 'BIconBrightnessLowFill', 'BIconBroadcast', 'BIconBroadcastPin', 'BIconBrush', 'BIconBrushFill', 'BIconBucket', 'BIconBucketFill', 'BIconBug', 'BIconBugFill', 'BIconBuilding', 'BIconBullseye', 'BIconCalculator', 'BIconCalculatorFill', 'BIconCalendar', 'BIconCalendar2', 'BIconCalendar2Check', 'BIconCalendar2CheckFill', 'BIconCalendar2Date', 'BIconCalendar2DateFill', 'BIconCalendar2Day', 'BIconCalendar2DayFill', 'BIconCalendar2Event', 'BIconCalendar2EventFill', 'BIconCalendar2Fill', 'BIconCalendar2Minus', 'BIconCalendar2MinusFill', 'BIconCalendar2Month', 'BIconCalendar2MonthFill', 'BIconCalendar2Plus', 'BIconCalendar2PlusFill', 'BIconCalendar2Range', 'BIconCalendar2RangeFill', 'BIconCalendar2Week', 'BIconCalendar2WeekFill', 'BIconCalendar2X', 'BIconCalendar2XFill', 'BIconCalendar3', 'BIconCalendar3Event', 'BIconCalendar3EventFill', 'BIconCalendar3Fill', 'BIconCalendar3Range', 'BIconCalendar3RangeFill', 'BIconCalendar3Week', 'BIconCalendar3WeekFill', 'BIconCalendar4', 'BIconCalendar4Event', 'BIconCalendar4Range', 'BIconCalendar4Week', 'BIconCalendarCheck', 'BIconCalendarCheckFill', 'BIconCalendarDate', 'BIconCalendarDateFill', 'BIconCalendarDay', 'BIconCalendarDayFill', 'BIconCalendarEvent', 'BIconCalendarEventFill', 'BIconCalendarFill', 'BIconCalendarMinus', 'BIconCalendarMinusFill', 'BIconCalendarMonth', 'BIconCalendarMonthFill', 'BIconCalendarPlus', 'BIconCalendarPlusFill', 'BIconCalendarRange', 'BIconCalendarRangeFill', 'BIconCalendarWeek', 'BIconCalendarWeekFill', 'BIconCalendarX', 'BIconCalendarXFill', 'BIconCamera', 'BIconCamera2', 'BIconCameraFill', 'BIconCameraReels', 'BIconCameraReelsFill', 'BIconCameraVideo', 'BIconCameraVideoFill', 'BIconCameraVideoOff', 'BIconCameraVideoOffFill', 'BIconCapslock', 'BIconCapslockFill', 'BIconCardChecklist', 'BIconCardHeading', 'BIconCardImage', 'BIconCardList', 'BIconCardText', 'BIconCaretDown', 'BIconCaretDownFill', 'BIconCaretDownSquare', 'BIconCaretDownSquareFill', 'BIconCaretLeft', 'BIconCaretLeftFill', 'BIconCaretLeftSquare', 'BIconCaretLeftSquareFill', 'BIconCaretRight', 'BIconCaretRightFill', 'BIconCaretRightSquare', 'BIconCaretRightSquareFill', 'BIconCaretUp', 'BIconCaretUpFill', 'BIconCaretUpSquare', 'BIconCaretUpSquareFill', 'BIconCart', 'BIconCart2', 'BIconCart3', 'BIconCart4', 'BIconCartCheck', 'BIconCartCheckFill', 'BIconCartDash', 'BIconCartDashFill', 'BIconCartFill', 'BIconCartPlus', 'BIconCartPlusFill', 'BIconCartX', 'BIconCartXFill', 'BIconCash', 'BIconCashCoin', 'BIconCashStack', 'BIconCast', 'BIconChat', 'BIconChatDots', 'BIconChatDotsFill', 'BIconChatFill', 'BIconChatLeft', 'BIconChatLeftDots', 'BIconChatLeftDotsFill', 'BIconChatLeftFill', 'BIconChatLeftQuote', 'BIconChatLeftQuoteFill', 'BIconChatLeftText', 'BIconChatLeftTextFill', 'BIconChatQuote', 'BIconChatQuoteFill', 'BIconChatRight', 'BIconChatRightDots', 'BIconChatRightDotsFill', 'BIconChatRightFill', 'BIconChatRightQuote', 'BIconChatRightQuoteFill', 'BIconChatRightText', 'BIconChatRightTextFill', 'BIconChatSquare', 'BIconChatSquareDots', 'BIconChatSquareDotsFill', 'BIconChatSquareFill', 'BIconChatSquareQuote', 'BIconChatSquareQuoteFill', 'BIconChatSquareText', 'BIconChatSquareTextFill', 'BIconChatText', 'BIconChatTextFill', 'BIconCheck', 'BIconCheck2', 'BIconCheck2All', 'BIconCheck2Circle', 'BIconCheck2Square', 'BIconCheckAll', 'BIconCheckCircle', 'BIconCheckCircleFill', 'BIconCheckLg', 'BIconCheckSquare', 'BIconCheckSquareFill', 'BIconChevronBarContract', 'BIconChevronBarDown', 'BIconChevronBarExpand', 'BIconChevronBarLeft', 'BIconChevronBarRight', 'BIconChevronBarUp', 'BIconChevronCompactDown', 'BIconChevronCompactLeft', 'BIconChevronCompactRight', 'BIconChevronCompactUp', 'BIconChevronContract', 'BIconChevronDoubleDown', 'BIconChevronDoubleLeft', 'BIconChevronDoubleRight', 'BIconChevronDoubleUp', 'BIconChevronDown', 'BIconChevronExpand', 'BIconChevronLeft', 'BIconChevronRight', 'BIconChevronUp', 'BIconCircle', 'BIconCircleFill', 'BIconCircleHalf', 'BIconCircleSquare', 'BIconClipboard', 'BIconClipboardCheck', 'BIconClipboardData', 'BIconClipboardMinus', 'BIconClipboardPlus', 'BIconClipboardX', 'BIconClock', 'BIconClockFill', 'BIconClockHistory', 'BIconCloud', 'BIconCloudArrowDown', 'BIconCloudArrowDownFill', 'BIconCloudArrowUp', 'BIconCloudArrowUpFill', 'BIconCloudCheck', 'BIconCloudCheckFill', 'BIconCloudDownload', 'BIconCloudDownloadFill', 'BIconCloudDrizzle', 'BIconCloudDrizzleFill', 'BIconCloudFill', 'BIconCloudFog', 'BIconCloudFog2', 'BIconCloudFog2Fill', 'BIconCloudFogFill', 'BIconCloudHail', 'BIconCloudHailFill', 'BIconCloudHaze', 'BIconCloudHaze1', 'BIconCloudHaze2Fill', 'BIconCloudHazeFill', 'BIconCloudLightning', 'BIconCloudLightningFill', 'BIconCloudLightningRain', 'BIconCloudLightningRainFill', 'BIconCloudMinus', 'BIconCloudMinusFill', 'BIconCloudMoon', 'BIconCloudMoonFill', 'BIconCloudPlus', 'BIconCloudPlusFill', 'BIconCloudRain', 'BIconCloudRainFill', 'BIconCloudRainHeavy', 'BIconCloudRainHeavyFill', 'BIconCloudSlash', 'BIconCloudSlashFill', 'BIconCloudSleet', 'BIconCloudSleetFill', 'BIconCloudSnow', 'BIconCloudSnowFill', 'BIconCloudSun', 'BIconCloudSunFill', 'BIconCloudUpload', 'BIconCloudUploadFill', 'BIconClouds', 'BIconCloudsFill', 'BIconCloudy', 'BIconCloudyFill', 'BIconCode', 'BIconCodeSlash', 'BIconCodeSquare', 'BIconCoin', 'BIconCollection', 'BIconCollectionFill', 'BIconCollectionPlay', 'BIconCollectionPlayFill', 'BIconColumns', 'BIconColumnsGap', 'BIconCommand', 'BIconCompass', 'BIconCompassFill', 'BIconCone', 'BIconConeStriped', 'BIconController', 'BIconCpu', 'BIconCpuFill', 'BIconCreditCard', 'BIconCreditCard2Back', 'BIconCreditCard2BackFill', 'BIconCreditCard2Front', 'BIconCreditCard2FrontFill', 'BIconCreditCardFill', 'BIconCrop', 'BIconCup', 'BIconCupFill', 'BIconCupStraw', 'BIconCurrencyBitcoin', 'BIconCurrencyDollar', 'BIconCurrencyEuro', 'BIconCurrencyExchange', 'BIconCurrencyPound', 'BIconCurrencyYen', 'BIconCursor', 'BIconCursorFill', 'BIconCursorText', 'BIconDash', 'BIconDashCircle', 'BIconDashCircleDotted', 'BIconDashCircleFill', 'BIconDashLg', 'BIconDashSquare', 'BIconDashSquareDotted', 'BIconDashSquareFill', 'BIconDiagram2', 'BIconDiagram2Fill', 'BIconDiagram3', 'BIconDiagram3Fill', 'BIconDiamond', 'BIconDiamondFill', 'BIconDiamondHalf', 'BIconDice1', 'BIconDice1Fill', 'BIconDice2', 'BIconDice2Fill', 'BIconDice3', 'BIconDice3Fill', 'BIconDice4', 'BIconDice4Fill', 'BIconDice5', 'BIconDice5Fill', 'BIconDice6', 'BIconDice6Fill', 'BIconDisc', 'BIconDiscFill', 'BIconDiscord', 'BIconDisplay', 'BIconDisplayFill', 'BIconDistributeHorizontal', 'BIconDistributeVertical', 'BIconDoorClosed', 'BIconDoorClosedFill', 'BIconDoorOpen', 'BIconDoorOpenFill', 'BIconDot', 'BIconDownload', 'BIconDroplet', 'BIconDropletFill', 'BIconDropletHalf', 'BIconEarbuds', 'BIconEasel', 'BIconEaselFill', 'BIconEgg', 'BIconEggFill', 'BIconEggFried', 'BIconEject', 'BIconEjectFill', 'BIconEmojiAngry', 'BIconEmojiAngryFill', 'BIconEmojiDizzy', 'BIconEmojiDizzyFill', 'BIconEmojiExpressionless', 'BIconEmojiExpressionlessFill', 'BIconEmojiFrown', 'BIconEmojiFrownFill', 'BIconEmojiHeartEyes', 'BIconEmojiHeartEyesFill', 'BIconEmojiLaughing', 'BIconEmojiLaughingFill', 'BIconEmojiNeutral', 'BIconEmojiNeutralFill', 'BIconEmojiSmile', 'BIconEmojiSmileFill', 'BIconEmojiSmileUpsideDown', 'BIconEmojiSmileUpsideDownFill', 'BIconEmojiSunglasses', 'BIconEmojiSunglassesFill', 'BIconEmojiWink', 'BIconEmojiWinkFill', 'BIconEnvelope', 'BIconEnvelopeFill', 'BIconEnvelopeOpen', 'BIconEnvelopeOpenFill', 'BIconEraser', 'BIconEraserFill', 'BIconExclamation', 'BIconExclamationCircle', 'BIconExclamationCircleFill', 'BIconExclamationDiamond', 'BIconExclamationDiamondFill', 'BIconExclamationLg', 'BIconExclamationOctagon', 'BIconExclamationOctagonFill', 'BIconExclamationSquare', 'BIconExclamationSquareFill', 'BIconExclamationTriangle', 'BIconExclamationTriangleFill', 'BIconExclude', 'BIconEye', 'BIconEyeFill', 'BIconEyeSlash', 'BIconEyeSlashFill', 'BIconEyedropper', 'BIconEyeglasses', 'BIconFacebook', 'BIconFile', 'BIconFileArrowDown', 'BIconFileArrowDownFill', 'BIconFileArrowUp', 'BIconFileArrowUpFill', 'BIconFileBarGraph', 'BIconFileBarGraphFill', 'BIconFileBinary', 'BIconFileBinaryFill', 'BIconFileBreak', 'BIconFileBreakFill', 'BIconFileCheck', 'BIconFileCheckFill', 'BIconFileCode', 'BIconFileCodeFill', 'BIconFileDiff', 'BIconFileDiffFill', 'BIconFileEarmark', 'BIconFileEarmarkArrowDown', 'BIconFileEarmarkArrowDownFill', 'BIconFileEarmarkArrowUp', 'BIconFileEarmarkArrowUpFill', 'BIconFileEarmarkBarGraph', 'BIconFileEarmarkBarGraphFill', 'BIconFileEarmarkBinary', 'BIconFileEarmarkBinaryFill', 'BIconFileEarmarkBreak', 'BIconFileEarmarkBreakFill', 'BIconFileEarmarkCheck', 'BIconFileEarmarkCheckFill', 'BIconFileEarmarkCode', 'BIconFileEarmarkCodeFill', 'BIconFileEarmarkDiff', 'BIconFileEarmarkDiffFill', 'BIconFileEarmarkEasel', 'BIconFileEarmarkEaselFill', 'BIconFileEarmarkExcel', 'BIconFileEarmarkExcelFill', 'BIconFileEarmarkFill', 'BIconFileEarmarkFont', 'BIconFileEarmarkFontFill', 'BIconFileEarmarkImage', 'BIconFileEarmarkImageFill', 'BIconFileEarmarkLock', 'BIconFileEarmarkLock2', 'BIconFileEarmarkLock2Fill', 'BIconFileEarmarkLockFill', 'BIconFileEarmarkMedical', 'BIconFileEarmarkMedicalFill', 'BIconFileEarmarkMinus', 'BIconFileEarmarkMinusFill', 'BIconFileEarmarkMusic', 'BIconFileEarmarkMusicFill', 'BIconFileEarmarkPdf', 'BIconFileEarmarkPdfFill', 'BIconFileEarmarkPerson', 'BIconFileEarmarkPersonFill', 'BIconFileEarmarkPlay', 'BIconFileEarmarkPlayFill', 'BIconFileEarmarkPlus', 'BIconFileEarmarkPlusFill', 'BIconFileEarmarkPost', 'BIconFileEarmarkPostFill', 'BIconFileEarmarkPpt', 'BIconFileEarmarkPptFill', 'BIconFileEarmarkRichtext', 'BIconFileEarmarkRichtextFill', 'BIconFileEarmarkRuled', 'BIconFileEarmarkRuledFill', 'BIconFileEarmarkSlides', 'BIconFileEarmarkSlidesFill', 'BIconFileEarmarkSpreadsheet', 'BIconFileEarmarkSpreadsheetFill', 'BIconFileEarmarkText', 'BIconFileEarmarkTextFill', 'BIconFileEarmarkWord', 'BIconFileEarmarkWordFill', 'BIconFileEarmarkX', 'BIconFileEarmarkXFill', 'BIconFileEarmarkZip', 'BIconFileEarmarkZipFill', 'BIconFileEasel', 'BIconFileEaselFill', 'BIconFileExcel', 'BIconFileExcelFill', 'BIconFileFill', 'BIconFileFont', 'BIconFileFontFill', 'BIconFileImage', 'BIconFileImageFill', 'BIconFileLock', 'BIconFileLock2', 'BIconFileLock2Fill', 'BIconFileLockFill', 'BIconFileMedical', 'BIconFileMedicalFill', 'BIconFileMinus', 'BIconFileMinusFill', 'BIconFileMusic', 'BIconFileMusicFill', 'BIconFilePdf', 'BIconFilePdfFill', 'BIconFilePerson', 'BIconFilePersonFill', 'BIconFilePlay', 'BIconFilePlayFill', 'BIconFilePlus', 'BIconFilePlusFill', 'BIconFilePost', 'BIconFilePostFill', 'BIconFilePpt', 'BIconFilePptFill', 'BIconFileRichtext', 'BIconFileRichtextFill', 'BIconFileRuled', 'BIconFileRuledFill', 'BIconFileSlides', 'BIconFileSlidesFill', 'BIconFileSpreadsheet', 'BIconFileSpreadsheetFill', 'BIconFileText', 'BIconFileTextFill', 'BIconFileWord', 'BIconFileWordFill', 'BIconFileX', 'BIconFileXFill', 'BIconFileZip', 'BIconFileZipFill', 'BIconFiles', 'BIconFilesAlt', 'BIconFilm', 'BIconFilter', 'BIconFilterCircle', 'BIconFilterCircleFill', 'BIconFilterLeft', 'BIconFilterRight', 'BIconFilterSquare', 'BIconFilterSquareFill', 'BIconFlag', 'BIconFlagFill', 'BIconFlower1', 'BIconFlower2', 'BIconFlower3', 'BIconFolder', 'BIconFolder2', 'BIconFolder2Open', 'BIconFolderCheck', 'BIconFolderFill', 'BIconFolderMinus', 'BIconFolderPlus', 'BIconFolderSymlink', 'BIconFolderSymlinkFill', 'BIconFolderX', 'BIconFonts', 'BIconForward', 'BIconForwardFill', 'BIconFront', 'BIconFullscreen', 'BIconFullscreenExit', 'BIconFunnel', 'BIconFunnelFill', 'BIconGear', 'BIconGearFill', 'BIconGearWide', 'BIconGearWideConnected', 'BIconGem', 'BIconGenderAmbiguous', 'BIconGenderFemale', 'BIconGenderMale', 'BIconGenderTrans', 'BIconGeo', 'BIconGeoAlt', 'BIconGeoAltFill', 'BIconGeoFill', 'BIconGift', 'BIconGiftFill', 'BIconGithub', 'BIconGlobe', 'BIconGlobe2', 'BIconGoogle', 'BIconGraphDown', 'BIconGraphUp', 'BIconGrid', 'BIconGrid1x2', 'BIconGrid1x2Fill', 'BIconGrid3x2', 'BIconGrid3x2Gap', 'BIconGrid3x2GapFill', 'BIconGrid3x3', 'BIconGrid3x3Gap', 'BIconGrid3x3GapFill', 'BIconGridFill', 'BIconGripHorizontal', 'BIconGripVertical', 'BIconHammer', 'BIconHandIndex', 'BIconHandIndexFill', 'BIconHandIndexThumb', 'BIconHandIndexThumbFill', 'BIconHandThumbsDown', 'BIconHandThumbsDownFill', 'BIconHandThumbsUp', 'BIconHandThumbsUpFill', 'BIconHandbag', 'BIconHandbagFill', 'BIconHash', 'BIconHdd', 'BIconHddFill', 'BIconHddNetwork', 'BIconHddNetworkFill', 'BIconHddRack', 'BIconHddRackFill', 'BIconHddStack', 'BIconHddStackFill', 'BIconHeadphones', 'BIconHeadset', 'BIconHeadsetVr', 'BIconHeart', 'BIconHeartFill', 'BIconHeartHalf', 'BIconHeptagon', 'BIconHeptagonFill', 'BIconHeptagonHalf', 'BIconHexagon', 'BIconHexagonFill', 'BIconHexagonHalf', 'BIconHourglass', 'BIconHourglassBottom', 'BIconHourglassSplit', 'BIconHourglassTop', 'BIconHouse', 'BIconHouseDoor', 'BIconHouseDoorFill', 'BIconHouseFill', 'BIconHr', 'BIconHurricane', 'BIconImage', 'BIconImageAlt', 'BIconImageFill', 'BIconImages', 'BIconInbox', 'BIconInboxFill', 'BIconInboxes', 'BIconInboxesFill', 'BIconInfo', 'BIconInfoCircle', 'BIconInfoCircleFill', 'BIconInfoLg', 'BIconInfoSquare', 'BIconInfoSquareFill', 'BIconInputCursor', 'BIconInputCursorText', 'BIconInstagram', 'BIconIntersect', 'BIconJournal', 'BIconJournalAlbum', 'BIconJournalArrowDown', 'BIconJournalArrowUp', 'BIconJournalBookmark', 'BIconJournalBookmarkFill', 'BIconJournalCheck', 'BIconJournalCode', 'BIconJournalMedical', 'BIconJournalMinus', 'BIconJournalPlus', 'BIconJournalRichtext', 'BIconJournalText', 'BIconJournalX', 'BIconJournals', 'BIconJoystick', 'BIconJustify', 'BIconJustifyLeft', 'BIconJustifyRight', 'BIconKanban', 'BIconKanbanFill', 'BIconKey', 'BIconKeyFill', 'BIconKeyboard', 'BIconKeyboardFill', 'BIconLadder', 'BIconLamp', 'BIconLampFill', 'BIconLaptop', 'BIconLaptopFill', 'BIconLayerBackward', 'BIconLayerForward', 'BIconLayers', 'BIconLayersFill', 'BIconLayersHalf', 'BIconLayoutSidebar', 'BIconLayoutSidebarInset', 'BIconLayoutSidebarInsetReverse', 'BIconLayoutSidebarReverse', 'BIconLayoutSplit', 'BIconLayoutTextSidebar', 'BIconLayoutTextSidebarReverse', 'BIconLayoutTextWindow', 'BIconLayoutTextWindowReverse', 'BIconLayoutThreeColumns', 'BIconLayoutWtf', 'BIconLifePreserver', 'BIconLightbulb', 'BIconLightbulbFill', 'BIconLightbulbOff', 'BIconLightbulbOffFill', 'BIconLightning', 'BIconLightningCharge', 'BIconLightningChargeFill', 'BIconLightningFill', 'BIconLink', 'BIconLink45deg', 'BIconLinkedin', 'BIconList', 'BIconListCheck', 'BIconListNested', 'BIconListOl', 'BIconListStars', 'BIconListTask', 'BIconListUl', 'BIconLock', 'BIconLockFill', 'BIconMailbox', 'BIconMailbox2', 'BIconMap', 'BIconMapFill', 'BIconMarkdown', 'BIconMarkdownFill', 'BIconMask', 'BIconMastodon', 'BIconMegaphone', 'BIconMegaphoneFill', 'BIconMenuApp', 'BIconMenuAppFill', 'BIconMenuButton', 'BIconMenuButtonFill', 'BIconMenuButtonWide', 'BIconMenuButtonWideFill', 'BIconMenuDown', 'BIconMenuUp', 'BIconMessenger', 'BIconMic', 'BIconMicFill', 'BIconMicMute', 'BIconMicMuteFill', 'BIconMinecart', 'BIconMinecartLoaded', 'BIconMoisture', 'BIconMoon', 'BIconMoonFill', 'BIconMoonStars', 'BIconMoonStarsFill', 'BIconMouse', 'BIconMouse2', 'BIconMouse2Fill', 'BIconMouse3', 'BIconMouse3Fill', 'BIconMouseFill', 'BIconMusicNote', 'BIconMusicNoteBeamed', 'BIconMusicNoteList', 'BIconMusicPlayer', 'BIconMusicPlayerFill', 'BIconNewspaper', 'BIconNodeMinus', 'BIconNodeMinusFill', 'BIconNodePlus', 'BIconNodePlusFill', 'BIconNut', 'BIconNutFill', 'BIconOctagon', 'BIconOctagonFill', 'BIconOctagonHalf', 'BIconOption', 'BIconOutlet', 'BIconPaintBucket', 'BIconPalette', 'BIconPalette2', 'BIconPaletteFill', 'BIconPaperclip', 'BIconParagraph', 'BIconPatchCheck', 'BIconPatchCheckFill', 'BIconPatchExclamation', 'BIconPatchExclamationFill', 'BIconPatchMinus', 'BIconPatchMinusFill', 'BIconPatchPlus', 'BIconPatchPlusFill', 'BIconPatchQuestion', 'BIconPatchQuestionFill', 'BIconPause', 'BIconPauseBtn', 'BIconPauseBtnFill', 'BIconPauseCircle', 'BIconPauseCircleFill', 'BIconPauseFill', 'BIconPeace', 'BIconPeaceFill', 'BIconPen', 'BIconPenFill', 'BIconPencil', 'BIconPencilFill', 'BIconPencilSquare', 'BIconPentagon', 'BIconPentagonFill', 'BIconPentagonHalf', 'BIconPeople', 'BIconPeopleFill', 'BIconPercent', 'BIconPerson', 'BIconPersonBadge', 'BIconPersonBadgeFill', 'BIconPersonBoundingBox', 'BIconPersonCheck', 'BIconPersonCheckFill', 'BIconPersonCircle', 'BIconPersonDash', 'BIconPersonDashFill', 'BIconPersonFill', 'BIconPersonLinesFill', 'BIconPersonPlus', 'BIconPersonPlusFill', 'BIconPersonSquare', 'BIconPersonX', 'BIconPersonXFill', 'BIconPhone', 'BIconPhoneFill', 'BIconPhoneLandscape', 'BIconPhoneLandscapeFill', 'BIconPhoneVibrate', 'BIconPhoneVibrateFill', 'BIconPieChart', 'BIconPieChartFill', 'BIconPiggyBank', 'BIconPiggyBankFill', 'BIconPin', 'BIconPinAngle', 'BIconPinAngleFill', 'BIconPinFill', 'BIconPinMap', 'BIconPinMapFill', 'BIconPip', 'BIconPipFill', 'BIconPlay', 'BIconPlayBtn', 'BIconPlayBtnFill', 'BIconPlayCircle', 'BIconPlayCircleFill', 'BIconPlayFill', 'BIconPlug', 'BIconPlugFill', 'BIconPlus', 'BIconPlusCircle', 'BIconPlusCircleDotted', 'BIconPlusCircleFill', 'BIconPlusLg', 'BIconPlusSquare', 'BIconPlusSquareDotted', 'BIconPlusSquareFill', 'BIconPower', 'BIconPrinter', 'BIconPrinterFill', 'BIconPuzzle', 'BIconPuzzleFill', 'BIconQuestion', 'BIconQuestionCircle', 'BIconQuestionCircleFill', 'BIconQuestionDiamond', 'BIconQuestionDiamondFill', 'BIconQuestionLg', 'BIconQuestionOctagon', 'BIconQuestionOctagonFill', 'BIconQuestionSquare', 'BIconQuestionSquareFill', 'BIconRainbow', 'BIconReceipt', 'BIconReceiptCutoff', 'BIconReception0', 'BIconReception1', 'BIconReception2', 'BIconReception3', 'BIconReception4', 'BIconRecord', 'BIconRecord2', 'BIconRecord2Fill', 'BIconRecordBtn', 'BIconRecordBtnFill', 'BIconRecordCircle', 'BIconRecordCircleFill', 'BIconRecordFill', 'BIconRecycle', 'BIconReddit', 'BIconReply', 'BIconReplyAll', 'BIconReplyAllFill', 'BIconReplyFill', 'BIconRss', 'BIconRssFill', 'BIconRulers', 'BIconSafe', 'BIconSafe2', 'BIconSafe2Fill', 'BIconSafeFill', 'BIconSave', 'BIconSave2', 'BIconSave2Fill', 'BIconSaveFill', 'BIconScissors', 'BIconScrewdriver', 'BIconSdCard', 'BIconSdCardFill', 'BIconSearch', 'BIconSegmentedNav', 'BIconServer', 'BIconShare', 'BIconShareFill', 'BIconShield', 'BIconShieldCheck', 'BIconShieldExclamation', 'BIconShieldFill', 'BIconShieldFillCheck', 'BIconShieldFillExclamation', 'BIconShieldFillMinus', 'BIconShieldFillPlus', 'BIconShieldFillX', 'BIconShieldLock', 'BIconShieldLockFill', 'BIconShieldMinus', 'BIconShieldPlus', 'BIconShieldShaded', 'BIconShieldSlash', 'BIconShieldSlashFill', 'BIconShieldX', 'BIconShift', 'BIconShiftFill', 'BIconShop', 'BIconShopWindow', 'BIconShuffle', 'BIconSignpost', 'BIconSignpost2', 'BIconSignpost2Fill', 'BIconSignpostFill', 'BIconSignpostSplit', 'BIconSignpostSplitFill', 'BIconSim', 'BIconSimFill', 'BIconSkipBackward', 'BIconSkipBackwardBtn', 'BIconSkipBackwardBtnFill', 'BIconSkipBackwardCircle', 'BIconSkipBackwardCircleFill', 'BIconSkipBackwardFill', 'BIconSkipEnd', 'BIconSkipEndBtn', 'BIconSkipEndBtnFill', 'BIconSkipEndCircle', 'BIconSkipEndCircleFill', 'BIconSkipEndFill', 'BIconSkipForward', 'BIconSkipForwardBtn', 'BIconSkipForwardBtnFill', 'BIconSkipForwardCircle', 'BIconSkipForwardCircleFill', 'BIconSkipForwardFill', 'BIconSkipStart', 'BIconSkipStartBtn', 'BIconSkipStartBtnFill', 'BIconSkipStartCircle', 'BIconSkipStartCircleFill', 'BIconSkipStartFill', 'BIconSkype', 'BIconSlack', 'BIconSlash', 'BIconSlashCircle', 'BIconSlashCircleFill', 'BIconSlashLg', 'BIconSlashSquare', 'BIconSlashSquareFill', 'BIconSliders', 'BIconSmartwatch', 'BIconSnow', 'BIconSnow2', 'BIconSnow3', 'BIconSortAlphaDown', 'BIconSortAlphaDownAlt', 'BIconSortAlphaUp', 'BIconSortAlphaUpAlt', 'BIconSortDown', 'BIconSortDownAlt', 'BIconSortNumericDown', 'BIconSortNumericDownAlt', 'BIconSortNumericUp', 'BIconSortNumericUpAlt', 'BIconSortUp', 'BIconSortUpAlt', 'BIconSoundwave', 'BIconSpeaker', 'BIconSpeakerFill', 'BIconSpeedometer', 'BIconSpeedometer2', 'BIconSpellcheck', 'BIconSquare', 'BIconSquareFill', 'BIconSquareHalf', 'BIconStack', 'BIconStar', 'BIconStarFill', 'BIconStarHalf', 'BIconStars', 'BIconStickies', 'BIconStickiesFill', 'BIconSticky', 'BIconStickyFill', 'BIconStop', 'BIconStopBtn', 'BIconStopBtnFill', 'BIconStopCircle', 'BIconStopCircleFill', 'BIconStopFill', 'BIconStoplights', 'BIconStoplightsFill', 'BIconStopwatch', 'BIconStopwatchFill', 'BIconSubtract', 'BIconSuitClub', 'BIconSuitClubFill', 'BIconSuitDiamond', 'BIconSuitDiamondFill', 'BIconSuitHeart', 'BIconSuitHeartFill', 'BIconSuitSpade', 'BIconSuitSpadeFill', 'BIconSun', 'BIconSunFill', 'BIconSunglasses', 'BIconSunrise', 'BIconSunriseFill', 'BIconSunset', 'BIconSunsetFill', 'BIconSymmetryHorizontal', 'BIconSymmetryVertical', 'BIconTable', 'BIconTablet', 'BIconTabletFill', 'BIconTabletLandscape', 'BIconTabletLandscapeFill', 'BIconTag', 'BIconTagFill', 'BIconTags', 'BIconTagsFill', 'BIconTelegram', 'BIconTelephone', 'BIconTelephoneFill', 'BIconTelephoneForward', 'BIconTelephoneForwardFill', 'BIconTelephoneInbound', 'BIconTelephoneInboundFill', 'BIconTelephoneMinus', 'BIconTelephoneMinusFill', 'BIconTelephoneOutbound', 'BIconTelephoneOutboundFill', 'BIconTelephonePlus', 'BIconTelephonePlusFill', 'BIconTelephoneX', 'BIconTelephoneXFill', 'BIconTerminal', 'BIconTerminalFill', 'BIconTextCenter', 'BIconTextIndentLeft', 'BIconTextIndentRight', 'BIconTextLeft', 'BIconTextParagraph', 'BIconTextRight', 'BIconTextarea', 'BIconTextareaResize', 'BIconTextareaT', 'BIconThermometer', 'BIconThermometerHalf', 'BIconThermometerHigh', 'BIconThermometerLow', 'BIconThermometerSnow', 'BIconThermometerSun', 'BIconThreeDots', 'BIconThreeDotsVertical', 'BIconToggle2Off', 'BIconToggle2On', 'BIconToggleOff', 'BIconToggleOn', 'BIconToggles', 'BIconToggles2', 'BIconTools', 'BIconTornado', 'BIconTranslate', 'BIconTrash', 'BIconTrash2', 'BIconTrash2Fill', 'BIconTrashFill', 'BIconTree', 'BIconTreeFill', 'BIconTriangle', 'BIconTriangleFill', 'BIconTriangleHalf', 'BIconTrophy', 'BIconTrophyFill', 'BIconTropicalStorm', 'BIconTruck', 'BIconTruckFlatbed', 'BIconTsunami', 'BIconTv', 'BIconTvFill', 'BIconTwitch', 'BIconTwitter', 'BIconType', 'BIconTypeBold', 'BIconTypeH1', 'BIconTypeH2', 'BIconTypeH3', 'BIconTypeItalic', 'BIconTypeStrikethrough', 'BIconTypeUnderline', 'BIconUiChecks', 'BIconUiChecksGrid', 'BIconUiRadios', 'BIconUiRadiosGrid', 'BIconUmbrella', 'BIconUmbrellaFill', 'BIconUnion', 'BIconUnlock', 'BIconUnlockFill', 'BIconUpc', 'BIconUpcScan', 'BIconUpload', 'BIconVectorPen', 'BIconViewList', 'BIconViewStacked', 'BIconVinyl', 'BIconVinylFill', 'BIconVoicemail', 'BIconVolumeDown', 'BIconVolumeDownFill', 'BIconVolumeMute', 'BIconVolumeMuteFill', 'BIconVolumeOff', 'BIconVolumeOffFill', 'BIconVolumeUp', 'BIconVolumeUpFill', 'BIconVr', 'BIconWallet', 'BIconWallet2', 'BIconWalletFill', 'BIconWatch', 'BIconWater', 'BIconWhatsapp', 'BIconWifi', 'BIconWifi1', 'BIconWifi2', 'BIconWifiOff', 'BIconWind', 'BIconWindow', 'BIconWindowDock', 'BIconWindowSidebar', 'BIconWrench', 'BIconX', 'BIconXCircle', 'BIconXCircleFill', 'BIconXDiamond', 'BIconXDiamondFill', 'BIconXLg', 'BIconXOctagon', 'BIconXOctagonFill', 'BIconXSquare', 'BIconXSquareFill', 'BIconYoutube', 'BIconZoomIn', 'BIconZoomOut']; // Export the icons plugin

var IconsPlugin = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactoryNoConfig)({
  components: {
    // Icon helper component
    BIcon: _icon__WEBPACK_IMPORTED_MODULE_1__.BIcon,
    // Icon stacking component
    BIconstack: _iconstack__WEBPACK_IMPORTED_MODULE_2__.BIconstack,
    // BootstrapVue custom icon components
    BIconBlank: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBlank,
    // Bootstrap icon components
    BIconAlarm: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAlarm,
    BIconAlarmFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAlarmFill,
    BIconAlignBottom: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAlignBottom,
    BIconAlignCenter: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAlignCenter,
    BIconAlignEnd: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAlignEnd,
    BIconAlignMiddle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAlignMiddle,
    BIconAlignStart: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAlignStart,
    BIconAlignTop: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAlignTop,
    BIconAlt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAlt,
    BIconApp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconApp,
    BIconAppIndicator: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAppIndicator,
    BIconArchive: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArchive,
    BIconArchiveFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArchiveFill,
    BIconArrow90degDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrow90degDown,
    BIconArrow90degLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrow90degLeft,
    BIconArrow90degRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrow90degRight,
    BIconArrow90degUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrow90degUp,
    BIconArrowBarDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowBarDown,
    BIconArrowBarLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowBarLeft,
    BIconArrowBarRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowBarRight,
    BIconArrowBarUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowBarUp,
    BIconArrowClockwise: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowClockwise,
    BIconArrowCounterclockwise: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowCounterclockwise,
    BIconArrowDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDown,
    BIconArrowDownCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownCircle,
    BIconArrowDownCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownCircleFill,
    BIconArrowDownLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownLeft,
    BIconArrowDownLeftCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownLeftCircle,
    BIconArrowDownLeftCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownLeftCircleFill,
    BIconArrowDownLeftSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownLeftSquare,
    BIconArrowDownLeftSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownLeftSquareFill,
    BIconArrowDownRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownRight,
    BIconArrowDownRightCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownRightCircle,
    BIconArrowDownRightCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownRightCircleFill,
    BIconArrowDownRightSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownRightSquare,
    BIconArrowDownRightSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownRightSquareFill,
    BIconArrowDownShort: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownShort,
    BIconArrowDownSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownSquare,
    BIconArrowDownSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownSquareFill,
    BIconArrowDownUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowDownUp,
    BIconArrowLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowLeft,
    BIconArrowLeftCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowLeftCircle,
    BIconArrowLeftCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowLeftCircleFill,
    BIconArrowLeftRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowLeftRight,
    BIconArrowLeftShort: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowLeftShort,
    BIconArrowLeftSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowLeftSquare,
    BIconArrowLeftSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowLeftSquareFill,
    BIconArrowRepeat: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowRepeat,
    BIconArrowReturnLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowReturnLeft,
    BIconArrowReturnRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowReturnRight,
    BIconArrowRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowRight,
    BIconArrowRightCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowRightCircle,
    BIconArrowRightCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowRightCircleFill,
    BIconArrowRightShort: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowRightShort,
    BIconArrowRightSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowRightSquare,
    BIconArrowRightSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowRightSquareFill,
    BIconArrowUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUp,
    BIconArrowUpCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpCircle,
    BIconArrowUpCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpCircleFill,
    BIconArrowUpLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpLeft,
    BIconArrowUpLeftCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpLeftCircle,
    BIconArrowUpLeftCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpLeftCircleFill,
    BIconArrowUpLeftSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpLeftSquare,
    BIconArrowUpLeftSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpLeftSquareFill,
    BIconArrowUpRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpRight,
    BIconArrowUpRightCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpRightCircle,
    BIconArrowUpRightCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpRightCircleFill,
    BIconArrowUpRightSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpRightSquare,
    BIconArrowUpRightSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpRightSquareFill,
    BIconArrowUpShort: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpShort,
    BIconArrowUpSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpSquare,
    BIconArrowUpSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowUpSquareFill,
    BIconArrowsAngleContract: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowsAngleContract,
    BIconArrowsAngleExpand: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowsAngleExpand,
    BIconArrowsCollapse: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowsCollapse,
    BIconArrowsExpand: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowsExpand,
    BIconArrowsFullscreen: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowsFullscreen,
    BIconArrowsMove: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconArrowsMove,
    BIconAspectRatio: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAspectRatio,
    BIconAspectRatioFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAspectRatioFill,
    BIconAsterisk: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAsterisk,
    BIconAt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAt,
    BIconAward: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAward,
    BIconAwardFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconAwardFill,
    BIconBack: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBack,
    BIconBackspace: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBackspace,
    BIconBackspaceFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBackspaceFill,
    BIconBackspaceReverse: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBackspaceReverse,
    BIconBackspaceReverseFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBackspaceReverseFill,
    BIconBadge3d: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadge3d,
    BIconBadge3dFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadge3dFill,
    BIconBadge4k: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadge4k,
    BIconBadge4kFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadge4kFill,
    BIconBadge8k: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadge8k,
    BIconBadge8kFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadge8kFill,
    BIconBadgeAd: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeAd,
    BIconBadgeAdFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeAdFill,
    BIconBadgeAr: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeAr,
    BIconBadgeArFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeArFill,
    BIconBadgeCc: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeCc,
    BIconBadgeCcFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeCcFill,
    BIconBadgeHd: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeHd,
    BIconBadgeHdFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeHdFill,
    BIconBadgeTm: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeTm,
    BIconBadgeTmFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeTmFill,
    BIconBadgeVo: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeVo,
    BIconBadgeVoFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeVoFill,
    BIconBadgeVr: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeVr,
    BIconBadgeVrFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeVrFill,
    BIconBadgeWc: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeWc,
    BIconBadgeWcFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBadgeWcFill,
    BIconBag: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBag,
    BIconBagCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBagCheck,
    BIconBagCheckFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBagCheckFill,
    BIconBagDash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBagDash,
    BIconBagDashFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBagDashFill,
    BIconBagFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBagFill,
    BIconBagPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBagPlus,
    BIconBagPlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBagPlusFill,
    BIconBagX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBagX,
    BIconBagXFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBagXFill,
    BIconBank: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBank,
    BIconBank2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBank2,
    BIconBarChart: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBarChart,
    BIconBarChartFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBarChartFill,
    BIconBarChartLine: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBarChartLine,
    BIconBarChartLineFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBarChartLineFill,
    BIconBarChartSteps: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBarChartSteps,
    BIconBasket: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBasket,
    BIconBasket2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBasket2,
    BIconBasket2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBasket2Fill,
    BIconBasket3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBasket3,
    BIconBasket3Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBasket3Fill,
    BIconBasketFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBasketFill,
    BIconBattery: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBattery,
    BIconBatteryCharging: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBatteryCharging,
    BIconBatteryFull: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBatteryFull,
    BIconBatteryHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBatteryHalf,
    BIconBell: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBell,
    BIconBellFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBellFill,
    BIconBellSlash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBellSlash,
    BIconBellSlashFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBellSlashFill,
    BIconBezier: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBezier,
    BIconBezier2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBezier2,
    BIconBicycle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBicycle,
    BIconBinoculars: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBinoculars,
    BIconBinocularsFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBinocularsFill,
    BIconBlockquoteLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBlockquoteLeft,
    BIconBlockquoteRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBlockquoteRight,
    BIconBook: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBook,
    BIconBookFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookFill,
    BIconBookHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookHalf,
    BIconBookmark: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmark,
    BIconBookmarkCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkCheck,
    BIconBookmarkCheckFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkCheckFill,
    BIconBookmarkDash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkDash,
    BIconBookmarkDashFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkDashFill,
    BIconBookmarkFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkFill,
    BIconBookmarkHeart: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkHeart,
    BIconBookmarkHeartFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkHeartFill,
    BIconBookmarkPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkPlus,
    BIconBookmarkPlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkPlusFill,
    BIconBookmarkStar: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkStar,
    BIconBookmarkStarFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkStarFill,
    BIconBookmarkX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkX,
    BIconBookmarkXFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarkXFill,
    BIconBookmarks: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarks,
    BIconBookmarksFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookmarksFill,
    BIconBookshelf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBookshelf,
    BIconBootstrap: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBootstrap,
    BIconBootstrapFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBootstrapFill,
    BIconBootstrapReboot: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBootstrapReboot,
    BIconBorder: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorder,
    BIconBorderAll: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderAll,
    BIconBorderBottom: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderBottom,
    BIconBorderCenter: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderCenter,
    BIconBorderInner: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderInner,
    BIconBorderLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderLeft,
    BIconBorderMiddle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderMiddle,
    BIconBorderOuter: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderOuter,
    BIconBorderRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderRight,
    BIconBorderStyle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderStyle,
    BIconBorderTop: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderTop,
    BIconBorderWidth: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBorderWidth,
    BIconBoundingBox: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoundingBox,
    BIconBoundingBoxCircles: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoundingBoxCircles,
    BIconBox: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBox,
    BIconBoxArrowDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowDown,
    BIconBoxArrowDownLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowDownLeft,
    BIconBoxArrowDownRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowDownRight,
    BIconBoxArrowInDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowInDown,
    BIconBoxArrowInDownLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowInDownLeft,
    BIconBoxArrowInDownRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowInDownRight,
    BIconBoxArrowInLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowInLeft,
    BIconBoxArrowInRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowInRight,
    BIconBoxArrowInUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowInUp,
    BIconBoxArrowInUpLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowInUpLeft,
    BIconBoxArrowInUpRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowInUpRight,
    BIconBoxArrowLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowLeft,
    BIconBoxArrowRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowRight,
    BIconBoxArrowUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowUp,
    BIconBoxArrowUpLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowUpLeft,
    BIconBoxArrowUpRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxArrowUpRight,
    BIconBoxSeam: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBoxSeam,
    BIconBraces: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBraces,
    BIconBricks: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBricks,
    BIconBriefcase: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBriefcase,
    BIconBriefcaseFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBriefcaseFill,
    BIconBrightnessAltHigh: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBrightnessAltHigh,
    BIconBrightnessAltHighFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBrightnessAltHighFill,
    BIconBrightnessAltLow: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBrightnessAltLow,
    BIconBrightnessAltLowFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBrightnessAltLowFill,
    BIconBrightnessHigh: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBrightnessHigh,
    BIconBrightnessHighFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBrightnessHighFill,
    BIconBrightnessLow: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBrightnessLow,
    BIconBrightnessLowFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBrightnessLowFill,
    BIconBroadcast: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBroadcast,
    BIconBroadcastPin: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBroadcastPin,
    BIconBrush: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBrush,
    BIconBrushFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBrushFill,
    BIconBucket: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBucket,
    BIconBucketFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBucketFill,
    BIconBug: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBug,
    BIconBugFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBugFill,
    BIconBuilding: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBuilding,
    BIconBullseye: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconBullseye,
    BIconCalculator: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalculator,
    BIconCalculatorFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalculatorFill,
    BIconCalendar: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar,
    BIconCalendar2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2,
    BIconCalendar2Check: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2Check,
    BIconCalendar2CheckFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2CheckFill,
    BIconCalendar2Date: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2Date,
    BIconCalendar2DateFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2DateFill,
    BIconCalendar2Day: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2Day,
    BIconCalendar2DayFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2DayFill,
    BIconCalendar2Event: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2Event,
    BIconCalendar2EventFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2EventFill,
    BIconCalendar2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2Fill,
    BIconCalendar2Minus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2Minus,
    BIconCalendar2MinusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2MinusFill,
    BIconCalendar2Month: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2Month,
    BIconCalendar2MonthFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2MonthFill,
    BIconCalendar2Plus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2Plus,
    BIconCalendar2PlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2PlusFill,
    BIconCalendar2Range: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2Range,
    BIconCalendar2RangeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2RangeFill,
    BIconCalendar2Week: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2Week,
    BIconCalendar2WeekFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2WeekFill,
    BIconCalendar2X: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2X,
    BIconCalendar2XFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar2XFill,
    BIconCalendar3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar3,
    BIconCalendar3Event: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar3Event,
    BIconCalendar3EventFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar3EventFill,
    BIconCalendar3Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar3Fill,
    BIconCalendar3Range: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar3Range,
    BIconCalendar3RangeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar3RangeFill,
    BIconCalendar3Week: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar3Week,
    BIconCalendar3WeekFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar3WeekFill,
    BIconCalendar4: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar4,
    BIconCalendar4Event: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar4Event,
    BIconCalendar4Range: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar4Range,
    BIconCalendar4Week: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendar4Week,
    BIconCalendarCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarCheck,
    BIconCalendarCheckFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarCheckFill,
    BIconCalendarDate: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarDate,
    BIconCalendarDateFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarDateFill,
    BIconCalendarDay: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarDay,
    BIconCalendarDayFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarDayFill,
    BIconCalendarEvent: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarEvent,
    BIconCalendarEventFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarEventFill,
    BIconCalendarFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarFill,
    BIconCalendarMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarMinus,
    BIconCalendarMinusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarMinusFill,
    BIconCalendarMonth: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarMonth,
    BIconCalendarMonthFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarMonthFill,
    BIconCalendarPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarPlus,
    BIconCalendarPlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarPlusFill,
    BIconCalendarRange: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarRange,
    BIconCalendarRangeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarRangeFill,
    BIconCalendarWeek: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarWeek,
    BIconCalendarWeekFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarWeekFill,
    BIconCalendarX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarX,
    BIconCalendarXFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCalendarXFill,
    BIconCamera: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCamera,
    BIconCamera2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCamera2,
    BIconCameraFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCameraFill,
    BIconCameraReels: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCameraReels,
    BIconCameraReelsFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCameraReelsFill,
    BIconCameraVideo: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCameraVideo,
    BIconCameraVideoFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCameraVideoFill,
    BIconCameraVideoOff: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCameraVideoOff,
    BIconCameraVideoOffFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCameraVideoOffFill,
    BIconCapslock: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCapslock,
    BIconCapslockFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCapslockFill,
    BIconCardChecklist: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCardChecklist,
    BIconCardHeading: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCardHeading,
    BIconCardImage: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCardImage,
    BIconCardList: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCardList,
    BIconCardText: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCardText,
    BIconCaretDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretDown,
    BIconCaretDownFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretDownFill,
    BIconCaretDownSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretDownSquare,
    BIconCaretDownSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretDownSquareFill,
    BIconCaretLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretLeft,
    BIconCaretLeftFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretLeftFill,
    BIconCaretLeftSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretLeftSquare,
    BIconCaretLeftSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretLeftSquareFill,
    BIconCaretRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretRight,
    BIconCaretRightFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretRightFill,
    BIconCaretRightSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretRightSquare,
    BIconCaretRightSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretRightSquareFill,
    BIconCaretUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretUp,
    BIconCaretUpFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretUpFill,
    BIconCaretUpSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretUpSquare,
    BIconCaretUpSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCaretUpSquareFill,
    BIconCart: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCart,
    BIconCart2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCart2,
    BIconCart3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCart3,
    BIconCart4: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCart4,
    BIconCartCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCartCheck,
    BIconCartCheckFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCartCheckFill,
    BIconCartDash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCartDash,
    BIconCartDashFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCartDashFill,
    BIconCartFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCartFill,
    BIconCartPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCartPlus,
    BIconCartPlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCartPlusFill,
    BIconCartX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCartX,
    BIconCartXFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCartXFill,
    BIconCash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCash,
    BIconCashCoin: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCashCoin,
    BIconCashStack: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCashStack,
    BIconCast: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCast,
    BIconChat: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChat,
    BIconChatDots: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatDots,
    BIconChatDotsFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatDotsFill,
    BIconChatFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatFill,
    BIconChatLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatLeft,
    BIconChatLeftDots: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatLeftDots,
    BIconChatLeftDotsFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatLeftDotsFill,
    BIconChatLeftFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatLeftFill,
    BIconChatLeftQuote: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatLeftQuote,
    BIconChatLeftQuoteFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatLeftQuoteFill,
    BIconChatLeftText: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatLeftText,
    BIconChatLeftTextFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatLeftTextFill,
    BIconChatQuote: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatQuote,
    BIconChatQuoteFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatQuoteFill,
    BIconChatRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatRight,
    BIconChatRightDots: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatRightDots,
    BIconChatRightDotsFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatRightDotsFill,
    BIconChatRightFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatRightFill,
    BIconChatRightQuote: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatRightQuote,
    BIconChatRightQuoteFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatRightQuoteFill,
    BIconChatRightText: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatRightText,
    BIconChatRightTextFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatRightTextFill,
    BIconChatSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatSquare,
    BIconChatSquareDots: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatSquareDots,
    BIconChatSquareDotsFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatSquareDotsFill,
    BIconChatSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatSquareFill,
    BIconChatSquareQuote: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatSquareQuote,
    BIconChatSquareQuoteFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatSquareQuoteFill,
    BIconChatSquareText: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatSquareText,
    BIconChatSquareTextFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatSquareTextFill,
    BIconChatText: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatText,
    BIconChatTextFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChatTextFill,
    BIconCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheck,
    BIconCheck2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheck2,
    BIconCheck2All: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheck2All,
    BIconCheck2Circle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheck2Circle,
    BIconCheck2Square: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheck2Square,
    BIconCheckAll: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheckAll,
    BIconCheckCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheckCircle,
    BIconCheckCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheckCircleFill,
    BIconCheckLg: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheckLg,
    BIconCheckSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheckSquare,
    BIconCheckSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCheckSquareFill,
    BIconChevronBarContract: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronBarContract,
    BIconChevronBarDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronBarDown,
    BIconChevronBarExpand: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronBarExpand,
    BIconChevronBarLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronBarLeft,
    BIconChevronBarRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronBarRight,
    BIconChevronBarUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronBarUp,
    BIconChevronCompactDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronCompactDown,
    BIconChevronCompactLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronCompactLeft,
    BIconChevronCompactRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronCompactRight,
    BIconChevronCompactUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronCompactUp,
    BIconChevronContract: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronContract,
    BIconChevronDoubleDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronDoubleDown,
    BIconChevronDoubleLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronDoubleLeft,
    BIconChevronDoubleRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronDoubleRight,
    BIconChevronDoubleUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronDoubleUp,
    BIconChevronDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronDown,
    BIconChevronExpand: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronExpand,
    BIconChevronLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronLeft,
    BIconChevronRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronRight,
    BIconChevronUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconChevronUp,
    BIconCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCircle,
    BIconCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCircleFill,
    BIconCircleHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCircleHalf,
    BIconCircleSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCircleSquare,
    BIconClipboard: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconClipboard,
    BIconClipboardCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconClipboardCheck,
    BIconClipboardData: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconClipboardData,
    BIconClipboardMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconClipboardMinus,
    BIconClipboardPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconClipboardPlus,
    BIconClipboardX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconClipboardX,
    BIconClock: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconClock,
    BIconClockFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconClockFill,
    BIconClockHistory: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconClockHistory,
    BIconCloud: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloud,
    BIconCloudArrowDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudArrowDown,
    BIconCloudArrowDownFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudArrowDownFill,
    BIconCloudArrowUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudArrowUp,
    BIconCloudArrowUpFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudArrowUpFill,
    BIconCloudCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudCheck,
    BIconCloudCheckFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudCheckFill,
    BIconCloudDownload: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudDownload,
    BIconCloudDownloadFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudDownloadFill,
    BIconCloudDrizzle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudDrizzle,
    BIconCloudDrizzleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudDrizzleFill,
    BIconCloudFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudFill,
    BIconCloudFog: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudFog,
    BIconCloudFog2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudFog2,
    BIconCloudFog2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudFog2Fill,
    BIconCloudFogFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudFogFill,
    BIconCloudHail: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudHail,
    BIconCloudHailFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudHailFill,
    BIconCloudHaze: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudHaze,
    BIconCloudHaze1: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudHaze1,
    BIconCloudHaze2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudHaze2Fill,
    BIconCloudHazeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudHazeFill,
    BIconCloudLightning: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudLightning,
    BIconCloudLightningFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudLightningFill,
    BIconCloudLightningRain: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudLightningRain,
    BIconCloudLightningRainFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudLightningRainFill,
    BIconCloudMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudMinus,
    BIconCloudMinusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudMinusFill,
    BIconCloudMoon: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudMoon,
    BIconCloudMoonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudMoonFill,
    BIconCloudPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudPlus,
    BIconCloudPlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudPlusFill,
    BIconCloudRain: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudRain,
    BIconCloudRainFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudRainFill,
    BIconCloudRainHeavy: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudRainHeavy,
    BIconCloudRainHeavyFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudRainHeavyFill,
    BIconCloudSlash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudSlash,
    BIconCloudSlashFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudSlashFill,
    BIconCloudSleet: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudSleet,
    BIconCloudSleetFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudSleetFill,
    BIconCloudSnow: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudSnow,
    BIconCloudSnowFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudSnowFill,
    BIconCloudSun: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudSun,
    BIconCloudSunFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudSunFill,
    BIconCloudUpload: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudUpload,
    BIconCloudUploadFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudUploadFill,
    BIconClouds: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconClouds,
    BIconCloudsFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudsFill,
    BIconCloudy: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudy,
    BIconCloudyFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCloudyFill,
    BIconCode: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCode,
    BIconCodeSlash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCodeSlash,
    BIconCodeSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCodeSquare,
    BIconCoin: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCoin,
    BIconCollection: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCollection,
    BIconCollectionFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCollectionFill,
    BIconCollectionPlay: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCollectionPlay,
    BIconCollectionPlayFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCollectionPlayFill,
    BIconColumns: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconColumns,
    BIconColumnsGap: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconColumnsGap,
    BIconCommand: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCommand,
    BIconCompass: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCompass,
    BIconCompassFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCompassFill,
    BIconCone: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCone,
    BIconConeStriped: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconConeStriped,
    BIconController: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconController,
    BIconCpu: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCpu,
    BIconCpuFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCpuFill,
    BIconCreditCard: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCreditCard,
    BIconCreditCard2Back: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCreditCard2Back,
    BIconCreditCard2BackFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCreditCard2BackFill,
    BIconCreditCard2Front: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCreditCard2Front,
    BIconCreditCard2FrontFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCreditCard2FrontFill,
    BIconCreditCardFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCreditCardFill,
    BIconCrop: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCrop,
    BIconCup: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCup,
    BIconCupFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCupFill,
    BIconCupStraw: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCupStraw,
    BIconCurrencyBitcoin: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCurrencyBitcoin,
    BIconCurrencyDollar: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCurrencyDollar,
    BIconCurrencyEuro: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCurrencyEuro,
    BIconCurrencyExchange: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCurrencyExchange,
    BIconCurrencyPound: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCurrencyPound,
    BIconCurrencyYen: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCurrencyYen,
    BIconCursor: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCursor,
    BIconCursorFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCursorFill,
    BIconCursorText: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconCursorText,
    BIconDash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDash,
    BIconDashCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDashCircle,
    BIconDashCircleDotted: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDashCircleDotted,
    BIconDashCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDashCircleFill,
    BIconDashLg: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDashLg,
    BIconDashSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDashSquare,
    BIconDashSquareDotted: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDashSquareDotted,
    BIconDashSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDashSquareFill,
    BIconDiagram2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDiagram2,
    BIconDiagram2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDiagram2Fill,
    BIconDiagram3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDiagram3,
    BIconDiagram3Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDiagram3Fill,
    BIconDiamond: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDiamond,
    BIconDiamondFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDiamondFill,
    BIconDiamondHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDiamondHalf,
    BIconDice1: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice1,
    BIconDice1Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice1Fill,
    BIconDice2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice2,
    BIconDice2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice2Fill,
    BIconDice3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice3,
    BIconDice3Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice3Fill,
    BIconDice4: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice4,
    BIconDice4Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice4Fill,
    BIconDice5: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice5,
    BIconDice5Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice5Fill,
    BIconDice6: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice6,
    BIconDice6Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDice6Fill,
    BIconDisc: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDisc,
    BIconDiscFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDiscFill,
    BIconDiscord: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDiscord,
    BIconDisplay: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDisplay,
    BIconDisplayFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDisplayFill,
    BIconDistributeHorizontal: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDistributeHorizontal,
    BIconDistributeVertical: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDistributeVertical,
    BIconDoorClosed: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDoorClosed,
    BIconDoorClosedFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDoorClosedFill,
    BIconDoorOpen: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDoorOpen,
    BIconDoorOpenFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDoorOpenFill,
    BIconDot: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDot,
    BIconDownload: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDownload,
    BIconDroplet: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDroplet,
    BIconDropletFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDropletFill,
    BIconDropletHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconDropletHalf,
    BIconEarbuds: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEarbuds,
    BIconEasel: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEasel,
    BIconEaselFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEaselFill,
    BIconEgg: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEgg,
    BIconEggFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEggFill,
    BIconEggFried: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEggFried,
    BIconEject: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEject,
    BIconEjectFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEjectFill,
    BIconEmojiAngry: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiAngry,
    BIconEmojiAngryFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiAngryFill,
    BIconEmojiDizzy: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiDizzy,
    BIconEmojiDizzyFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiDizzyFill,
    BIconEmojiExpressionless: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiExpressionless,
    BIconEmojiExpressionlessFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiExpressionlessFill,
    BIconEmojiFrown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiFrown,
    BIconEmojiFrownFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiFrownFill,
    BIconEmojiHeartEyes: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiHeartEyes,
    BIconEmojiHeartEyesFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiHeartEyesFill,
    BIconEmojiLaughing: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiLaughing,
    BIconEmojiLaughingFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiLaughingFill,
    BIconEmojiNeutral: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiNeutral,
    BIconEmojiNeutralFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiNeutralFill,
    BIconEmojiSmile: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiSmile,
    BIconEmojiSmileFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiSmileFill,
    BIconEmojiSmileUpsideDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiSmileUpsideDown,
    BIconEmojiSmileUpsideDownFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiSmileUpsideDownFill,
    BIconEmojiSunglasses: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiSunglasses,
    BIconEmojiSunglassesFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiSunglassesFill,
    BIconEmojiWink: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiWink,
    BIconEmojiWinkFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEmojiWinkFill,
    BIconEnvelope: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEnvelope,
    BIconEnvelopeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEnvelopeFill,
    BIconEnvelopeOpen: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEnvelopeOpen,
    BIconEnvelopeOpenFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEnvelopeOpenFill,
    BIconEraser: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEraser,
    BIconEraserFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEraserFill,
    BIconExclamation: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamation,
    BIconExclamationCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationCircle,
    BIconExclamationCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationCircleFill,
    BIconExclamationDiamond: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationDiamond,
    BIconExclamationDiamondFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationDiamondFill,
    BIconExclamationLg: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationLg,
    BIconExclamationOctagon: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationOctagon,
    BIconExclamationOctagonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationOctagonFill,
    BIconExclamationSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationSquare,
    BIconExclamationSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationSquareFill,
    BIconExclamationTriangle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationTriangle,
    BIconExclamationTriangleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclamationTriangleFill,
    BIconExclude: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconExclude,
    BIconEye: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEye,
    BIconEyeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEyeFill,
    BIconEyeSlash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEyeSlash,
    BIconEyeSlashFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEyeSlashFill,
    BIconEyedropper: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEyedropper,
    BIconEyeglasses: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconEyeglasses,
    BIconFacebook: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFacebook,
    BIconFile: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFile,
    BIconFileArrowDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileArrowDown,
    BIconFileArrowDownFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileArrowDownFill,
    BIconFileArrowUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileArrowUp,
    BIconFileArrowUpFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileArrowUpFill,
    BIconFileBarGraph: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileBarGraph,
    BIconFileBarGraphFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileBarGraphFill,
    BIconFileBinary: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileBinary,
    BIconFileBinaryFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileBinaryFill,
    BIconFileBreak: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileBreak,
    BIconFileBreakFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileBreakFill,
    BIconFileCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileCheck,
    BIconFileCheckFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileCheckFill,
    BIconFileCode: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileCode,
    BIconFileCodeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileCodeFill,
    BIconFileDiff: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileDiff,
    BIconFileDiffFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileDiffFill,
    BIconFileEarmark: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmark,
    BIconFileEarmarkArrowDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkArrowDown,
    BIconFileEarmarkArrowDownFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkArrowDownFill,
    BIconFileEarmarkArrowUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkArrowUp,
    BIconFileEarmarkArrowUpFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkArrowUpFill,
    BIconFileEarmarkBarGraph: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkBarGraph,
    BIconFileEarmarkBarGraphFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkBarGraphFill,
    BIconFileEarmarkBinary: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkBinary,
    BIconFileEarmarkBinaryFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkBinaryFill,
    BIconFileEarmarkBreak: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkBreak,
    BIconFileEarmarkBreakFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkBreakFill,
    BIconFileEarmarkCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkCheck,
    BIconFileEarmarkCheckFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkCheckFill,
    BIconFileEarmarkCode: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkCode,
    BIconFileEarmarkCodeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkCodeFill,
    BIconFileEarmarkDiff: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkDiff,
    BIconFileEarmarkDiffFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkDiffFill,
    BIconFileEarmarkEasel: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkEasel,
    BIconFileEarmarkEaselFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkEaselFill,
    BIconFileEarmarkExcel: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkExcel,
    BIconFileEarmarkExcelFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkExcelFill,
    BIconFileEarmarkFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkFill,
    BIconFileEarmarkFont: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkFont,
    BIconFileEarmarkFontFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkFontFill,
    BIconFileEarmarkImage: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkImage,
    BIconFileEarmarkImageFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkImageFill,
    BIconFileEarmarkLock: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkLock,
    BIconFileEarmarkLock2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkLock2,
    BIconFileEarmarkLock2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkLock2Fill,
    BIconFileEarmarkLockFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkLockFill,
    BIconFileEarmarkMedical: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkMedical,
    BIconFileEarmarkMedicalFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkMedicalFill,
    BIconFileEarmarkMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkMinus,
    BIconFileEarmarkMinusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkMinusFill,
    BIconFileEarmarkMusic: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkMusic,
    BIconFileEarmarkMusicFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkMusicFill,
    BIconFileEarmarkPdf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPdf,
    BIconFileEarmarkPdfFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPdfFill,
    BIconFileEarmarkPerson: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPerson,
    BIconFileEarmarkPersonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPersonFill,
    BIconFileEarmarkPlay: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPlay,
    BIconFileEarmarkPlayFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPlayFill,
    BIconFileEarmarkPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPlus,
    BIconFileEarmarkPlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPlusFill,
    BIconFileEarmarkPost: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPost,
    BIconFileEarmarkPostFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPostFill,
    BIconFileEarmarkPpt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPpt,
    BIconFileEarmarkPptFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkPptFill,
    BIconFileEarmarkRichtext: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkRichtext,
    BIconFileEarmarkRichtextFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkRichtextFill,
    BIconFileEarmarkRuled: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkRuled,
    BIconFileEarmarkRuledFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkRuledFill,
    BIconFileEarmarkSlides: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkSlides,
    BIconFileEarmarkSlidesFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkSlidesFill,
    BIconFileEarmarkSpreadsheet: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkSpreadsheet,
    BIconFileEarmarkSpreadsheetFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkSpreadsheetFill,
    BIconFileEarmarkText: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkText,
    BIconFileEarmarkTextFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkTextFill,
    BIconFileEarmarkWord: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkWord,
    BIconFileEarmarkWordFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkWordFill,
    BIconFileEarmarkX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkX,
    BIconFileEarmarkXFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkXFill,
    BIconFileEarmarkZip: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkZip,
    BIconFileEarmarkZipFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEarmarkZipFill,
    BIconFileEasel: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEasel,
    BIconFileEaselFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileEaselFill,
    BIconFileExcel: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileExcel,
    BIconFileExcelFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileExcelFill,
    BIconFileFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileFill,
    BIconFileFont: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileFont,
    BIconFileFontFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileFontFill,
    BIconFileImage: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileImage,
    BIconFileImageFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileImageFill,
    BIconFileLock: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileLock,
    BIconFileLock2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileLock2,
    BIconFileLock2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileLock2Fill,
    BIconFileLockFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileLockFill,
    BIconFileMedical: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileMedical,
    BIconFileMedicalFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileMedicalFill,
    BIconFileMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileMinus,
    BIconFileMinusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileMinusFill,
    BIconFileMusic: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileMusic,
    BIconFileMusicFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileMusicFill,
    BIconFilePdf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePdf,
    BIconFilePdfFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePdfFill,
    BIconFilePerson: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePerson,
    BIconFilePersonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePersonFill,
    BIconFilePlay: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePlay,
    BIconFilePlayFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePlayFill,
    BIconFilePlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePlus,
    BIconFilePlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePlusFill,
    BIconFilePost: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePost,
    BIconFilePostFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePostFill,
    BIconFilePpt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePpt,
    BIconFilePptFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilePptFill,
    BIconFileRichtext: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileRichtext,
    BIconFileRichtextFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileRichtextFill,
    BIconFileRuled: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileRuled,
    BIconFileRuledFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileRuledFill,
    BIconFileSlides: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileSlides,
    BIconFileSlidesFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileSlidesFill,
    BIconFileSpreadsheet: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileSpreadsheet,
    BIconFileSpreadsheetFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileSpreadsheetFill,
    BIconFileText: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileText,
    BIconFileTextFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileTextFill,
    BIconFileWord: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileWord,
    BIconFileWordFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileWordFill,
    BIconFileX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileX,
    BIconFileXFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileXFill,
    BIconFileZip: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileZip,
    BIconFileZipFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFileZipFill,
    BIconFiles: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFiles,
    BIconFilesAlt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilesAlt,
    BIconFilm: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilm,
    BIconFilter: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilter,
    BIconFilterCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilterCircle,
    BIconFilterCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilterCircleFill,
    BIconFilterLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilterLeft,
    BIconFilterRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilterRight,
    BIconFilterSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilterSquare,
    BIconFilterSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFilterSquareFill,
    BIconFlag: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFlag,
    BIconFlagFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFlagFill,
    BIconFlower1: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFlower1,
    BIconFlower2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFlower2,
    BIconFlower3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFlower3,
    BIconFolder: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFolder,
    BIconFolder2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFolder2,
    BIconFolder2Open: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFolder2Open,
    BIconFolderCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFolderCheck,
    BIconFolderFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFolderFill,
    BIconFolderMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFolderMinus,
    BIconFolderPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFolderPlus,
    BIconFolderSymlink: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFolderSymlink,
    BIconFolderSymlinkFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFolderSymlinkFill,
    BIconFolderX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFolderX,
    BIconFonts: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFonts,
    BIconForward: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconForward,
    BIconForwardFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconForwardFill,
    BIconFront: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFront,
    BIconFullscreen: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFullscreen,
    BIconFullscreenExit: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFullscreenExit,
    BIconFunnel: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFunnel,
    BIconFunnelFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconFunnelFill,
    BIconGear: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGear,
    BIconGearFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGearFill,
    BIconGearWide: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGearWide,
    BIconGearWideConnected: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGearWideConnected,
    BIconGem: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGem,
    BIconGenderAmbiguous: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGenderAmbiguous,
    BIconGenderFemale: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGenderFemale,
    BIconGenderMale: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGenderMale,
    BIconGenderTrans: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGenderTrans,
    BIconGeo: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGeo,
    BIconGeoAlt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGeoAlt,
    BIconGeoAltFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGeoAltFill,
    BIconGeoFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGeoFill,
    BIconGift: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGift,
    BIconGiftFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGiftFill,
    BIconGithub: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGithub,
    BIconGlobe: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGlobe,
    BIconGlobe2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGlobe2,
    BIconGoogle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGoogle,
    BIconGraphDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGraphDown,
    BIconGraphUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGraphUp,
    BIconGrid: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGrid,
    BIconGrid1x2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGrid1x2,
    BIconGrid1x2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGrid1x2Fill,
    BIconGrid3x2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGrid3x2,
    BIconGrid3x2Gap: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGrid3x2Gap,
    BIconGrid3x2GapFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGrid3x2GapFill,
    BIconGrid3x3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGrid3x3,
    BIconGrid3x3Gap: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGrid3x3Gap,
    BIconGrid3x3GapFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGrid3x3GapFill,
    BIconGridFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGridFill,
    BIconGripHorizontal: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGripHorizontal,
    BIconGripVertical: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconGripVertical,
    BIconHammer: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHammer,
    BIconHandIndex: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHandIndex,
    BIconHandIndexFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHandIndexFill,
    BIconHandIndexThumb: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHandIndexThumb,
    BIconHandIndexThumbFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHandIndexThumbFill,
    BIconHandThumbsDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHandThumbsDown,
    BIconHandThumbsDownFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHandThumbsDownFill,
    BIconHandThumbsUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHandThumbsUp,
    BIconHandThumbsUpFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHandThumbsUpFill,
    BIconHandbag: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHandbag,
    BIconHandbagFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHandbagFill,
    BIconHash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHash,
    BIconHdd: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHdd,
    BIconHddFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHddFill,
    BIconHddNetwork: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHddNetwork,
    BIconHddNetworkFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHddNetworkFill,
    BIconHddRack: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHddRack,
    BIconHddRackFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHddRackFill,
    BIconHddStack: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHddStack,
    BIconHddStackFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHddStackFill,
    BIconHeadphones: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHeadphones,
    BIconHeadset: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHeadset,
    BIconHeadsetVr: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHeadsetVr,
    BIconHeart: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHeart,
    BIconHeartFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHeartFill,
    BIconHeartHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHeartHalf,
    BIconHeptagon: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHeptagon,
    BIconHeptagonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHeptagonFill,
    BIconHeptagonHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHeptagonHalf,
    BIconHexagon: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHexagon,
    BIconHexagonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHexagonFill,
    BIconHexagonHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHexagonHalf,
    BIconHourglass: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHourglass,
    BIconHourglassBottom: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHourglassBottom,
    BIconHourglassSplit: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHourglassSplit,
    BIconHourglassTop: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHourglassTop,
    BIconHouse: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHouse,
    BIconHouseDoor: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHouseDoor,
    BIconHouseDoorFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHouseDoorFill,
    BIconHouseFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHouseFill,
    BIconHr: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHr,
    BIconHurricane: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconHurricane,
    BIconImage: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconImage,
    BIconImageAlt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconImageAlt,
    BIconImageFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconImageFill,
    BIconImages: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconImages,
    BIconInbox: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInbox,
    BIconInboxFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInboxFill,
    BIconInboxes: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInboxes,
    BIconInboxesFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInboxesFill,
    BIconInfo: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInfo,
    BIconInfoCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInfoCircle,
    BIconInfoCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInfoCircleFill,
    BIconInfoLg: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInfoLg,
    BIconInfoSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInfoSquare,
    BIconInfoSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInfoSquareFill,
    BIconInputCursor: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInputCursor,
    BIconInputCursorText: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInputCursorText,
    BIconInstagram: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconInstagram,
    BIconIntersect: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconIntersect,
    BIconJournal: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournal,
    BIconJournalAlbum: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalAlbum,
    BIconJournalArrowDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalArrowDown,
    BIconJournalArrowUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalArrowUp,
    BIconJournalBookmark: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalBookmark,
    BIconJournalBookmarkFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalBookmarkFill,
    BIconJournalCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalCheck,
    BIconJournalCode: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalCode,
    BIconJournalMedical: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalMedical,
    BIconJournalMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalMinus,
    BIconJournalPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalPlus,
    BIconJournalRichtext: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalRichtext,
    BIconJournalText: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalText,
    BIconJournalX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournalX,
    BIconJournals: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJournals,
    BIconJoystick: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJoystick,
    BIconJustify: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJustify,
    BIconJustifyLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJustifyLeft,
    BIconJustifyRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconJustifyRight,
    BIconKanban: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconKanban,
    BIconKanbanFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconKanbanFill,
    BIconKey: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconKey,
    BIconKeyFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconKeyFill,
    BIconKeyboard: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconKeyboard,
    BIconKeyboardFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconKeyboardFill,
    BIconLadder: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLadder,
    BIconLamp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLamp,
    BIconLampFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLampFill,
    BIconLaptop: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLaptop,
    BIconLaptopFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLaptopFill,
    BIconLayerBackward: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayerBackward,
    BIconLayerForward: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayerForward,
    BIconLayers: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayers,
    BIconLayersFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayersFill,
    BIconLayersHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayersHalf,
    BIconLayoutSidebar: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutSidebar,
    BIconLayoutSidebarInset: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutSidebarInset,
    BIconLayoutSidebarInsetReverse: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutSidebarInsetReverse,
    BIconLayoutSidebarReverse: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutSidebarReverse,
    BIconLayoutSplit: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutSplit,
    BIconLayoutTextSidebar: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutTextSidebar,
    BIconLayoutTextSidebarReverse: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutTextSidebarReverse,
    BIconLayoutTextWindow: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutTextWindow,
    BIconLayoutTextWindowReverse: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutTextWindowReverse,
    BIconLayoutThreeColumns: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutThreeColumns,
    BIconLayoutWtf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLayoutWtf,
    BIconLifePreserver: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLifePreserver,
    BIconLightbulb: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLightbulb,
    BIconLightbulbFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLightbulbFill,
    BIconLightbulbOff: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLightbulbOff,
    BIconLightbulbOffFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLightbulbOffFill,
    BIconLightning: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLightning,
    BIconLightningCharge: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLightningCharge,
    BIconLightningChargeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLightningChargeFill,
    BIconLightningFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLightningFill,
    BIconLink: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLink,
    BIconLink45deg: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLink45deg,
    BIconLinkedin: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLinkedin,
    BIconList: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconList,
    BIconListCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconListCheck,
    BIconListNested: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconListNested,
    BIconListOl: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconListOl,
    BIconListStars: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconListStars,
    BIconListTask: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconListTask,
    BIconListUl: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconListUl,
    BIconLock: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLock,
    BIconLockFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconLockFill,
    BIconMailbox: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMailbox,
    BIconMailbox2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMailbox2,
    BIconMap: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMap,
    BIconMapFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMapFill,
    BIconMarkdown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMarkdown,
    BIconMarkdownFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMarkdownFill,
    BIconMask: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMask,
    BIconMastodon: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMastodon,
    BIconMegaphone: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMegaphone,
    BIconMegaphoneFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMegaphoneFill,
    BIconMenuApp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMenuApp,
    BIconMenuAppFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMenuAppFill,
    BIconMenuButton: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMenuButton,
    BIconMenuButtonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMenuButtonFill,
    BIconMenuButtonWide: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMenuButtonWide,
    BIconMenuButtonWideFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMenuButtonWideFill,
    BIconMenuDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMenuDown,
    BIconMenuUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMenuUp,
    BIconMessenger: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMessenger,
    BIconMic: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMic,
    BIconMicFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMicFill,
    BIconMicMute: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMicMute,
    BIconMicMuteFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMicMuteFill,
    BIconMinecart: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMinecart,
    BIconMinecartLoaded: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMinecartLoaded,
    BIconMoisture: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMoisture,
    BIconMoon: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMoon,
    BIconMoonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMoonFill,
    BIconMoonStars: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMoonStars,
    BIconMoonStarsFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMoonStarsFill,
    BIconMouse: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMouse,
    BIconMouse2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMouse2,
    BIconMouse2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMouse2Fill,
    BIconMouse3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMouse3,
    BIconMouse3Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMouse3Fill,
    BIconMouseFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMouseFill,
    BIconMusicNote: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMusicNote,
    BIconMusicNoteBeamed: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMusicNoteBeamed,
    BIconMusicNoteList: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMusicNoteList,
    BIconMusicPlayer: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMusicPlayer,
    BIconMusicPlayerFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconMusicPlayerFill,
    BIconNewspaper: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconNewspaper,
    BIconNodeMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconNodeMinus,
    BIconNodeMinusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconNodeMinusFill,
    BIconNodePlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconNodePlus,
    BIconNodePlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconNodePlusFill,
    BIconNut: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconNut,
    BIconNutFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconNutFill,
    BIconOctagon: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconOctagon,
    BIconOctagonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconOctagonFill,
    BIconOctagonHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconOctagonHalf,
    BIconOption: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconOption,
    BIconOutlet: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconOutlet,
    BIconPaintBucket: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPaintBucket,
    BIconPalette: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPalette,
    BIconPalette2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPalette2,
    BIconPaletteFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPaletteFill,
    BIconPaperclip: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPaperclip,
    BIconParagraph: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconParagraph,
    BIconPatchCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPatchCheck,
    BIconPatchCheckFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPatchCheckFill,
    BIconPatchExclamation: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPatchExclamation,
    BIconPatchExclamationFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPatchExclamationFill,
    BIconPatchMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPatchMinus,
    BIconPatchMinusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPatchMinusFill,
    BIconPatchPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPatchPlus,
    BIconPatchPlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPatchPlusFill,
    BIconPatchQuestion: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPatchQuestion,
    BIconPatchQuestionFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPatchQuestionFill,
    BIconPause: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPause,
    BIconPauseBtn: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPauseBtn,
    BIconPauseBtnFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPauseBtnFill,
    BIconPauseCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPauseCircle,
    BIconPauseCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPauseCircleFill,
    BIconPauseFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPauseFill,
    BIconPeace: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPeace,
    BIconPeaceFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPeaceFill,
    BIconPen: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPen,
    BIconPenFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPenFill,
    BIconPencil: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPencil,
    BIconPencilFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPencilFill,
    BIconPencilSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPencilSquare,
    BIconPentagon: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPentagon,
    BIconPentagonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPentagonFill,
    BIconPentagonHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPentagonHalf,
    BIconPeople: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPeople,
    BIconPeopleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPeopleFill,
    BIconPercent: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPercent,
    BIconPerson: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPerson,
    BIconPersonBadge: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonBadge,
    BIconPersonBadgeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonBadgeFill,
    BIconPersonBoundingBox: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonBoundingBox,
    BIconPersonCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonCheck,
    BIconPersonCheckFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonCheckFill,
    BIconPersonCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonCircle,
    BIconPersonDash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonDash,
    BIconPersonDashFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonDashFill,
    BIconPersonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonFill,
    BIconPersonLinesFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonLinesFill,
    BIconPersonPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonPlus,
    BIconPersonPlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonPlusFill,
    BIconPersonSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonSquare,
    BIconPersonX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonX,
    BIconPersonXFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPersonXFill,
    BIconPhone: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPhone,
    BIconPhoneFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPhoneFill,
    BIconPhoneLandscape: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPhoneLandscape,
    BIconPhoneLandscapeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPhoneLandscapeFill,
    BIconPhoneVibrate: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPhoneVibrate,
    BIconPhoneVibrateFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPhoneVibrateFill,
    BIconPieChart: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPieChart,
    BIconPieChartFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPieChartFill,
    BIconPiggyBank: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPiggyBank,
    BIconPiggyBankFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPiggyBankFill,
    BIconPin: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPin,
    BIconPinAngle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPinAngle,
    BIconPinAngleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPinAngleFill,
    BIconPinFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPinFill,
    BIconPinMap: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPinMap,
    BIconPinMapFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPinMapFill,
    BIconPip: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPip,
    BIconPipFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPipFill,
    BIconPlay: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlay,
    BIconPlayBtn: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlayBtn,
    BIconPlayBtnFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlayBtnFill,
    BIconPlayCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlayCircle,
    BIconPlayCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlayCircleFill,
    BIconPlayFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlayFill,
    BIconPlug: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlug,
    BIconPlugFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlugFill,
    BIconPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlus,
    BIconPlusCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlusCircle,
    BIconPlusCircleDotted: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlusCircleDotted,
    BIconPlusCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlusCircleFill,
    BIconPlusLg: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlusLg,
    BIconPlusSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlusSquare,
    BIconPlusSquareDotted: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlusSquareDotted,
    BIconPlusSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPlusSquareFill,
    BIconPower: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPower,
    BIconPrinter: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPrinter,
    BIconPrinterFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPrinterFill,
    BIconPuzzle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPuzzle,
    BIconPuzzleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconPuzzleFill,
    BIconQuestion: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconQuestion,
    BIconQuestionCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconQuestionCircle,
    BIconQuestionCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconQuestionCircleFill,
    BIconQuestionDiamond: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconQuestionDiamond,
    BIconQuestionDiamondFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconQuestionDiamondFill,
    BIconQuestionLg: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconQuestionLg,
    BIconQuestionOctagon: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconQuestionOctagon,
    BIconQuestionOctagonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconQuestionOctagonFill,
    BIconQuestionSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconQuestionSquare,
    BIconQuestionSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconQuestionSquareFill,
    BIconRainbow: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRainbow,
    BIconReceipt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReceipt,
    BIconReceiptCutoff: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReceiptCutoff,
    BIconReception0: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReception0,
    BIconReception1: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReception1,
    BIconReception2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReception2,
    BIconReception3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReception3,
    BIconReception4: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReception4,
    BIconRecord: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRecord,
    BIconRecord2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRecord2,
    BIconRecord2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRecord2Fill,
    BIconRecordBtn: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRecordBtn,
    BIconRecordBtnFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRecordBtnFill,
    BIconRecordCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRecordCircle,
    BIconRecordCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRecordCircleFill,
    BIconRecordFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRecordFill,
    BIconRecycle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRecycle,
    BIconReddit: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReddit,
    BIconReply: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReply,
    BIconReplyAll: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReplyAll,
    BIconReplyAllFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReplyAllFill,
    BIconReplyFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconReplyFill,
    BIconRss: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRss,
    BIconRssFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRssFill,
    BIconRulers: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconRulers,
    BIconSafe: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSafe,
    BIconSafe2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSafe2,
    BIconSafe2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSafe2Fill,
    BIconSafeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSafeFill,
    BIconSave: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSave,
    BIconSave2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSave2,
    BIconSave2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSave2Fill,
    BIconSaveFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSaveFill,
    BIconScissors: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconScissors,
    BIconScrewdriver: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconScrewdriver,
    BIconSdCard: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSdCard,
    BIconSdCardFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSdCardFill,
    BIconSearch: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSearch,
    BIconSegmentedNav: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSegmentedNav,
    BIconServer: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconServer,
    BIconShare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShare,
    BIconShareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShareFill,
    BIconShield: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShield,
    BIconShieldCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldCheck,
    BIconShieldExclamation: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldExclamation,
    BIconShieldFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldFill,
    BIconShieldFillCheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldFillCheck,
    BIconShieldFillExclamation: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldFillExclamation,
    BIconShieldFillMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldFillMinus,
    BIconShieldFillPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldFillPlus,
    BIconShieldFillX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldFillX,
    BIconShieldLock: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldLock,
    BIconShieldLockFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldLockFill,
    BIconShieldMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldMinus,
    BIconShieldPlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldPlus,
    BIconShieldShaded: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldShaded,
    BIconShieldSlash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldSlash,
    BIconShieldSlashFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldSlashFill,
    BIconShieldX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShieldX,
    BIconShift: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShift,
    BIconShiftFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShiftFill,
    BIconShop: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShop,
    BIconShopWindow: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShopWindow,
    BIconShuffle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconShuffle,
    BIconSignpost: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSignpost,
    BIconSignpost2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSignpost2,
    BIconSignpost2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSignpost2Fill,
    BIconSignpostFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSignpostFill,
    BIconSignpostSplit: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSignpostSplit,
    BIconSignpostSplitFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSignpostSplitFill,
    BIconSim: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSim,
    BIconSimFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSimFill,
    BIconSkipBackward: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipBackward,
    BIconSkipBackwardBtn: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipBackwardBtn,
    BIconSkipBackwardBtnFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipBackwardBtnFill,
    BIconSkipBackwardCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipBackwardCircle,
    BIconSkipBackwardCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipBackwardCircleFill,
    BIconSkipBackwardFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipBackwardFill,
    BIconSkipEnd: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipEnd,
    BIconSkipEndBtn: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipEndBtn,
    BIconSkipEndBtnFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipEndBtnFill,
    BIconSkipEndCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipEndCircle,
    BIconSkipEndCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipEndCircleFill,
    BIconSkipEndFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipEndFill,
    BIconSkipForward: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipForward,
    BIconSkipForwardBtn: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipForwardBtn,
    BIconSkipForwardBtnFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipForwardBtnFill,
    BIconSkipForwardCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipForwardCircle,
    BIconSkipForwardCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipForwardCircleFill,
    BIconSkipForwardFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipForwardFill,
    BIconSkipStart: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipStart,
    BIconSkipStartBtn: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipStartBtn,
    BIconSkipStartBtnFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipStartBtnFill,
    BIconSkipStartCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipStartCircle,
    BIconSkipStartCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipStartCircleFill,
    BIconSkipStartFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkipStartFill,
    BIconSkype: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSkype,
    BIconSlack: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSlack,
    BIconSlash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSlash,
    BIconSlashCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSlashCircle,
    BIconSlashCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSlashCircleFill,
    BIconSlashLg: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSlashLg,
    BIconSlashSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSlashSquare,
    BIconSlashSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSlashSquareFill,
    BIconSliders: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSliders,
    BIconSmartwatch: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSmartwatch,
    BIconSnow: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSnow,
    BIconSnow2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSnow2,
    BIconSnow3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSnow3,
    BIconSortAlphaDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortAlphaDown,
    BIconSortAlphaDownAlt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortAlphaDownAlt,
    BIconSortAlphaUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortAlphaUp,
    BIconSortAlphaUpAlt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortAlphaUpAlt,
    BIconSortDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortDown,
    BIconSortDownAlt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortDownAlt,
    BIconSortNumericDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortNumericDown,
    BIconSortNumericDownAlt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortNumericDownAlt,
    BIconSortNumericUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortNumericUp,
    BIconSortNumericUpAlt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortNumericUpAlt,
    BIconSortUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortUp,
    BIconSortUpAlt: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSortUpAlt,
    BIconSoundwave: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSoundwave,
    BIconSpeaker: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSpeaker,
    BIconSpeakerFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSpeakerFill,
    BIconSpeedometer: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSpeedometer,
    BIconSpeedometer2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSpeedometer2,
    BIconSpellcheck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSpellcheck,
    BIconSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSquare,
    BIconSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSquareFill,
    BIconSquareHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSquareHalf,
    BIconStack: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStack,
    BIconStar: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStar,
    BIconStarFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStarFill,
    BIconStarHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStarHalf,
    BIconStars: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStars,
    BIconStickies: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStickies,
    BIconStickiesFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStickiesFill,
    BIconSticky: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSticky,
    BIconStickyFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStickyFill,
    BIconStop: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStop,
    BIconStopBtn: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStopBtn,
    BIconStopBtnFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStopBtnFill,
    BIconStopCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStopCircle,
    BIconStopCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStopCircleFill,
    BIconStopFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStopFill,
    BIconStoplights: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStoplights,
    BIconStoplightsFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStoplightsFill,
    BIconStopwatch: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStopwatch,
    BIconStopwatchFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconStopwatchFill,
    BIconSubtract: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSubtract,
    BIconSuitClub: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSuitClub,
    BIconSuitClubFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSuitClubFill,
    BIconSuitDiamond: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSuitDiamond,
    BIconSuitDiamondFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSuitDiamondFill,
    BIconSuitHeart: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSuitHeart,
    BIconSuitHeartFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSuitHeartFill,
    BIconSuitSpade: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSuitSpade,
    BIconSuitSpadeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSuitSpadeFill,
    BIconSun: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSun,
    BIconSunFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSunFill,
    BIconSunglasses: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSunglasses,
    BIconSunrise: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSunrise,
    BIconSunriseFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSunriseFill,
    BIconSunset: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSunset,
    BIconSunsetFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSunsetFill,
    BIconSymmetryHorizontal: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSymmetryHorizontal,
    BIconSymmetryVertical: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconSymmetryVertical,
    BIconTable: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTable,
    BIconTablet: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTablet,
    BIconTabletFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTabletFill,
    BIconTabletLandscape: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTabletLandscape,
    BIconTabletLandscapeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTabletLandscapeFill,
    BIconTag: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTag,
    BIconTagFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTagFill,
    BIconTags: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTags,
    BIconTagsFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTagsFill,
    BIconTelegram: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelegram,
    BIconTelephone: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephone,
    BIconTelephoneFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneFill,
    BIconTelephoneForward: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneForward,
    BIconTelephoneForwardFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneForwardFill,
    BIconTelephoneInbound: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneInbound,
    BIconTelephoneInboundFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneInboundFill,
    BIconTelephoneMinus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneMinus,
    BIconTelephoneMinusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneMinusFill,
    BIconTelephoneOutbound: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneOutbound,
    BIconTelephoneOutboundFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneOutboundFill,
    BIconTelephonePlus: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephonePlus,
    BIconTelephonePlusFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephonePlusFill,
    BIconTelephoneX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneX,
    BIconTelephoneXFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTelephoneXFill,
    BIconTerminal: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTerminal,
    BIconTerminalFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTerminalFill,
    BIconTextCenter: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTextCenter,
    BIconTextIndentLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTextIndentLeft,
    BIconTextIndentRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTextIndentRight,
    BIconTextLeft: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTextLeft,
    BIconTextParagraph: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTextParagraph,
    BIconTextRight: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTextRight,
    BIconTextarea: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTextarea,
    BIconTextareaResize: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTextareaResize,
    BIconTextareaT: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTextareaT,
    BIconThermometer: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconThermometer,
    BIconThermometerHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconThermometerHalf,
    BIconThermometerHigh: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconThermometerHigh,
    BIconThermometerLow: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconThermometerLow,
    BIconThermometerSnow: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconThermometerSnow,
    BIconThermometerSun: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconThermometerSun,
    BIconThreeDots: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconThreeDots,
    BIconThreeDotsVertical: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconThreeDotsVertical,
    BIconToggle2Off: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconToggle2Off,
    BIconToggle2On: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconToggle2On,
    BIconToggleOff: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconToggleOff,
    BIconToggleOn: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconToggleOn,
    BIconToggles: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconToggles,
    BIconToggles2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconToggles2,
    BIconTools: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTools,
    BIconTornado: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTornado,
    BIconTranslate: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTranslate,
    BIconTrash: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTrash,
    BIconTrash2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTrash2,
    BIconTrash2Fill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTrash2Fill,
    BIconTrashFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTrashFill,
    BIconTree: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTree,
    BIconTreeFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTreeFill,
    BIconTriangle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTriangle,
    BIconTriangleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTriangleFill,
    BIconTriangleHalf: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTriangleHalf,
    BIconTrophy: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTrophy,
    BIconTrophyFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTrophyFill,
    BIconTropicalStorm: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTropicalStorm,
    BIconTruck: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTruck,
    BIconTruckFlatbed: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTruckFlatbed,
    BIconTsunami: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTsunami,
    BIconTv: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTv,
    BIconTvFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTvFill,
    BIconTwitch: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTwitch,
    BIconTwitter: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTwitter,
    BIconType: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconType,
    BIconTypeBold: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTypeBold,
    BIconTypeH1: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTypeH1,
    BIconTypeH2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTypeH2,
    BIconTypeH3: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTypeH3,
    BIconTypeItalic: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTypeItalic,
    BIconTypeStrikethrough: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTypeStrikethrough,
    BIconTypeUnderline: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconTypeUnderline,
    BIconUiChecks: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUiChecks,
    BIconUiChecksGrid: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUiChecksGrid,
    BIconUiRadios: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUiRadios,
    BIconUiRadiosGrid: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUiRadiosGrid,
    BIconUmbrella: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUmbrella,
    BIconUmbrellaFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUmbrellaFill,
    BIconUnion: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUnion,
    BIconUnlock: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUnlock,
    BIconUnlockFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUnlockFill,
    BIconUpc: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUpc,
    BIconUpcScan: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUpcScan,
    BIconUpload: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconUpload,
    BIconVectorPen: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVectorPen,
    BIconViewList: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconViewList,
    BIconViewStacked: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconViewStacked,
    BIconVinyl: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVinyl,
    BIconVinylFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVinylFill,
    BIconVoicemail: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVoicemail,
    BIconVolumeDown: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVolumeDown,
    BIconVolumeDownFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVolumeDownFill,
    BIconVolumeMute: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVolumeMute,
    BIconVolumeMuteFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVolumeMuteFill,
    BIconVolumeOff: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVolumeOff,
    BIconVolumeOffFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVolumeOffFill,
    BIconVolumeUp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVolumeUp,
    BIconVolumeUpFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVolumeUpFill,
    BIconVr: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconVr,
    BIconWallet: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWallet,
    BIconWallet2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWallet2,
    BIconWalletFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWalletFill,
    BIconWatch: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWatch,
    BIconWater: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWater,
    BIconWhatsapp: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWhatsapp,
    BIconWifi: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWifi,
    BIconWifi1: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWifi1,
    BIconWifi2: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWifi2,
    BIconWifiOff: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWifiOff,
    BIconWind: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWind,
    BIconWindow: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWindow,
    BIconWindowDock: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWindowDock,
    BIconWindowSidebar: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWindowSidebar,
    BIconWrench: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconWrench,
    BIconX: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconX,
    BIconXCircle: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconXCircle,
    BIconXCircleFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconXCircleFill,
    BIconXDiamond: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconXDiamond,
    BIconXDiamondFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconXDiamondFill,
    BIconXLg: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconXLg,
    BIconXOctagon: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconXOctagon,
    BIconXOctagonFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconXOctagonFill,
    BIconXSquare: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconXSquare,
    BIconXSquareFill: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconXSquareFill,
    BIconYoutube: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconYoutube,
    BIconZoomIn: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconZoomIn,
    BIconZoomOut: _icons__WEBPACK_IMPORTED_MODULE_3__.BIconZoomOut
  }
}); // Export the BootstrapVueIcons plugin installer
// Mainly for the stand-alone bootstrap-vue-icons.xxx.js builds

var BootstrapVueIcons = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.pluginFactoryNoConfig)({
  plugins: {
    IconsPlugin: IconsPlugin
  }
}, {
  NAME: 'BootstrapVueIcons'
}); // --- END AUTO-GENERATED FILE ---

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/index.js":
/*!*************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/index.js ***!
  \*************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   AlertPlugin: () =&gt; (/* reexport safe */ _components_alert__WEBPACK_IMPORTED_MODULE_10__.AlertPlugin),
/* harmony export */   AspectPlugin: () =&gt; (/* reexport safe */ _components_aspect__WEBPACK_IMPORTED_MODULE_12__.AspectPlugin),
/* harmony export */   AvatarPlugin: () =&gt; (/* reexport safe */ _components_avatar__WEBPACK_IMPORTED_MODULE_14__.AvatarPlugin),
/* harmony export */   BAlert: () =&gt; (/* reexport safe */ _components_alert_alert__WEBPACK_IMPORTED_MODULE_11__.BAlert),
/* harmony export */   BAspect: () =&gt; (/* reexport safe */ _components_aspect_aspect__WEBPACK_IMPORTED_MODULE_13__.BAspect),
/* harmony export */   BAvatar: () =&gt; (/* reexport safe */ _components_avatar_avatar__WEBPACK_IMPORTED_MODULE_15__.BAvatar),
/* harmony export */   BAvatarGroup: () =&gt; (/* reexport safe */ _components_avatar_avatar_group__WEBPACK_IMPORTED_MODULE_16__.BAvatarGroup),
/* harmony export */   BBadge: () =&gt; (/* reexport safe */ _components_badge_badge__WEBPACK_IMPORTED_MODULE_18__.BBadge),
/* harmony export */   BBreadcrumb: () =&gt; (/* reexport safe */ _components_breadcrumb_breadcrumb__WEBPACK_IMPORTED_MODULE_20__.BBreadcrumb),
/* harmony export */   BBreadcrumbItem: () =&gt; (/* reexport safe */ _components_breadcrumb_breadcrumb_item__WEBPACK_IMPORTED_MODULE_21__.BBreadcrumbItem),
/* harmony export */   BButton: () =&gt; (/* reexport safe */ _components_button_button__WEBPACK_IMPORTED_MODULE_23__.BButton),
/* harmony export */   BButtonClose: () =&gt; (/* reexport safe */ _components_button_button_close__WEBPACK_IMPORTED_MODULE_24__.BButtonClose),
/* harmony export */   BButtonGroup: () =&gt; (/* reexport safe */ _components_button_group_button_group__WEBPACK_IMPORTED_MODULE_26__.BButtonGroup),
/* harmony export */   BButtonToolbar: () =&gt; (/* reexport safe */ _components_button_toolbar_button_toolbar__WEBPACK_IMPORTED_MODULE_28__.BButtonToolbar),
/* harmony export */   BCalendar: () =&gt; (/* reexport safe */ _components_calendar_calendar__WEBPACK_IMPORTED_MODULE_30__.BCalendar),
/* harmony export */   BCard: () =&gt; (/* reexport safe */ _components_card_card__WEBPACK_IMPORTED_MODULE_32__.BCard),
/* harmony export */   BCardBody: () =&gt; (/* reexport safe */ _components_card_card_body__WEBPACK_IMPORTED_MODULE_33__.BCardBody),
/* harmony export */   BCardFooter: () =&gt; (/* reexport safe */ _components_card_card_footer__WEBPACK_IMPORTED_MODULE_34__.BCardFooter),
/* harmony export */   BCardGroup: () =&gt; (/* reexport safe */ _components_card_card_group__WEBPACK_IMPORTED_MODULE_35__.BCardGroup),
/* harmony export */   BCardHeader: () =&gt; (/* reexport safe */ _components_card_card_header__WEBPACK_IMPORTED_MODULE_36__.BCardHeader),
/* harmony export */   BCardImg: () =&gt; (/* reexport safe */ _components_card_card_img__WEBPACK_IMPORTED_MODULE_37__.BCardImg),
/* harmony export */   BCardImgLazy: () =&gt; (/* reexport safe */ _components_card_card_img_lazy__WEBPACK_IMPORTED_MODULE_38__.BCardImgLazy),
/* harmony export */   BCardSubTitle: () =&gt; (/* reexport safe */ _components_card_card_sub_title__WEBPACK_IMPORTED_MODULE_39__.BCardSubTitle),
/* harmony export */   BCardText: () =&gt; (/* reexport safe */ _components_card_card_text__WEBPACK_IMPORTED_MODULE_40__.BCardText),
/* harmony export */   BCardTitle: () =&gt; (/* reexport safe */ _components_card_card_title__WEBPACK_IMPORTED_MODULE_41__.BCardTitle),
/* harmony export */   BCarousel: () =&gt; (/* reexport safe */ _components_carousel_carousel__WEBPACK_IMPORTED_MODULE_43__.BCarousel),
/* harmony export */   BCarouselSlide: () =&gt; (/* reexport safe */ _components_carousel_carousel_slide__WEBPACK_IMPORTED_MODULE_44__.BCarouselSlide),
/* harmony export */   BCol: () =&gt; (/* reexport safe */ _components_layout_col__WEBPACK_IMPORTED_MODULE_107__.BCol),
/* harmony export */   BCollapse: () =&gt; (/* reexport safe */ _components_collapse_collapse__WEBPACK_IMPORTED_MODULE_46__.BCollapse),
/* harmony export */   BContainer: () =&gt; (/* reexport safe */ _components_layout_container__WEBPACK_IMPORTED_MODULE_105__.BContainer),
/* harmony export */   BDropdown: () =&gt; (/* reexport safe */ _components_dropdown_dropdown__WEBPACK_IMPORTED_MODULE_48__.BDropdown),
/* harmony export */   BDropdownDivider: () =&gt; (/* reexport safe */ _components_dropdown_dropdown_divider__WEBPACK_IMPORTED_MODULE_51__.BDropdownDivider),
/* harmony export */   BDropdownForm: () =&gt; (/* reexport safe */ _components_dropdown_dropdown_form__WEBPACK_IMPORTED_MODULE_52__.BDropdownForm),
/* harmony export */   BDropdownGroup: () =&gt; (/* reexport safe */ _components_dropdown_dropdown_group__WEBPACK_IMPORTED_MODULE_53__.BDropdownGroup),
/* harmony export */   BDropdownHeader: () =&gt; (/* reexport safe */ _components_dropdown_dropdown_header__WEBPACK_IMPORTED_MODULE_54__.BDropdownHeader),
/* harmony export */   BDropdownItem: () =&gt; (/* reexport safe */ _components_dropdown_dropdown_item__WEBPACK_IMPORTED_MODULE_49__.BDropdownItem),
/* harmony export */   BDropdownItemButton: () =&gt; (/* reexport safe */ _components_dropdown_dropdown_item_button__WEBPACK_IMPORTED_MODULE_50__.BDropdownItemButton),
/* harmony export */   BDropdownText: () =&gt; (/* reexport safe */ _components_dropdown_dropdown_text__WEBPACK_IMPORTED_MODULE_55__.BDropdownText),
/* harmony export */   BEmbed: () =&gt; (/* reexport safe */ _components_embed_embed__WEBPACK_IMPORTED_MODULE_57__.BEmbed),
/* harmony export */   BForm: () =&gt; (/* reexport safe */ _components_form_form__WEBPACK_IMPORTED_MODULE_59__.BForm),
/* harmony export */   BFormCheckbox: () =&gt; (/* reexport safe */ _components_form_checkbox_form_checkbox__WEBPACK_IMPORTED_MODULE_65__.BFormCheckbox),
/* harmony export */   BFormCheckboxGroup: () =&gt; (/* reexport safe */ _components_form_checkbox_form_checkbox_group__WEBPACK_IMPORTED_MODULE_66__.BFormCheckboxGroup),
/* harmony export */   BFormDatalist: () =&gt; (/* reexport safe */ _components_form_form_datalist__WEBPACK_IMPORTED_MODULE_60__.BFormDatalist),
/* harmony export */   BFormDatepicker: () =&gt; (/* reexport safe */ _components_form_datepicker_form_datepicker__WEBPACK_IMPORTED_MODULE_68__.BFormDatepicker),
/* harmony export */   BFormFile: () =&gt; (/* reexport safe */ _components_form_file_form_file__WEBPACK_IMPORTED_MODULE_70__.BFormFile),
/* harmony export */   BFormGroup: () =&gt; (/* reexport safe */ _components_form_group_form_group__WEBPACK_IMPORTED_MODULE_72__.BFormGroup),
/* harmony export */   BFormInput: () =&gt; (/* reexport safe */ _components_form_input_form_input__WEBPACK_IMPORTED_MODULE_74__.BFormInput),
/* harmony export */   BFormInvalidFeedback: () =&gt; (/* reexport safe */ _components_form_form_invalid_feedback__WEBPACK_IMPORTED_MODULE_62__.BFormInvalidFeedback),
/* harmony export */   BFormRadio: () =&gt; (/* reexport safe */ _components_form_radio_form_radio__WEBPACK_IMPORTED_MODULE_76__.BFormRadio),
/* harmony export */   BFormRadioGroup: () =&gt; (/* reexport safe */ _components_form_radio_form_radio_group__WEBPACK_IMPORTED_MODULE_77__.BFormRadioGroup),
/* harmony export */   BFormRating: () =&gt; (/* reexport safe */ _components_form_rating_form_rating__WEBPACK_IMPORTED_MODULE_79__.BFormRating),
/* harmony export */   BFormRow: () =&gt; (/* reexport safe */ _components_layout_form_row__WEBPACK_IMPORTED_MODULE_108__.BFormRow),
/* harmony export */   BFormSelect: () =&gt; (/* reexport safe */ _components_form_select_form_select__WEBPACK_IMPORTED_MODULE_84__.BFormSelect),
/* harmony export */   BFormSelectOption: () =&gt; (/* reexport safe */ _components_form_select_form_select_option__WEBPACK_IMPORTED_MODULE_85__.BFormSelectOption),
/* harmony export */   BFormSelectOptionGroup: () =&gt; (/* reexport safe */ _components_form_select_form_select_option_group__WEBPACK_IMPORTED_MODULE_86__.BFormSelectOptionGroup),
/* harmony export */   BFormSpinbutton: () =&gt; (/* reexport safe */ _components_form_spinbutton_form_spinbutton__WEBPACK_IMPORTED_MODULE_88__.BFormSpinbutton),
/* harmony export */   BFormTag: () =&gt; (/* reexport safe */ _components_form_tags_form_tag__WEBPACK_IMPORTED_MODULE_82__.BFormTag),
/* harmony export */   BFormTags: () =&gt; (/* reexport safe */ _components_form_tags_form_tags__WEBPACK_IMPORTED_MODULE_81__.BFormTags),
/* harmony export */   BFormText: () =&gt; (/* reexport safe */ _components_form_form_text__WEBPACK_IMPORTED_MODULE_61__.BFormText),
/* harmony export */   BFormTextarea: () =&gt; (/* reexport safe */ _components_form_textarea_form_textarea__WEBPACK_IMPORTED_MODULE_90__.BFormTextarea),
/* harmony export */   BFormTimepicker: () =&gt; (/* reexport safe */ _components_form_timepicker_form_timepicker__WEBPACK_IMPORTED_MODULE_92__.BFormTimepicker),
/* harmony export */   BFormValidFeedback: () =&gt; (/* reexport safe */ _components_form_form_valid_feedback__WEBPACK_IMPORTED_MODULE_63__.BFormValidFeedback),
/* harmony export */   BIcon: () =&gt; (/* reexport safe */ _icons_icon__WEBPACK_IMPORTED_MODULE_7__.BIcon),
/* harmony export */   BIconAlarm: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAlarm),
/* harmony export */   BIconAlarmFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAlarmFill),
/* harmony export */   BIconAlignBottom: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAlignBottom),
/* harmony export */   BIconAlignCenter: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAlignCenter),
/* harmony export */   BIconAlignEnd: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAlignEnd),
/* harmony export */   BIconAlignMiddle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAlignMiddle),
/* harmony export */   BIconAlignStart: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAlignStart),
/* harmony export */   BIconAlignTop: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAlignTop),
/* harmony export */   BIconAlt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAlt),
/* harmony export */   BIconApp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconApp),
/* harmony export */   BIconAppIndicator: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAppIndicator),
/* harmony export */   BIconArchive: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArchive),
/* harmony export */   BIconArchiveFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArchiveFill),
/* harmony export */   BIconArrow90degDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrow90degDown),
/* harmony export */   BIconArrow90degLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrow90degLeft),
/* harmony export */   BIconArrow90degRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrow90degRight),
/* harmony export */   BIconArrow90degUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrow90degUp),
/* harmony export */   BIconArrowBarDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowBarDown),
/* harmony export */   BIconArrowBarLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowBarLeft),
/* harmony export */   BIconArrowBarRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowBarRight),
/* harmony export */   BIconArrowBarUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowBarUp),
/* harmony export */   BIconArrowClockwise: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowClockwise),
/* harmony export */   BIconArrowCounterclockwise: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowCounterclockwise),
/* harmony export */   BIconArrowDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDown),
/* harmony export */   BIconArrowDownCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownCircle),
/* harmony export */   BIconArrowDownCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownCircleFill),
/* harmony export */   BIconArrowDownLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownLeft),
/* harmony export */   BIconArrowDownLeftCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownLeftCircle),
/* harmony export */   BIconArrowDownLeftCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownLeftCircleFill),
/* harmony export */   BIconArrowDownLeftSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownLeftSquare),
/* harmony export */   BIconArrowDownLeftSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownLeftSquareFill),
/* harmony export */   BIconArrowDownRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownRight),
/* harmony export */   BIconArrowDownRightCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownRightCircle),
/* harmony export */   BIconArrowDownRightCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownRightCircleFill),
/* harmony export */   BIconArrowDownRightSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownRightSquare),
/* harmony export */   BIconArrowDownRightSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownRightSquareFill),
/* harmony export */   BIconArrowDownShort: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownShort),
/* harmony export */   BIconArrowDownSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownSquare),
/* harmony export */   BIconArrowDownSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownSquareFill),
/* harmony export */   BIconArrowDownUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowDownUp),
/* harmony export */   BIconArrowLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowLeft),
/* harmony export */   BIconArrowLeftCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowLeftCircle),
/* harmony export */   BIconArrowLeftCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowLeftCircleFill),
/* harmony export */   BIconArrowLeftRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowLeftRight),
/* harmony export */   BIconArrowLeftShort: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowLeftShort),
/* harmony export */   BIconArrowLeftSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowLeftSquare),
/* harmony export */   BIconArrowLeftSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowLeftSquareFill),
/* harmony export */   BIconArrowRepeat: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowRepeat),
/* harmony export */   BIconArrowReturnLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowReturnLeft),
/* harmony export */   BIconArrowReturnRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowReturnRight),
/* harmony export */   BIconArrowRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowRight),
/* harmony export */   BIconArrowRightCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowRightCircle),
/* harmony export */   BIconArrowRightCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowRightCircleFill),
/* harmony export */   BIconArrowRightShort: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowRightShort),
/* harmony export */   BIconArrowRightSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowRightSquare),
/* harmony export */   BIconArrowRightSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowRightSquareFill),
/* harmony export */   BIconArrowUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUp),
/* harmony export */   BIconArrowUpCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpCircle),
/* harmony export */   BIconArrowUpCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpCircleFill),
/* harmony export */   BIconArrowUpLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpLeft),
/* harmony export */   BIconArrowUpLeftCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpLeftCircle),
/* harmony export */   BIconArrowUpLeftCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpLeftCircleFill),
/* harmony export */   BIconArrowUpLeftSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpLeftSquare),
/* harmony export */   BIconArrowUpLeftSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpLeftSquareFill),
/* harmony export */   BIconArrowUpRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpRight),
/* harmony export */   BIconArrowUpRightCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpRightCircle),
/* harmony export */   BIconArrowUpRightCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpRightCircleFill),
/* harmony export */   BIconArrowUpRightSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpRightSquare),
/* harmony export */   BIconArrowUpRightSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpRightSquareFill),
/* harmony export */   BIconArrowUpShort: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpShort),
/* harmony export */   BIconArrowUpSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpSquare),
/* harmony export */   BIconArrowUpSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowUpSquareFill),
/* harmony export */   BIconArrowsAngleContract: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowsAngleContract),
/* harmony export */   BIconArrowsAngleExpand: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowsAngleExpand),
/* harmony export */   BIconArrowsCollapse: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowsCollapse),
/* harmony export */   BIconArrowsExpand: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowsExpand),
/* harmony export */   BIconArrowsFullscreen: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowsFullscreen),
/* harmony export */   BIconArrowsMove: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconArrowsMove),
/* harmony export */   BIconAspectRatio: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAspectRatio),
/* harmony export */   BIconAspectRatioFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAspectRatioFill),
/* harmony export */   BIconAsterisk: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAsterisk),
/* harmony export */   BIconAt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAt),
/* harmony export */   BIconAward: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAward),
/* harmony export */   BIconAwardFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconAwardFill),
/* harmony export */   BIconBack: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBack),
/* harmony export */   BIconBackspace: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBackspace),
/* harmony export */   BIconBackspaceFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBackspaceFill),
/* harmony export */   BIconBackspaceReverse: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBackspaceReverse),
/* harmony export */   BIconBackspaceReverseFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBackspaceReverseFill),
/* harmony export */   BIconBadge3d: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadge3d),
/* harmony export */   BIconBadge3dFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadge3dFill),
/* harmony export */   BIconBadge4k: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadge4k),
/* harmony export */   BIconBadge4kFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadge4kFill),
/* harmony export */   BIconBadge8k: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadge8k),
/* harmony export */   BIconBadge8kFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadge8kFill),
/* harmony export */   BIconBadgeAd: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeAd),
/* harmony export */   BIconBadgeAdFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeAdFill),
/* harmony export */   BIconBadgeAr: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeAr),
/* harmony export */   BIconBadgeArFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeArFill),
/* harmony export */   BIconBadgeCc: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeCc),
/* harmony export */   BIconBadgeCcFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeCcFill),
/* harmony export */   BIconBadgeHd: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeHd),
/* harmony export */   BIconBadgeHdFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeHdFill),
/* harmony export */   BIconBadgeTm: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeTm),
/* harmony export */   BIconBadgeTmFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeTmFill),
/* harmony export */   BIconBadgeVo: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeVo),
/* harmony export */   BIconBadgeVoFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeVoFill),
/* harmony export */   BIconBadgeVr: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeVr),
/* harmony export */   BIconBadgeVrFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeVrFill),
/* harmony export */   BIconBadgeWc: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeWc),
/* harmony export */   BIconBadgeWcFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBadgeWcFill),
/* harmony export */   BIconBag: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBag),
/* harmony export */   BIconBagCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBagCheck),
/* harmony export */   BIconBagCheckFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBagCheckFill),
/* harmony export */   BIconBagDash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBagDash),
/* harmony export */   BIconBagDashFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBagDashFill),
/* harmony export */   BIconBagFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBagFill),
/* harmony export */   BIconBagPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBagPlus),
/* harmony export */   BIconBagPlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBagPlusFill),
/* harmony export */   BIconBagX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBagX),
/* harmony export */   BIconBagXFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBagXFill),
/* harmony export */   BIconBank: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBank),
/* harmony export */   BIconBank2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBank2),
/* harmony export */   BIconBarChart: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBarChart),
/* harmony export */   BIconBarChartFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBarChartFill),
/* harmony export */   BIconBarChartLine: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBarChartLine),
/* harmony export */   BIconBarChartLineFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBarChartLineFill),
/* harmony export */   BIconBarChartSteps: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBarChartSteps),
/* harmony export */   BIconBasket: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBasket),
/* harmony export */   BIconBasket2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBasket2),
/* harmony export */   BIconBasket2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBasket2Fill),
/* harmony export */   BIconBasket3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBasket3),
/* harmony export */   BIconBasket3Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBasket3Fill),
/* harmony export */   BIconBasketFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBasketFill),
/* harmony export */   BIconBattery: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBattery),
/* harmony export */   BIconBatteryCharging: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBatteryCharging),
/* harmony export */   BIconBatteryFull: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBatteryFull),
/* harmony export */   BIconBatteryHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBatteryHalf),
/* harmony export */   BIconBell: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBell),
/* harmony export */   BIconBellFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBellFill),
/* harmony export */   BIconBellSlash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBellSlash),
/* harmony export */   BIconBellSlashFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBellSlashFill),
/* harmony export */   BIconBezier: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBezier),
/* harmony export */   BIconBezier2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBezier2),
/* harmony export */   BIconBicycle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBicycle),
/* harmony export */   BIconBinoculars: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBinoculars),
/* harmony export */   BIconBinocularsFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBinocularsFill),
/* harmony export */   BIconBlank: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBlank),
/* harmony export */   BIconBlockquoteLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBlockquoteLeft),
/* harmony export */   BIconBlockquoteRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBlockquoteRight),
/* harmony export */   BIconBook: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBook),
/* harmony export */   BIconBookFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookFill),
/* harmony export */   BIconBookHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookHalf),
/* harmony export */   BIconBookmark: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmark),
/* harmony export */   BIconBookmarkCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkCheck),
/* harmony export */   BIconBookmarkCheckFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkCheckFill),
/* harmony export */   BIconBookmarkDash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkDash),
/* harmony export */   BIconBookmarkDashFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkDashFill),
/* harmony export */   BIconBookmarkFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkFill),
/* harmony export */   BIconBookmarkHeart: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkHeart),
/* harmony export */   BIconBookmarkHeartFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkHeartFill),
/* harmony export */   BIconBookmarkPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkPlus),
/* harmony export */   BIconBookmarkPlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkPlusFill),
/* harmony export */   BIconBookmarkStar: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkStar),
/* harmony export */   BIconBookmarkStarFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkStarFill),
/* harmony export */   BIconBookmarkX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkX),
/* harmony export */   BIconBookmarkXFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarkXFill),
/* harmony export */   BIconBookmarks: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarks),
/* harmony export */   BIconBookmarksFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookmarksFill),
/* harmony export */   BIconBookshelf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBookshelf),
/* harmony export */   BIconBootstrap: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBootstrap),
/* harmony export */   BIconBootstrapFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBootstrapFill),
/* harmony export */   BIconBootstrapReboot: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBootstrapReboot),
/* harmony export */   BIconBorder: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorder),
/* harmony export */   BIconBorderAll: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderAll),
/* harmony export */   BIconBorderBottom: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderBottom),
/* harmony export */   BIconBorderCenter: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderCenter),
/* harmony export */   BIconBorderInner: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderInner),
/* harmony export */   BIconBorderLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderLeft),
/* harmony export */   BIconBorderMiddle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderMiddle),
/* harmony export */   BIconBorderOuter: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderOuter),
/* harmony export */   BIconBorderRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderRight),
/* harmony export */   BIconBorderStyle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderStyle),
/* harmony export */   BIconBorderTop: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderTop),
/* harmony export */   BIconBorderWidth: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBorderWidth),
/* harmony export */   BIconBoundingBox: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoundingBox),
/* harmony export */   BIconBoundingBoxCircles: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoundingBoxCircles),
/* harmony export */   BIconBox: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBox),
/* harmony export */   BIconBoxArrowDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowDown),
/* harmony export */   BIconBoxArrowDownLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowDownLeft),
/* harmony export */   BIconBoxArrowDownRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowDownRight),
/* harmony export */   BIconBoxArrowInDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowInDown),
/* harmony export */   BIconBoxArrowInDownLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowInDownLeft),
/* harmony export */   BIconBoxArrowInDownRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowInDownRight),
/* harmony export */   BIconBoxArrowInLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowInLeft),
/* harmony export */   BIconBoxArrowInRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowInRight),
/* harmony export */   BIconBoxArrowInUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowInUp),
/* harmony export */   BIconBoxArrowInUpLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowInUpLeft),
/* harmony export */   BIconBoxArrowInUpRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowInUpRight),
/* harmony export */   BIconBoxArrowLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowLeft),
/* harmony export */   BIconBoxArrowRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowRight),
/* harmony export */   BIconBoxArrowUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowUp),
/* harmony export */   BIconBoxArrowUpLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowUpLeft),
/* harmony export */   BIconBoxArrowUpRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxArrowUpRight),
/* harmony export */   BIconBoxSeam: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBoxSeam),
/* harmony export */   BIconBraces: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBraces),
/* harmony export */   BIconBricks: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBricks),
/* harmony export */   BIconBriefcase: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBriefcase),
/* harmony export */   BIconBriefcaseFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBriefcaseFill),
/* harmony export */   BIconBrightnessAltHigh: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBrightnessAltHigh),
/* harmony export */   BIconBrightnessAltHighFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBrightnessAltHighFill),
/* harmony export */   BIconBrightnessAltLow: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBrightnessAltLow),
/* harmony export */   BIconBrightnessAltLowFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBrightnessAltLowFill),
/* harmony export */   BIconBrightnessHigh: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBrightnessHigh),
/* harmony export */   BIconBrightnessHighFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBrightnessHighFill),
/* harmony export */   BIconBrightnessLow: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBrightnessLow),
/* harmony export */   BIconBrightnessLowFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBrightnessLowFill),
/* harmony export */   BIconBroadcast: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBroadcast),
/* harmony export */   BIconBroadcastPin: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBroadcastPin),
/* harmony export */   BIconBrush: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBrush),
/* harmony export */   BIconBrushFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBrushFill),
/* harmony export */   BIconBucket: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBucket),
/* harmony export */   BIconBucketFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBucketFill),
/* harmony export */   BIconBug: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBug),
/* harmony export */   BIconBugFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBugFill),
/* harmony export */   BIconBuilding: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBuilding),
/* harmony export */   BIconBullseye: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconBullseye),
/* harmony export */   BIconCalculator: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalculator),
/* harmony export */   BIconCalculatorFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalculatorFill),
/* harmony export */   BIconCalendar: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar),
/* harmony export */   BIconCalendar2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2),
/* harmony export */   BIconCalendar2Check: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2Check),
/* harmony export */   BIconCalendar2CheckFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2CheckFill),
/* harmony export */   BIconCalendar2Date: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2Date),
/* harmony export */   BIconCalendar2DateFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2DateFill),
/* harmony export */   BIconCalendar2Day: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2Day),
/* harmony export */   BIconCalendar2DayFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2DayFill),
/* harmony export */   BIconCalendar2Event: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2Event),
/* harmony export */   BIconCalendar2EventFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2EventFill),
/* harmony export */   BIconCalendar2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2Fill),
/* harmony export */   BIconCalendar2Minus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2Minus),
/* harmony export */   BIconCalendar2MinusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2MinusFill),
/* harmony export */   BIconCalendar2Month: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2Month),
/* harmony export */   BIconCalendar2MonthFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2MonthFill),
/* harmony export */   BIconCalendar2Plus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2Plus),
/* harmony export */   BIconCalendar2PlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2PlusFill),
/* harmony export */   BIconCalendar2Range: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2Range),
/* harmony export */   BIconCalendar2RangeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2RangeFill),
/* harmony export */   BIconCalendar2Week: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2Week),
/* harmony export */   BIconCalendar2WeekFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2WeekFill),
/* harmony export */   BIconCalendar2X: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2X),
/* harmony export */   BIconCalendar2XFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar2XFill),
/* harmony export */   BIconCalendar3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar3),
/* harmony export */   BIconCalendar3Event: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar3Event),
/* harmony export */   BIconCalendar3EventFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar3EventFill),
/* harmony export */   BIconCalendar3Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar3Fill),
/* harmony export */   BIconCalendar3Range: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar3Range),
/* harmony export */   BIconCalendar3RangeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar3RangeFill),
/* harmony export */   BIconCalendar3Week: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar3Week),
/* harmony export */   BIconCalendar3WeekFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar3WeekFill),
/* harmony export */   BIconCalendar4: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar4),
/* harmony export */   BIconCalendar4Event: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar4Event),
/* harmony export */   BIconCalendar4Range: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar4Range),
/* harmony export */   BIconCalendar4Week: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendar4Week),
/* harmony export */   BIconCalendarCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarCheck),
/* harmony export */   BIconCalendarCheckFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarCheckFill),
/* harmony export */   BIconCalendarDate: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarDate),
/* harmony export */   BIconCalendarDateFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarDateFill),
/* harmony export */   BIconCalendarDay: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarDay),
/* harmony export */   BIconCalendarDayFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarDayFill),
/* harmony export */   BIconCalendarEvent: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarEvent),
/* harmony export */   BIconCalendarEventFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarEventFill),
/* harmony export */   BIconCalendarFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarFill),
/* harmony export */   BIconCalendarMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarMinus),
/* harmony export */   BIconCalendarMinusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarMinusFill),
/* harmony export */   BIconCalendarMonth: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarMonth),
/* harmony export */   BIconCalendarMonthFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarMonthFill),
/* harmony export */   BIconCalendarPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarPlus),
/* harmony export */   BIconCalendarPlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarPlusFill),
/* harmony export */   BIconCalendarRange: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarRange),
/* harmony export */   BIconCalendarRangeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarRangeFill),
/* harmony export */   BIconCalendarWeek: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarWeek),
/* harmony export */   BIconCalendarWeekFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarWeekFill),
/* harmony export */   BIconCalendarX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarX),
/* harmony export */   BIconCalendarXFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCalendarXFill),
/* harmony export */   BIconCamera: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCamera),
/* harmony export */   BIconCamera2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCamera2),
/* harmony export */   BIconCameraFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCameraFill),
/* harmony export */   BIconCameraReels: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCameraReels),
/* harmony export */   BIconCameraReelsFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCameraReelsFill),
/* harmony export */   BIconCameraVideo: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCameraVideo),
/* harmony export */   BIconCameraVideoFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCameraVideoFill),
/* harmony export */   BIconCameraVideoOff: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCameraVideoOff),
/* harmony export */   BIconCameraVideoOffFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCameraVideoOffFill),
/* harmony export */   BIconCapslock: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCapslock),
/* harmony export */   BIconCapslockFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCapslockFill),
/* harmony export */   BIconCardChecklist: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCardChecklist),
/* harmony export */   BIconCardHeading: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCardHeading),
/* harmony export */   BIconCardImage: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCardImage),
/* harmony export */   BIconCardList: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCardList),
/* harmony export */   BIconCardText: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCardText),
/* harmony export */   BIconCaretDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretDown),
/* harmony export */   BIconCaretDownFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretDownFill),
/* harmony export */   BIconCaretDownSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretDownSquare),
/* harmony export */   BIconCaretDownSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretDownSquareFill),
/* harmony export */   BIconCaretLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretLeft),
/* harmony export */   BIconCaretLeftFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretLeftFill),
/* harmony export */   BIconCaretLeftSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretLeftSquare),
/* harmony export */   BIconCaretLeftSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretLeftSquareFill),
/* harmony export */   BIconCaretRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretRight),
/* harmony export */   BIconCaretRightFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretRightFill),
/* harmony export */   BIconCaretRightSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretRightSquare),
/* harmony export */   BIconCaretRightSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretRightSquareFill),
/* harmony export */   BIconCaretUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretUp),
/* harmony export */   BIconCaretUpFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretUpFill),
/* harmony export */   BIconCaretUpSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretUpSquare),
/* harmony export */   BIconCaretUpSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCaretUpSquareFill),
/* harmony export */   BIconCart: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCart),
/* harmony export */   BIconCart2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCart2),
/* harmony export */   BIconCart3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCart3),
/* harmony export */   BIconCart4: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCart4),
/* harmony export */   BIconCartCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCartCheck),
/* harmony export */   BIconCartCheckFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCartCheckFill),
/* harmony export */   BIconCartDash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCartDash),
/* harmony export */   BIconCartDashFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCartDashFill),
/* harmony export */   BIconCartFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCartFill),
/* harmony export */   BIconCartPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCartPlus),
/* harmony export */   BIconCartPlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCartPlusFill),
/* harmony export */   BIconCartX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCartX),
/* harmony export */   BIconCartXFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCartXFill),
/* harmony export */   BIconCash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCash),
/* harmony export */   BIconCashCoin: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCashCoin),
/* harmony export */   BIconCashStack: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCashStack),
/* harmony export */   BIconCast: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCast),
/* harmony export */   BIconChat: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChat),
/* harmony export */   BIconChatDots: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatDots),
/* harmony export */   BIconChatDotsFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatDotsFill),
/* harmony export */   BIconChatFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatFill),
/* harmony export */   BIconChatLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatLeft),
/* harmony export */   BIconChatLeftDots: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatLeftDots),
/* harmony export */   BIconChatLeftDotsFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatLeftDotsFill),
/* harmony export */   BIconChatLeftFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatLeftFill),
/* harmony export */   BIconChatLeftQuote: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatLeftQuote),
/* harmony export */   BIconChatLeftQuoteFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatLeftQuoteFill),
/* harmony export */   BIconChatLeftText: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatLeftText),
/* harmony export */   BIconChatLeftTextFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatLeftTextFill),
/* harmony export */   BIconChatQuote: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatQuote),
/* harmony export */   BIconChatQuoteFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatQuoteFill),
/* harmony export */   BIconChatRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatRight),
/* harmony export */   BIconChatRightDots: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatRightDots),
/* harmony export */   BIconChatRightDotsFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatRightDotsFill),
/* harmony export */   BIconChatRightFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatRightFill),
/* harmony export */   BIconChatRightQuote: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatRightQuote),
/* harmony export */   BIconChatRightQuoteFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatRightQuoteFill),
/* harmony export */   BIconChatRightText: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatRightText),
/* harmony export */   BIconChatRightTextFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatRightTextFill),
/* harmony export */   BIconChatSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatSquare),
/* harmony export */   BIconChatSquareDots: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatSquareDots),
/* harmony export */   BIconChatSquareDotsFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatSquareDotsFill),
/* harmony export */   BIconChatSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatSquareFill),
/* harmony export */   BIconChatSquareQuote: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatSquareQuote),
/* harmony export */   BIconChatSquareQuoteFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatSquareQuoteFill),
/* harmony export */   BIconChatSquareText: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatSquareText),
/* harmony export */   BIconChatSquareTextFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatSquareTextFill),
/* harmony export */   BIconChatText: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatText),
/* harmony export */   BIconChatTextFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChatTextFill),
/* harmony export */   BIconCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheck),
/* harmony export */   BIconCheck2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheck2),
/* harmony export */   BIconCheck2All: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheck2All),
/* harmony export */   BIconCheck2Circle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheck2Circle),
/* harmony export */   BIconCheck2Square: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheck2Square),
/* harmony export */   BIconCheckAll: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheckAll),
/* harmony export */   BIconCheckCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheckCircle),
/* harmony export */   BIconCheckCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheckCircleFill),
/* harmony export */   BIconCheckLg: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheckLg),
/* harmony export */   BIconCheckSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheckSquare),
/* harmony export */   BIconCheckSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCheckSquareFill),
/* harmony export */   BIconChevronBarContract: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronBarContract),
/* harmony export */   BIconChevronBarDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronBarDown),
/* harmony export */   BIconChevronBarExpand: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronBarExpand),
/* harmony export */   BIconChevronBarLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronBarLeft),
/* harmony export */   BIconChevronBarRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronBarRight),
/* harmony export */   BIconChevronBarUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronBarUp),
/* harmony export */   BIconChevronCompactDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronCompactDown),
/* harmony export */   BIconChevronCompactLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronCompactLeft),
/* harmony export */   BIconChevronCompactRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronCompactRight),
/* harmony export */   BIconChevronCompactUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronCompactUp),
/* harmony export */   BIconChevronContract: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronContract),
/* harmony export */   BIconChevronDoubleDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronDoubleDown),
/* harmony export */   BIconChevronDoubleLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronDoubleLeft),
/* harmony export */   BIconChevronDoubleRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronDoubleRight),
/* harmony export */   BIconChevronDoubleUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronDoubleUp),
/* harmony export */   BIconChevronDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronDown),
/* harmony export */   BIconChevronExpand: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronExpand),
/* harmony export */   BIconChevronLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronLeft),
/* harmony export */   BIconChevronRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronRight),
/* harmony export */   BIconChevronUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconChevronUp),
/* harmony export */   BIconCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCircle),
/* harmony export */   BIconCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCircleFill),
/* harmony export */   BIconCircleHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCircleHalf),
/* harmony export */   BIconCircleSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCircleSquare),
/* harmony export */   BIconClipboard: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconClipboard),
/* harmony export */   BIconClipboardCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconClipboardCheck),
/* harmony export */   BIconClipboardData: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconClipboardData),
/* harmony export */   BIconClipboardMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconClipboardMinus),
/* harmony export */   BIconClipboardPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconClipboardPlus),
/* harmony export */   BIconClipboardX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconClipboardX),
/* harmony export */   BIconClock: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconClock),
/* harmony export */   BIconClockFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconClockFill),
/* harmony export */   BIconClockHistory: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconClockHistory),
/* harmony export */   BIconCloud: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloud),
/* harmony export */   BIconCloudArrowDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudArrowDown),
/* harmony export */   BIconCloudArrowDownFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudArrowDownFill),
/* harmony export */   BIconCloudArrowUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudArrowUp),
/* harmony export */   BIconCloudArrowUpFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudArrowUpFill),
/* harmony export */   BIconCloudCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudCheck),
/* harmony export */   BIconCloudCheckFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudCheckFill),
/* harmony export */   BIconCloudDownload: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudDownload),
/* harmony export */   BIconCloudDownloadFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudDownloadFill),
/* harmony export */   BIconCloudDrizzle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudDrizzle),
/* harmony export */   BIconCloudDrizzleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudDrizzleFill),
/* harmony export */   BIconCloudFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudFill),
/* harmony export */   BIconCloudFog: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudFog),
/* harmony export */   BIconCloudFog2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudFog2),
/* harmony export */   BIconCloudFog2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudFog2Fill),
/* harmony export */   BIconCloudFogFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudFogFill),
/* harmony export */   BIconCloudHail: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudHail),
/* harmony export */   BIconCloudHailFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudHailFill),
/* harmony export */   BIconCloudHaze: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudHaze),
/* harmony export */   BIconCloudHaze1: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudHaze1),
/* harmony export */   BIconCloudHaze2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudHaze2Fill),
/* harmony export */   BIconCloudHazeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudHazeFill),
/* harmony export */   BIconCloudLightning: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudLightning),
/* harmony export */   BIconCloudLightningFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudLightningFill),
/* harmony export */   BIconCloudLightningRain: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudLightningRain),
/* harmony export */   BIconCloudLightningRainFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudLightningRainFill),
/* harmony export */   BIconCloudMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudMinus),
/* harmony export */   BIconCloudMinusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudMinusFill),
/* harmony export */   BIconCloudMoon: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudMoon),
/* harmony export */   BIconCloudMoonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudMoonFill),
/* harmony export */   BIconCloudPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudPlus),
/* harmony export */   BIconCloudPlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudPlusFill),
/* harmony export */   BIconCloudRain: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudRain),
/* harmony export */   BIconCloudRainFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudRainFill),
/* harmony export */   BIconCloudRainHeavy: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudRainHeavy),
/* harmony export */   BIconCloudRainHeavyFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudRainHeavyFill),
/* harmony export */   BIconCloudSlash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudSlash),
/* harmony export */   BIconCloudSlashFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudSlashFill),
/* harmony export */   BIconCloudSleet: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudSleet),
/* harmony export */   BIconCloudSleetFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudSleetFill),
/* harmony export */   BIconCloudSnow: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudSnow),
/* harmony export */   BIconCloudSnowFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudSnowFill),
/* harmony export */   BIconCloudSun: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudSun),
/* harmony export */   BIconCloudSunFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudSunFill),
/* harmony export */   BIconCloudUpload: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudUpload),
/* harmony export */   BIconCloudUploadFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudUploadFill),
/* harmony export */   BIconClouds: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconClouds),
/* harmony export */   BIconCloudsFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudsFill),
/* harmony export */   BIconCloudy: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudy),
/* harmony export */   BIconCloudyFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCloudyFill),
/* harmony export */   BIconCode: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCode),
/* harmony export */   BIconCodeSlash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCodeSlash),
/* harmony export */   BIconCodeSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCodeSquare),
/* harmony export */   BIconCoin: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCoin),
/* harmony export */   BIconCollection: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCollection),
/* harmony export */   BIconCollectionFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCollectionFill),
/* harmony export */   BIconCollectionPlay: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCollectionPlay),
/* harmony export */   BIconCollectionPlayFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCollectionPlayFill),
/* harmony export */   BIconColumns: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconColumns),
/* harmony export */   BIconColumnsGap: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconColumnsGap),
/* harmony export */   BIconCommand: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCommand),
/* harmony export */   BIconCompass: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCompass),
/* harmony export */   BIconCompassFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCompassFill),
/* harmony export */   BIconCone: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCone),
/* harmony export */   BIconConeStriped: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconConeStriped),
/* harmony export */   BIconController: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconController),
/* harmony export */   BIconCpu: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCpu),
/* harmony export */   BIconCpuFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCpuFill),
/* harmony export */   BIconCreditCard: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCreditCard),
/* harmony export */   BIconCreditCard2Back: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCreditCard2Back),
/* harmony export */   BIconCreditCard2BackFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCreditCard2BackFill),
/* harmony export */   BIconCreditCard2Front: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCreditCard2Front),
/* harmony export */   BIconCreditCard2FrontFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCreditCard2FrontFill),
/* harmony export */   BIconCreditCardFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCreditCardFill),
/* harmony export */   BIconCrop: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCrop),
/* harmony export */   BIconCup: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCup),
/* harmony export */   BIconCupFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCupFill),
/* harmony export */   BIconCupStraw: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCupStraw),
/* harmony export */   BIconCurrencyBitcoin: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCurrencyBitcoin),
/* harmony export */   BIconCurrencyDollar: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCurrencyDollar),
/* harmony export */   BIconCurrencyEuro: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCurrencyEuro),
/* harmony export */   BIconCurrencyExchange: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCurrencyExchange),
/* harmony export */   BIconCurrencyPound: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCurrencyPound),
/* harmony export */   BIconCurrencyYen: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCurrencyYen),
/* harmony export */   BIconCursor: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCursor),
/* harmony export */   BIconCursorFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCursorFill),
/* harmony export */   BIconCursorText: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconCursorText),
/* harmony export */   BIconDash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDash),
/* harmony export */   BIconDashCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDashCircle),
/* harmony export */   BIconDashCircleDotted: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDashCircleDotted),
/* harmony export */   BIconDashCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDashCircleFill),
/* harmony export */   BIconDashLg: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDashLg),
/* harmony export */   BIconDashSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDashSquare),
/* harmony export */   BIconDashSquareDotted: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDashSquareDotted),
/* harmony export */   BIconDashSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDashSquareFill),
/* harmony export */   BIconDiagram2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDiagram2),
/* harmony export */   BIconDiagram2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDiagram2Fill),
/* harmony export */   BIconDiagram3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDiagram3),
/* harmony export */   BIconDiagram3Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDiagram3Fill),
/* harmony export */   BIconDiamond: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDiamond),
/* harmony export */   BIconDiamondFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDiamondFill),
/* harmony export */   BIconDiamondHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDiamondHalf),
/* harmony export */   BIconDice1: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice1),
/* harmony export */   BIconDice1Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice1Fill),
/* harmony export */   BIconDice2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice2),
/* harmony export */   BIconDice2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice2Fill),
/* harmony export */   BIconDice3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice3),
/* harmony export */   BIconDice3Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice3Fill),
/* harmony export */   BIconDice4: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice4),
/* harmony export */   BIconDice4Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice4Fill),
/* harmony export */   BIconDice5: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice5),
/* harmony export */   BIconDice5Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice5Fill),
/* harmony export */   BIconDice6: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice6),
/* harmony export */   BIconDice6Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDice6Fill),
/* harmony export */   BIconDisc: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDisc),
/* harmony export */   BIconDiscFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDiscFill),
/* harmony export */   BIconDiscord: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDiscord),
/* harmony export */   BIconDisplay: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDisplay),
/* harmony export */   BIconDisplayFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDisplayFill),
/* harmony export */   BIconDistributeHorizontal: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDistributeHorizontal),
/* harmony export */   BIconDistributeVertical: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDistributeVertical),
/* harmony export */   BIconDoorClosed: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDoorClosed),
/* harmony export */   BIconDoorClosedFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDoorClosedFill),
/* harmony export */   BIconDoorOpen: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDoorOpen),
/* harmony export */   BIconDoorOpenFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDoorOpenFill),
/* harmony export */   BIconDot: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDot),
/* harmony export */   BIconDownload: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDownload),
/* harmony export */   BIconDroplet: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDroplet),
/* harmony export */   BIconDropletFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDropletFill),
/* harmony export */   BIconDropletHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconDropletHalf),
/* harmony export */   BIconEarbuds: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEarbuds),
/* harmony export */   BIconEasel: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEasel),
/* harmony export */   BIconEaselFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEaselFill),
/* harmony export */   BIconEgg: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEgg),
/* harmony export */   BIconEggFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEggFill),
/* harmony export */   BIconEggFried: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEggFried),
/* harmony export */   BIconEject: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEject),
/* harmony export */   BIconEjectFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEjectFill),
/* harmony export */   BIconEmojiAngry: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiAngry),
/* harmony export */   BIconEmojiAngryFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiAngryFill),
/* harmony export */   BIconEmojiDizzy: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiDizzy),
/* harmony export */   BIconEmojiDizzyFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiDizzyFill),
/* harmony export */   BIconEmojiExpressionless: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiExpressionless),
/* harmony export */   BIconEmojiExpressionlessFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiExpressionlessFill),
/* harmony export */   BIconEmojiFrown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiFrown),
/* harmony export */   BIconEmojiFrownFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiFrownFill),
/* harmony export */   BIconEmojiHeartEyes: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiHeartEyes),
/* harmony export */   BIconEmojiHeartEyesFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiHeartEyesFill),
/* harmony export */   BIconEmojiLaughing: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiLaughing),
/* harmony export */   BIconEmojiLaughingFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiLaughingFill),
/* harmony export */   BIconEmojiNeutral: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiNeutral),
/* harmony export */   BIconEmojiNeutralFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiNeutralFill),
/* harmony export */   BIconEmojiSmile: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiSmile),
/* harmony export */   BIconEmojiSmileFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiSmileFill),
/* harmony export */   BIconEmojiSmileUpsideDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiSmileUpsideDown),
/* harmony export */   BIconEmojiSmileUpsideDownFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiSmileUpsideDownFill),
/* harmony export */   BIconEmojiSunglasses: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiSunglasses),
/* harmony export */   BIconEmojiSunglassesFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiSunglassesFill),
/* harmony export */   BIconEmojiWink: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiWink),
/* harmony export */   BIconEmojiWinkFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEmojiWinkFill),
/* harmony export */   BIconEnvelope: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEnvelope),
/* harmony export */   BIconEnvelopeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEnvelopeFill),
/* harmony export */   BIconEnvelopeOpen: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEnvelopeOpen),
/* harmony export */   BIconEnvelopeOpenFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEnvelopeOpenFill),
/* harmony export */   BIconEraser: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEraser),
/* harmony export */   BIconEraserFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEraserFill),
/* harmony export */   BIconExclamation: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamation),
/* harmony export */   BIconExclamationCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationCircle),
/* harmony export */   BIconExclamationCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationCircleFill),
/* harmony export */   BIconExclamationDiamond: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationDiamond),
/* harmony export */   BIconExclamationDiamondFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationDiamondFill),
/* harmony export */   BIconExclamationLg: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationLg),
/* harmony export */   BIconExclamationOctagon: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationOctagon),
/* harmony export */   BIconExclamationOctagonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationOctagonFill),
/* harmony export */   BIconExclamationSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationSquare),
/* harmony export */   BIconExclamationSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationSquareFill),
/* harmony export */   BIconExclamationTriangle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationTriangle),
/* harmony export */   BIconExclamationTriangleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclamationTriangleFill),
/* harmony export */   BIconExclude: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconExclude),
/* harmony export */   BIconEye: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEye),
/* harmony export */   BIconEyeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEyeFill),
/* harmony export */   BIconEyeSlash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEyeSlash),
/* harmony export */   BIconEyeSlashFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEyeSlashFill),
/* harmony export */   BIconEyedropper: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEyedropper),
/* harmony export */   BIconEyeglasses: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconEyeglasses),
/* harmony export */   BIconFacebook: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFacebook),
/* harmony export */   BIconFile: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFile),
/* harmony export */   BIconFileArrowDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileArrowDown),
/* harmony export */   BIconFileArrowDownFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileArrowDownFill),
/* harmony export */   BIconFileArrowUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileArrowUp),
/* harmony export */   BIconFileArrowUpFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileArrowUpFill),
/* harmony export */   BIconFileBarGraph: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileBarGraph),
/* harmony export */   BIconFileBarGraphFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileBarGraphFill),
/* harmony export */   BIconFileBinary: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileBinary),
/* harmony export */   BIconFileBinaryFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileBinaryFill),
/* harmony export */   BIconFileBreak: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileBreak),
/* harmony export */   BIconFileBreakFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileBreakFill),
/* harmony export */   BIconFileCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileCheck),
/* harmony export */   BIconFileCheckFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileCheckFill),
/* harmony export */   BIconFileCode: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileCode),
/* harmony export */   BIconFileCodeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileCodeFill),
/* harmony export */   BIconFileDiff: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileDiff),
/* harmony export */   BIconFileDiffFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileDiffFill),
/* harmony export */   BIconFileEarmark: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmark),
/* harmony export */   BIconFileEarmarkArrowDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkArrowDown),
/* harmony export */   BIconFileEarmarkArrowDownFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkArrowDownFill),
/* harmony export */   BIconFileEarmarkArrowUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkArrowUp),
/* harmony export */   BIconFileEarmarkArrowUpFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkArrowUpFill),
/* harmony export */   BIconFileEarmarkBarGraph: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkBarGraph),
/* harmony export */   BIconFileEarmarkBarGraphFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkBarGraphFill),
/* harmony export */   BIconFileEarmarkBinary: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkBinary),
/* harmony export */   BIconFileEarmarkBinaryFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkBinaryFill),
/* harmony export */   BIconFileEarmarkBreak: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkBreak),
/* harmony export */   BIconFileEarmarkBreakFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkBreakFill),
/* harmony export */   BIconFileEarmarkCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkCheck),
/* harmony export */   BIconFileEarmarkCheckFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkCheckFill),
/* harmony export */   BIconFileEarmarkCode: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkCode),
/* harmony export */   BIconFileEarmarkCodeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkCodeFill),
/* harmony export */   BIconFileEarmarkDiff: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkDiff),
/* harmony export */   BIconFileEarmarkDiffFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkDiffFill),
/* harmony export */   BIconFileEarmarkEasel: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkEasel),
/* harmony export */   BIconFileEarmarkEaselFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkEaselFill),
/* harmony export */   BIconFileEarmarkExcel: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkExcel),
/* harmony export */   BIconFileEarmarkExcelFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkExcelFill),
/* harmony export */   BIconFileEarmarkFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkFill),
/* harmony export */   BIconFileEarmarkFont: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkFont),
/* harmony export */   BIconFileEarmarkFontFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkFontFill),
/* harmony export */   BIconFileEarmarkImage: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkImage),
/* harmony export */   BIconFileEarmarkImageFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkImageFill),
/* harmony export */   BIconFileEarmarkLock: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkLock),
/* harmony export */   BIconFileEarmarkLock2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkLock2),
/* harmony export */   BIconFileEarmarkLock2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkLock2Fill),
/* harmony export */   BIconFileEarmarkLockFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkLockFill),
/* harmony export */   BIconFileEarmarkMedical: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkMedical),
/* harmony export */   BIconFileEarmarkMedicalFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkMedicalFill),
/* harmony export */   BIconFileEarmarkMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkMinus),
/* harmony export */   BIconFileEarmarkMinusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkMinusFill),
/* harmony export */   BIconFileEarmarkMusic: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkMusic),
/* harmony export */   BIconFileEarmarkMusicFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkMusicFill),
/* harmony export */   BIconFileEarmarkPdf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPdf),
/* harmony export */   BIconFileEarmarkPdfFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPdfFill),
/* harmony export */   BIconFileEarmarkPerson: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPerson),
/* harmony export */   BIconFileEarmarkPersonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPersonFill),
/* harmony export */   BIconFileEarmarkPlay: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPlay),
/* harmony export */   BIconFileEarmarkPlayFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPlayFill),
/* harmony export */   BIconFileEarmarkPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPlus),
/* harmony export */   BIconFileEarmarkPlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPlusFill),
/* harmony export */   BIconFileEarmarkPost: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPost),
/* harmony export */   BIconFileEarmarkPostFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPostFill),
/* harmony export */   BIconFileEarmarkPpt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPpt),
/* harmony export */   BIconFileEarmarkPptFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkPptFill),
/* harmony export */   BIconFileEarmarkRichtext: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkRichtext),
/* harmony export */   BIconFileEarmarkRichtextFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkRichtextFill),
/* harmony export */   BIconFileEarmarkRuled: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkRuled),
/* harmony export */   BIconFileEarmarkRuledFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkRuledFill),
/* harmony export */   BIconFileEarmarkSlides: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkSlides),
/* harmony export */   BIconFileEarmarkSlidesFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkSlidesFill),
/* harmony export */   BIconFileEarmarkSpreadsheet: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkSpreadsheet),
/* harmony export */   BIconFileEarmarkSpreadsheetFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkSpreadsheetFill),
/* harmony export */   BIconFileEarmarkText: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkText),
/* harmony export */   BIconFileEarmarkTextFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkTextFill),
/* harmony export */   BIconFileEarmarkWord: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkWord),
/* harmony export */   BIconFileEarmarkWordFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkWordFill),
/* harmony export */   BIconFileEarmarkX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkX),
/* harmony export */   BIconFileEarmarkXFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkXFill),
/* harmony export */   BIconFileEarmarkZip: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkZip),
/* harmony export */   BIconFileEarmarkZipFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEarmarkZipFill),
/* harmony export */   BIconFileEasel: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEasel),
/* harmony export */   BIconFileEaselFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileEaselFill),
/* harmony export */   BIconFileExcel: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileExcel),
/* harmony export */   BIconFileExcelFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileExcelFill),
/* harmony export */   BIconFileFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileFill),
/* harmony export */   BIconFileFont: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileFont),
/* harmony export */   BIconFileFontFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileFontFill),
/* harmony export */   BIconFileImage: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileImage),
/* harmony export */   BIconFileImageFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileImageFill),
/* harmony export */   BIconFileLock: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileLock),
/* harmony export */   BIconFileLock2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileLock2),
/* harmony export */   BIconFileLock2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileLock2Fill),
/* harmony export */   BIconFileLockFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileLockFill),
/* harmony export */   BIconFileMedical: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileMedical),
/* harmony export */   BIconFileMedicalFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileMedicalFill),
/* harmony export */   BIconFileMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileMinus),
/* harmony export */   BIconFileMinusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileMinusFill),
/* harmony export */   BIconFileMusic: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileMusic),
/* harmony export */   BIconFileMusicFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileMusicFill),
/* harmony export */   BIconFilePdf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePdf),
/* harmony export */   BIconFilePdfFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePdfFill),
/* harmony export */   BIconFilePerson: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePerson),
/* harmony export */   BIconFilePersonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePersonFill),
/* harmony export */   BIconFilePlay: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePlay),
/* harmony export */   BIconFilePlayFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePlayFill),
/* harmony export */   BIconFilePlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePlus),
/* harmony export */   BIconFilePlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePlusFill),
/* harmony export */   BIconFilePost: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePost),
/* harmony export */   BIconFilePostFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePostFill),
/* harmony export */   BIconFilePpt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePpt),
/* harmony export */   BIconFilePptFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilePptFill),
/* harmony export */   BIconFileRichtext: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileRichtext),
/* harmony export */   BIconFileRichtextFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileRichtextFill),
/* harmony export */   BIconFileRuled: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileRuled),
/* harmony export */   BIconFileRuledFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileRuledFill),
/* harmony export */   BIconFileSlides: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileSlides),
/* harmony export */   BIconFileSlidesFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileSlidesFill),
/* harmony export */   BIconFileSpreadsheet: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileSpreadsheet),
/* harmony export */   BIconFileSpreadsheetFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileSpreadsheetFill),
/* harmony export */   BIconFileText: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileText),
/* harmony export */   BIconFileTextFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileTextFill),
/* harmony export */   BIconFileWord: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileWord),
/* harmony export */   BIconFileWordFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileWordFill),
/* harmony export */   BIconFileX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileX),
/* harmony export */   BIconFileXFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileXFill),
/* harmony export */   BIconFileZip: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileZip),
/* harmony export */   BIconFileZipFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFileZipFill),
/* harmony export */   BIconFiles: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFiles),
/* harmony export */   BIconFilesAlt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilesAlt),
/* harmony export */   BIconFilm: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilm),
/* harmony export */   BIconFilter: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilter),
/* harmony export */   BIconFilterCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilterCircle),
/* harmony export */   BIconFilterCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilterCircleFill),
/* harmony export */   BIconFilterLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilterLeft),
/* harmony export */   BIconFilterRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilterRight),
/* harmony export */   BIconFilterSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilterSquare),
/* harmony export */   BIconFilterSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFilterSquareFill),
/* harmony export */   BIconFlag: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFlag),
/* harmony export */   BIconFlagFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFlagFill),
/* harmony export */   BIconFlower1: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFlower1),
/* harmony export */   BIconFlower2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFlower2),
/* harmony export */   BIconFlower3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFlower3),
/* harmony export */   BIconFolder: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFolder),
/* harmony export */   BIconFolder2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFolder2),
/* harmony export */   BIconFolder2Open: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFolder2Open),
/* harmony export */   BIconFolderCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFolderCheck),
/* harmony export */   BIconFolderFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFolderFill),
/* harmony export */   BIconFolderMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFolderMinus),
/* harmony export */   BIconFolderPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFolderPlus),
/* harmony export */   BIconFolderSymlink: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFolderSymlink),
/* harmony export */   BIconFolderSymlinkFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFolderSymlinkFill),
/* harmony export */   BIconFolderX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFolderX),
/* harmony export */   BIconFonts: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFonts),
/* harmony export */   BIconForward: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconForward),
/* harmony export */   BIconForwardFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconForwardFill),
/* harmony export */   BIconFront: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFront),
/* harmony export */   BIconFullscreen: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFullscreen),
/* harmony export */   BIconFullscreenExit: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFullscreenExit),
/* harmony export */   BIconFunnel: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFunnel),
/* harmony export */   BIconFunnelFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconFunnelFill),
/* harmony export */   BIconGear: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGear),
/* harmony export */   BIconGearFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGearFill),
/* harmony export */   BIconGearWide: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGearWide),
/* harmony export */   BIconGearWideConnected: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGearWideConnected),
/* harmony export */   BIconGem: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGem),
/* harmony export */   BIconGenderAmbiguous: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGenderAmbiguous),
/* harmony export */   BIconGenderFemale: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGenderFemale),
/* harmony export */   BIconGenderMale: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGenderMale),
/* harmony export */   BIconGenderTrans: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGenderTrans),
/* harmony export */   BIconGeo: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGeo),
/* harmony export */   BIconGeoAlt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGeoAlt),
/* harmony export */   BIconGeoAltFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGeoAltFill),
/* harmony export */   BIconGeoFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGeoFill),
/* harmony export */   BIconGift: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGift),
/* harmony export */   BIconGiftFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGiftFill),
/* harmony export */   BIconGithub: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGithub),
/* harmony export */   BIconGlobe: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGlobe),
/* harmony export */   BIconGlobe2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGlobe2),
/* harmony export */   BIconGoogle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGoogle),
/* harmony export */   BIconGraphDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGraphDown),
/* harmony export */   BIconGraphUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGraphUp),
/* harmony export */   BIconGrid: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGrid),
/* harmony export */   BIconGrid1x2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGrid1x2),
/* harmony export */   BIconGrid1x2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGrid1x2Fill),
/* harmony export */   BIconGrid3x2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGrid3x2),
/* harmony export */   BIconGrid3x2Gap: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGrid3x2Gap),
/* harmony export */   BIconGrid3x2GapFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGrid3x2GapFill),
/* harmony export */   BIconGrid3x3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGrid3x3),
/* harmony export */   BIconGrid3x3Gap: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGrid3x3Gap),
/* harmony export */   BIconGrid3x3GapFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGrid3x3GapFill),
/* harmony export */   BIconGridFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGridFill),
/* harmony export */   BIconGripHorizontal: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGripHorizontal),
/* harmony export */   BIconGripVertical: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconGripVertical),
/* harmony export */   BIconHammer: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHammer),
/* harmony export */   BIconHandIndex: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHandIndex),
/* harmony export */   BIconHandIndexFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHandIndexFill),
/* harmony export */   BIconHandIndexThumb: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHandIndexThumb),
/* harmony export */   BIconHandIndexThumbFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHandIndexThumbFill),
/* harmony export */   BIconHandThumbsDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHandThumbsDown),
/* harmony export */   BIconHandThumbsDownFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHandThumbsDownFill),
/* harmony export */   BIconHandThumbsUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHandThumbsUp),
/* harmony export */   BIconHandThumbsUpFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHandThumbsUpFill),
/* harmony export */   BIconHandbag: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHandbag),
/* harmony export */   BIconHandbagFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHandbagFill),
/* harmony export */   BIconHash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHash),
/* harmony export */   BIconHdd: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHdd),
/* harmony export */   BIconHddFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHddFill),
/* harmony export */   BIconHddNetwork: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHddNetwork),
/* harmony export */   BIconHddNetworkFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHddNetworkFill),
/* harmony export */   BIconHddRack: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHddRack),
/* harmony export */   BIconHddRackFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHddRackFill),
/* harmony export */   BIconHddStack: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHddStack),
/* harmony export */   BIconHddStackFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHddStackFill),
/* harmony export */   BIconHeadphones: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHeadphones),
/* harmony export */   BIconHeadset: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHeadset),
/* harmony export */   BIconHeadsetVr: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHeadsetVr),
/* harmony export */   BIconHeart: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHeart),
/* harmony export */   BIconHeartFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHeartFill),
/* harmony export */   BIconHeartHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHeartHalf),
/* harmony export */   BIconHeptagon: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHeptagon),
/* harmony export */   BIconHeptagonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHeptagonFill),
/* harmony export */   BIconHeptagonHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHeptagonHalf),
/* harmony export */   BIconHexagon: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHexagon),
/* harmony export */   BIconHexagonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHexagonFill),
/* harmony export */   BIconHexagonHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHexagonHalf),
/* harmony export */   BIconHourglass: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHourglass),
/* harmony export */   BIconHourglassBottom: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHourglassBottom),
/* harmony export */   BIconHourglassSplit: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHourglassSplit),
/* harmony export */   BIconHourglassTop: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHourglassTop),
/* harmony export */   BIconHouse: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHouse),
/* harmony export */   BIconHouseDoor: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHouseDoor),
/* harmony export */   BIconHouseDoorFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHouseDoorFill),
/* harmony export */   BIconHouseFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHouseFill),
/* harmony export */   BIconHr: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHr),
/* harmony export */   BIconHurricane: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconHurricane),
/* harmony export */   BIconImage: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconImage),
/* harmony export */   BIconImageAlt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconImageAlt),
/* harmony export */   BIconImageFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconImageFill),
/* harmony export */   BIconImages: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconImages),
/* harmony export */   BIconInbox: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInbox),
/* harmony export */   BIconInboxFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInboxFill),
/* harmony export */   BIconInboxes: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInboxes),
/* harmony export */   BIconInboxesFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInboxesFill),
/* harmony export */   BIconInfo: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInfo),
/* harmony export */   BIconInfoCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInfoCircle),
/* harmony export */   BIconInfoCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInfoCircleFill),
/* harmony export */   BIconInfoLg: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInfoLg),
/* harmony export */   BIconInfoSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInfoSquare),
/* harmony export */   BIconInfoSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInfoSquareFill),
/* harmony export */   BIconInputCursor: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInputCursor),
/* harmony export */   BIconInputCursorText: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInputCursorText),
/* harmony export */   BIconInstagram: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconInstagram),
/* harmony export */   BIconIntersect: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconIntersect),
/* harmony export */   BIconJournal: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournal),
/* harmony export */   BIconJournalAlbum: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalAlbum),
/* harmony export */   BIconJournalArrowDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalArrowDown),
/* harmony export */   BIconJournalArrowUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalArrowUp),
/* harmony export */   BIconJournalBookmark: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalBookmark),
/* harmony export */   BIconJournalBookmarkFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalBookmarkFill),
/* harmony export */   BIconJournalCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalCheck),
/* harmony export */   BIconJournalCode: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalCode),
/* harmony export */   BIconJournalMedical: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalMedical),
/* harmony export */   BIconJournalMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalMinus),
/* harmony export */   BIconJournalPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalPlus),
/* harmony export */   BIconJournalRichtext: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalRichtext),
/* harmony export */   BIconJournalText: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalText),
/* harmony export */   BIconJournalX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournalX),
/* harmony export */   BIconJournals: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJournals),
/* harmony export */   BIconJoystick: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJoystick),
/* harmony export */   BIconJustify: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJustify),
/* harmony export */   BIconJustifyLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJustifyLeft),
/* harmony export */   BIconJustifyRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconJustifyRight),
/* harmony export */   BIconKanban: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconKanban),
/* harmony export */   BIconKanbanFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconKanbanFill),
/* harmony export */   BIconKey: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconKey),
/* harmony export */   BIconKeyFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconKeyFill),
/* harmony export */   BIconKeyboard: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconKeyboard),
/* harmony export */   BIconKeyboardFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconKeyboardFill),
/* harmony export */   BIconLadder: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLadder),
/* harmony export */   BIconLamp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLamp),
/* harmony export */   BIconLampFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLampFill),
/* harmony export */   BIconLaptop: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLaptop),
/* harmony export */   BIconLaptopFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLaptopFill),
/* harmony export */   BIconLayerBackward: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayerBackward),
/* harmony export */   BIconLayerForward: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayerForward),
/* harmony export */   BIconLayers: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayers),
/* harmony export */   BIconLayersFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayersFill),
/* harmony export */   BIconLayersHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayersHalf),
/* harmony export */   BIconLayoutSidebar: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutSidebar),
/* harmony export */   BIconLayoutSidebarInset: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutSidebarInset),
/* harmony export */   BIconLayoutSidebarInsetReverse: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutSidebarInsetReverse),
/* harmony export */   BIconLayoutSidebarReverse: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutSidebarReverse),
/* harmony export */   BIconLayoutSplit: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutSplit),
/* harmony export */   BIconLayoutTextSidebar: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutTextSidebar),
/* harmony export */   BIconLayoutTextSidebarReverse: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutTextSidebarReverse),
/* harmony export */   BIconLayoutTextWindow: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutTextWindow),
/* harmony export */   BIconLayoutTextWindowReverse: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutTextWindowReverse),
/* harmony export */   BIconLayoutThreeColumns: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutThreeColumns),
/* harmony export */   BIconLayoutWtf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLayoutWtf),
/* harmony export */   BIconLifePreserver: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLifePreserver),
/* harmony export */   BIconLightbulb: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLightbulb),
/* harmony export */   BIconLightbulbFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLightbulbFill),
/* harmony export */   BIconLightbulbOff: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLightbulbOff),
/* harmony export */   BIconLightbulbOffFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLightbulbOffFill),
/* harmony export */   BIconLightning: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLightning),
/* harmony export */   BIconLightningCharge: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLightningCharge),
/* harmony export */   BIconLightningChargeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLightningChargeFill),
/* harmony export */   BIconLightningFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLightningFill),
/* harmony export */   BIconLink: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLink),
/* harmony export */   BIconLink45deg: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLink45deg),
/* harmony export */   BIconLinkedin: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLinkedin),
/* harmony export */   BIconList: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconList),
/* harmony export */   BIconListCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconListCheck),
/* harmony export */   BIconListNested: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconListNested),
/* harmony export */   BIconListOl: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconListOl),
/* harmony export */   BIconListStars: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconListStars),
/* harmony export */   BIconListTask: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconListTask),
/* harmony export */   BIconListUl: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconListUl),
/* harmony export */   BIconLock: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLock),
/* harmony export */   BIconLockFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconLockFill),
/* harmony export */   BIconMailbox: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMailbox),
/* harmony export */   BIconMailbox2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMailbox2),
/* harmony export */   BIconMap: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMap),
/* harmony export */   BIconMapFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMapFill),
/* harmony export */   BIconMarkdown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMarkdown),
/* harmony export */   BIconMarkdownFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMarkdownFill),
/* harmony export */   BIconMask: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMask),
/* harmony export */   BIconMastodon: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMastodon),
/* harmony export */   BIconMegaphone: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMegaphone),
/* harmony export */   BIconMegaphoneFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMegaphoneFill),
/* harmony export */   BIconMenuApp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMenuApp),
/* harmony export */   BIconMenuAppFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMenuAppFill),
/* harmony export */   BIconMenuButton: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMenuButton),
/* harmony export */   BIconMenuButtonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMenuButtonFill),
/* harmony export */   BIconMenuButtonWide: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMenuButtonWide),
/* harmony export */   BIconMenuButtonWideFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMenuButtonWideFill),
/* harmony export */   BIconMenuDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMenuDown),
/* harmony export */   BIconMenuUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMenuUp),
/* harmony export */   BIconMessenger: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMessenger),
/* harmony export */   BIconMic: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMic),
/* harmony export */   BIconMicFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMicFill),
/* harmony export */   BIconMicMute: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMicMute),
/* harmony export */   BIconMicMuteFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMicMuteFill),
/* harmony export */   BIconMinecart: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMinecart),
/* harmony export */   BIconMinecartLoaded: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMinecartLoaded),
/* harmony export */   BIconMoisture: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMoisture),
/* harmony export */   BIconMoon: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMoon),
/* harmony export */   BIconMoonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMoonFill),
/* harmony export */   BIconMoonStars: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMoonStars),
/* harmony export */   BIconMoonStarsFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMoonStarsFill),
/* harmony export */   BIconMouse: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMouse),
/* harmony export */   BIconMouse2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMouse2),
/* harmony export */   BIconMouse2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMouse2Fill),
/* harmony export */   BIconMouse3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMouse3),
/* harmony export */   BIconMouse3Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMouse3Fill),
/* harmony export */   BIconMouseFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMouseFill),
/* harmony export */   BIconMusicNote: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMusicNote),
/* harmony export */   BIconMusicNoteBeamed: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMusicNoteBeamed),
/* harmony export */   BIconMusicNoteList: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMusicNoteList),
/* harmony export */   BIconMusicPlayer: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMusicPlayer),
/* harmony export */   BIconMusicPlayerFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconMusicPlayerFill),
/* harmony export */   BIconNewspaper: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconNewspaper),
/* harmony export */   BIconNodeMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconNodeMinus),
/* harmony export */   BIconNodeMinusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconNodeMinusFill),
/* harmony export */   BIconNodePlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconNodePlus),
/* harmony export */   BIconNodePlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconNodePlusFill),
/* harmony export */   BIconNut: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconNut),
/* harmony export */   BIconNutFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconNutFill),
/* harmony export */   BIconOctagon: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconOctagon),
/* harmony export */   BIconOctagonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconOctagonFill),
/* harmony export */   BIconOctagonHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconOctagonHalf),
/* harmony export */   BIconOption: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconOption),
/* harmony export */   BIconOutlet: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconOutlet),
/* harmony export */   BIconPaintBucket: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPaintBucket),
/* harmony export */   BIconPalette: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPalette),
/* harmony export */   BIconPalette2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPalette2),
/* harmony export */   BIconPaletteFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPaletteFill),
/* harmony export */   BIconPaperclip: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPaperclip),
/* harmony export */   BIconParagraph: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconParagraph),
/* harmony export */   BIconPatchCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPatchCheck),
/* harmony export */   BIconPatchCheckFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPatchCheckFill),
/* harmony export */   BIconPatchExclamation: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPatchExclamation),
/* harmony export */   BIconPatchExclamationFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPatchExclamationFill),
/* harmony export */   BIconPatchMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPatchMinus),
/* harmony export */   BIconPatchMinusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPatchMinusFill),
/* harmony export */   BIconPatchPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPatchPlus),
/* harmony export */   BIconPatchPlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPatchPlusFill),
/* harmony export */   BIconPatchQuestion: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPatchQuestion),
/* harmony export */   BIconPatchQuestionFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPatchQuestionFill),
/* harmony export */   BIconPause: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPause),
/* harmony export */   BIconPauseBtn: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPauseBtn),
/* harmony export */   BIconPauseBtnFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPauseBtnFill),
/* harmony export */   BIconPauseCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPauseCircle),
/* harmony export */   BIconPauseCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPauseCircleFill),
/* harmony export */   BIconPauseFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPauseFill),
/* harmony export */   BIconPeace: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPeace),
/* harmony export */   BIconPeaceFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPeaceFill),
/* harmony export */   BIconPen: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPen),
/* harmony export */   BIconPenFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPenFill),
/* harmony export */   BIconPencil: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPencil),
/* harmony export */   BIconPencilFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPencilFill),
/* harmony export */   BIconPencilSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPencilSquare),
/* harmony export */   BIconPentagon: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPentagon),
/* harmony export */   BIconPentagonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPentagonFill),
/* harmony export */   BIconPentagonHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPentagonHalf),
/* harmony export */   BIconPeople: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPeople),
/* harmony export */   BIconPeopleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPeopleFill),
/* harmony export */   BIconPercent: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPercent),
/* harmony export */   BIconPerson: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPerson),
/* harmony export */   BIconPersonBadge: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonBadge),
/* harmony export */   BIconPersonBadgeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonBadgeFill),
/* harmony export */   BIconPersonBoundingBox: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonBoundingBox),
/* harmony export */   BIconPersonCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonCheck),
/* harmony export */   BIconPersonCheckFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonCheckFill),
/* harmony export */   BIconPersonCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonCircle),
/* harmony export */   BIconPersonDash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonDash),
/* harmony export */   BIconPersonDashFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonDashFill),
/* harmony export */   BIconPersonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonFill),
/* harmony export */   BIconPersonLinesFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonLinesFill),
/* harmony export */   BIconPersonPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonPlus),
/* harmony export */   BIconPersonPlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonPlusFill),
/* harmony export */   BIconPersonSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonSquare),
/* harmony export */   BIconPersonX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonX),
/* harmony export */   BIconPersonXFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPersonXFill),
/* harmony export */   BIconPhone: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPhone),
/* harmony export */   BIconPhoneFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPhoneFill),
/* harmony export */   BIconPhoneLandscape: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPhoneLandscape),
/* harmony export */   BIconPhoneLandscapeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPhoneLandscapeFill),
/* harmony export */   BIconPhoneVibrate: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPhoneVibrate),
/* harmony export */   BIconPhoneVibrateFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPhoneVibrateFill),
/* harmony export */   BIconPieChart: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPieChart),
/* harmony export */   BIconPieChartFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPieChartFill),
/* harmony export */   BIconPiggyBank: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPiggyBank),
/* harmony export */   BIconPiggyBankFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPiggyBankFill),
/* harmony export */   BIconPin: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPin),
/* harmony export */   BIconPinAngle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPinAngle),
/* harmony export */   BIconPinAngleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPinAngleFill),
/* harmony export */   BIconPinFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPinFill),
/* harmony export */   BIconPinMap: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPinMap),
/* harmony export */   BIconPinMapFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPinMapFill),
/* harmony export */   BIconPip: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPip),
/* harmony export */   BIconPipFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPipFill),
/* harmony export */   BIconPlay: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlay),
/* harmony export */   BIconPlayBtn: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlayBtn),
/* harmony export */   BIconPlayBtnFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlayBtnFill),
/* harmony export */   BIconPlayCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlayCircle),
/* harmony export */   BIconPlayCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlayCircleFill),
/* harmony export */   BIconPlayFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlayFill),
/* harmony export */   BIconPlug: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlug),
/* harmony export */   BIconPlugFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlugFill),
/* harmony export */   BIconPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlus),
/* harmony export */   BIconPlusCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlusCircle),
/* harmony export */   BIconPlusCircleDotted: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlusCircleDotted),
/* harmony export */   BIconPlusCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlusCircleFill),
/* harmony export */   BIconPlusLg: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlusLg),
/* harmony export */   BIconPlusSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlusSquare),
/* harmony export */   BIconPlusSquareDotted: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlusSquareDotted),
/* harmony export */   BIconPlusSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPlusSquareFill),
/* harmony export */   BIconPower: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPower),
/* harmony export */   BIconPrinter: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPrinter),
/* harmony export */   BIconPrinterFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPrinterFill),
/* harmony export */   BIconPuzzle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPuzzle),
/* harmony export */   BIconPuzzleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconPuzzleFill),
/* harmony export */   BIconQuestion: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconQuestion),
/* harmony export */   BIconQuestionCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconQuestionCircle),
/* harmony export */   BIconQuestionCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconQuestionCircleFill),
/* harmony export */   BIconQuestionDiamond: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconQuestionDiamond),
/* harmony export */   BIconQuestionDiamondFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconQuestionDiamondFill),
/* harmony export */   BIconQuestionLg: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconQuestionLg),
/* harmony export */   BIconQuestionOctagon: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconQuestionOctagon),
/* harmony export */   BIconQuestionOctagonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconQuestionOctagonFill),
/* harmony export */   BIconQuestionSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconQuestionSquare),
/* harmony export */   BIconQuestionSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconQuestionSquareFill),
/* harmony export */   BIconRainbow: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRainbow),
/* harmony export */   BIconReceipt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReceipt),
/* harmony export */   BIconReceiptCutoff: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReceiptCutoff),
/* harmony export */   BIconReception0: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReception0),
/* harmony export */   BIconReception1: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReception1),
/* harmony export */   BIconReception2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReception2),
/* harmony export */   BIconReception3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReception3),
/* harmony export */   BIconReception4: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReception4),
/* harmony export */   BIconRecord: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRecord),
/* harmony export */   BIconRecord2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRecord2),
/* harmony export */   BIconRecord2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRecord2Fill),
/* harmony export */   BIconRecordBtn: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRecordBtn),
/* harmony export */   BIconRecordBtnFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRecordBtnFill),
/* harmony export */   BIconRecordCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRecordCircle),
/* harmony export */   BIconRecordCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRecordCircleFill),
/* harmony export */   BIconRecordFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRecordFill),
/* harmony export */   BIconRecycle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRecycle),
/* harmony export */   BIconReddit: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReddit),
/* harmony export */   BIconReply: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReply),
/* harmony export */   BIconReplyAll: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReplyAll),
/* harmony export */   BIconReplyAllFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReplyAllFill),
/* harmony export */   BIconReplyFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconReplyFill),
/* harmony export */   BIconRss: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRss),
/* harmony export */   BIconRssFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRssFill),
/* harmony export */   BIconRulers: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconRulers),
/* harmony export */   BIconSafe: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSafe),
/* harmony export */   BIconSafe2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSafe2),
/* harmony export */   BIconSafe2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSafe2Fill),
/* harmony export */   BIconSafeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSafeFill),
/* harmony export */   BIconSave: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSave),
/* harmony export */   BIconSave2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSave2),
/* harmony export */   BIconSave2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSave2Fill),
/* harmony export */   BIconSaveFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSaveFill),
/* harmony export */   BIconScissors: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconScissors),
/* harmony export */   BIconScrewdriver: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconScrewdriver),
/* harmony export */   BIconSdCard: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSdCard),
/* harmony export */   BIconSdCardFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSdCardFill),
/* harmony export */   BIconSearch: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSearch),
/* harmony export */   BIconSegmentedNav: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSegmentedNav),
/* harmony export */   BIconServer: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconServer),
/* harmony export */   BIconShare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShare),
/* harmony export */   BIconShareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShareFill),
/* harmony export */   BIconShield: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShield),
/* harmony export */   BIconShieldCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldCheck),
/* harmony export */   BIconShieldExclamation: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldExclamation),
/* harmony export */   BIconShieldFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldFill),
/* harmony export */   BIconShieldFillCheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldFillCheck),
/* harmony export */   BIconShieldFillExclamation: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldFillExclamation),
/* harmony export */   BIconShieldFillMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldFillMinus),
/* harmony export */   BIconShieldFillPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldFillPlus),
/* harmony export */   BIconShieldFillX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldFillX),
/* harmony export */   BIconShieldLock: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldLock),
/* harmony export */   BIconShieldLockFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldLockFill),
/* harmony export */   BIconShieldMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldMinus),
/* harmony export */   BIconShieldPlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldPlus),
/* harmony export */   BIconShieldShaded: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldShaded),
/* harmony export */   BIconShieldSlash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldSlash),
/* harmony export */   BIconShieldSlashFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldSlashFill),
/* harmony export */   BIconShieldX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShieldX),
/* harmony export */   BIconShift: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShift),
/* harmony export */   BIconShiftFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShiftFill),
/* harmony export */   BIconShop: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShop),
/* harmony export */   BIconShopWindow: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShopWindow),
/* harmony export */   BIconShuffle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconShuffle),
/* harmony export */   BIconSignpost: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSignpost),
/* harmony export */   BIconSignpost2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSignpost2),
/* harmony export */   BIconSignpost2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSignpost2Fill),
/* harmony export */   BIconSignpostFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSignpostFill),
/* harmony export */   BIconSignpostSplit: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSignpostSplit),
/* harmony export */   BIconSignpostSplitFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSignpostSplitFill),
/* harmony export */   BIconSim: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSim),
/* harmony export */   BIconSimFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSimFill),
/* harmony export */   BIconSkipBackward: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipBackward),
/* harmony export */   BIconSkipBackwardBtn: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipBackwardBtn),
/* harmony export */   BIconSkipBackwardBtnFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipBackwardBtnFill),
/* harmony export */   BIconSkipBackwardCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipBackwardCircle),
/* harmony export */   BIconSkipBackwardCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipBackwardCircleFill),
/* harmony export */   BIconSkipBackwardFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipBackwardFill),
/* harmony export */   BIconSkipEnd: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipEnd),
/* harmony export */   BIconSkipEndBtn: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipEndBtn),
/* harmony export */   BIconSkipEndBtnFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipEndBtnFill),
/* harmony export */   BIconSkipEndCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipEndCircle),
/* harmony export */   BIconSkipEndCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipEndCircleFill),
/* harmony export */   BIconSkipEndFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipEndFill),
/* harmony export */   BIconSkipForward: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipForward),
/* harmony export */   BIconSkipForwardBtn: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipForwardBtn),
/* harmony export */   BIconSkipForwardBtnFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipForwardBtnFill),
/* harmony export */   BIconSkipForwardCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipForwardCircle),
/* harmony export */   BIconSkipForwardCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipForwardCircleFill),
/* harmony export */   BIconSkipForwardFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipForwardFill),
/* harmony export */   BIconSkipStart: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipStart),
/* harmony export */   BIconSkipStartBtn: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipStartBtn),
/* harmony export */   BIconSkipStartBtnFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipStartBtnFill),
/* harmony export */   BIconSkipStartCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipStartCircle),
/* harmony export */   BIconSkipStartCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipStartCircleFill),
/* harmony export */   BIconSkipStartFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkipStartFill),
/* harmony export */   BIconSkype: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSkype),
/* harmony export */   BIconSlack: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSlack),
/* harmony export */   BIconSlash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSlash),
/* harmony export */   BIconSlashCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSlashCircle),
/* harmony export */   BIconSlashCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSlashCircleFill),
/* harmony export */   BIconSlashLg: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSlashLg),
/* harmony export */   BIconSlashSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSlashSquare),
/* harmony export */   BIconSlashSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSlashSquareFill),
/* harmony export */   BIconSliders: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSliders),
/* harmony export */   BIconSmartwatch: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSmartwatch),
/* harmony export */   BIconSnow: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSnow),
/* harmony export */   BIconSnow2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSnow2),
/* harmony export */   BIconSnow3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSnow3),
/* harmony export */   BIconSortAlphaDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortAlphaDown),
/* harmony export */   BIconSortAlphaDownAlt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortAlphaDownAlt),
/* harmony export */   BIconSortAlphaUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortAlphaUp),
/* harmony export */   BIconSortAlphaUpAlt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortAlphaUpAlt),
/* harmony export */   BIconSortDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortDown),
/* harmony export */   BIconSortDownAlt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortDownAlt),
/* harmony export */   BIconSortNumericDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortNumericDown),
/* harmony export */   BIconSortNumericDownAlt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortNumericDownAlt),
/* harmony export */   BIconSortNumericUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortNumericUp),
/* harmony export */   BIconSortNumericUpAlt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortNumericUpAlt),
/* harmony export */   BIconSortUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortUp),
/* harmony export */   BIconSortUpAlt: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSortUpAlt),
/* harmony export */   BIconSoundwave: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSoundwave),
/* harmony export */   BIconSpeaker: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSpeaker),
/* harmony export */   BIconSpeakerFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSpeakerFill),
/* harmony export */   BIconSpeedometer: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSpeedometer),
/* harmony export */   BIconSpeedometer2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSpeedometer2),
/* harmony export */   BIconSpellcheck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSpellcheck),
/* harmony export */   BIconSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSquare),
/* harmony export */   BIconSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSquareFill),
/* harmony export */   BIconSquareHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSquareHalf),
/* harmony export */   BIconStack: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStack),
/* harmony export */   BIconStar: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStar),
/* harmony export */   BIconStarFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStarFill),
/* harmony export */   BIconStarHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStarHalf),
/* harmony export */   BIconStars: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStars),
/* harmony export */   BIconStickies: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStickies),
/* harmony export */   BIconStickiesFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStickiesFill),
/* harmony export */   BIconSticky: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSticky),
/* harmony export */   BIconStickyFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStickyFill),
/* harmony export */   BIconStop: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStop),
/* harmony export */   BIconStopBtn: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStopBtn),
/* harmony export */   BIconStopBtnFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStopBtnFill),
/* harmony export */   BIconStopCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStopCircle),
/* harmony export */   BIconStopCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStopCircleFill),
/* harmony export */   BIconStopFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStopFill),
/* harmony export */   BIconStoplights: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStoplights),
/* harmony export */   BIconStoplightsFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStoplightsFill),
/* harmony export */   BIconStopwatch: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStopwatch),
/* harmony export */   BIconStopwatchFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconStopwatchFill),
/* harmony export */   BIconSubtract: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSubtract),
/* harmony export */   BIconSuitClub: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSuitClub),
/* harmony export */   BIconSuitClubFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSuitClubFill),
/* harmony export */   BIconSuitDiamond: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSuitDiamond),
/* harmony export */   BIconSuitDiamondFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSuitDiamondFill),
/* harmony export */   BIconSuitHeart: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSuitHeart),
/* harmony export */   BIconSuitHeartFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSuitHeartFill),
/* harmony export */   BIconSuitSpade: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSuitSpade),
/* harmony export */   BIconSuitSpadeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSuitSpadeFill),
/* harmony export */   BIconSun: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSun),
/* harmony export */   BIconSunFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSunFill),
/* harmony export */   BIconSunglasses: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSunglasses),
/* harmony export */   BIconSunrise: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSunrise),
/* harmony export */   BIconSunriseFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSunriseFill),
/* harmony export */   BIconSunset: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSunset),
/* harmony export */   BIconSunsetFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSunsetFill),
/* harmony export */   BIconSymmetryHorizontal: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSymmetryHorizontal),
/* harmony export */   BIconSymmetryVertical: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconSymmetryVertical),
/* harmony export */   BIconTable: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTable),
/* harmony export */   BIconTablet: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTablet),
/* harmony export */   BIconTabletFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTabletFill),
/* harmony export */   BIconTabletLandscape: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTabletLandscape),
/* harmony export */   BIconTabletLandscapeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTabletLandscapeFill),
/* harmony export */   BIconTag: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTag),
/* harmony export */   BIconTagFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTagFill),
/* harmony export */   BIconTags: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTags),
/* harmony export */   BIconTagsFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTagsFill),
/* harmony export */   BIconTelegram: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelegram),
/* harmony export */   BIconTelephone: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephone),
/* harmony export */   BIconTelephoneFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneFill),
/* harmony export */   BIconTelephoneForward: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneForward),
/* harmony export */   BIconTelephoneForwardFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneForwardFill),
/* harmony export */   BIconTelephoneInbound: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneInbound),
/* harmony export */   BIconTelephoneInboundFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneInboundFill),
/* harmony export */   BIconTelephoneMinus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneMinus),
/* harmony export */   BIconTelephoneMinusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneMinusFill),
/* harmony export */   BIconTelephoneOutbound: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneOutbound),
/* harmony export */   BIconTelephoneOutboundFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneOutboundFill),
/* harmony export */   BIconTelephonePlus: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephonePlus),
/* harmony export */   BIconTelephonePlusFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephonePlusFill),
/* harmony export */   BIconTelephoneX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneX),
/* harmony export */   BIconTelephoneXFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTelephoneXFill),
/* harmony export */   BIconTerminal: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTerminal),
/* harmony export */   BIconTerminalFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTerminalFill),
/* harmony export */   BIconTextCenter: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTextCenter),
/* harmony export */   BIconTextIndentLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTextIndentLeft),
/* harmony export */   BIconTextIndentRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTextIndentRight),
/* harmony export */   BIconTextLeft: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTextLeft),
/* harmony export */   BIconTextParagraph: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTextParagraph),
/* harmony export */   BIconTextRight: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTextRight),
/* harmony export */   BIconTextarea: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTextarea),
/* harmony export */   BIconTextareaResize: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTextareaResize),
/* harmony export */   BIconTextareaT: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTextareaT),
/* harmony export */   BIconThermometer: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconThermometer),
/* harmony export */   BIconThermometerHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconThermometerHalf),
/* harmony export */   BIconThermometerHigh: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconThermometerHigh),
/* harmony export */   BIconThermometerLow: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconThermometerLow),
/* harmony export */   BIconThermometerSnow: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconThermometerSnow),
/* harmony export */   BIconThermometerSun: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconThermometerSun),
/* harmony export */   BIconThreeDots: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconThreeDots),
/* harmony export */   BIconThreeDotsVertical: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconThreeDotsVertical),
/* harmony export */   BIconToggle2Off: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconToggle2Off),
/* harmony export */   BIconToggle2On: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconToggle2On),
/* harmony export */   BIconToggleOff: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconToggleOff),
/* harmony export */   BIconToggleOn: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconToggleOn),
/* harmony export */   BIconToggles: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconToggles),
/* harmony export */   BIconToggles2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconToggles2),
/* harmony export */   BIconTools: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTools),
/* harmony export */   BIconTornado: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTornado),
/* harmony export */   BIconTranslate: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTranslate),
/* harmony export */   BIconTrash: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTrash),
/* harmony export */   BIconTrash2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTrash2),
/* harmony export */   BIconTrash2Fill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTrash2Fill),
/* harmony export */   BIconTrashFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTrashFill),
/* harmony export */   BIconTree: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTree),
/* harmony export */   BIconTreeFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTreeFill),
/* harmony export */   BIconTriangle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTriangle),
/* harmony export */   BIconTriangleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTriangleFill),
/* harmony export */   BIconTriangleHalf: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTriangleHalf),
/* harmony export */   BIconTrophy: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTrophy),
/* harmony export */   BIconTrophyFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTrophyFill),
/* harmony export */   BIconTropicalStorm: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTropicalStorm),
/* harmony export */   BIconTruck: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTruck),
/* harmony export */   BIconTruckFlatbed: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTruckFlatbed),
/* harmony export */   BIconTsunami: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTsunami),
/* harmony export */   BIconTv: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTv),
/* harmony export */   BIconTvFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTvFill),
/* harmony export */   BIconTwitch: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTwitch),
/* harmony export */   BIconTwitter: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTwitter),
/* harmony export */   BIconType: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconType),
/* harmony export */   BIconTypeBold: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTypeBold),
/* harmony export */   BIconTypeH1: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTypeH1),
/* harmony export */   BIconTypeH2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTypeH2),
/* harmony export */   BIconTypeH3: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTypeH3),
/* harmony export */   BIconTypeItalic: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTypeItalic),
/* harmony export */   BIconTypeStrikethrough: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTypeStrikethrough),
/* harmony export */   BIconTypeUnderline: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconTypeUnderline),
/* harmony export */   BIconUiChecks: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUiChecks),
/* harmony export */   BIconUiChecksGrid: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUiChecksGrid),
/* harmony export */   BIconUiRadios: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUiRadios),
/* harmony export */   BIconUiRadiosGrid: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUiRadiosGrid),
/* harmony export */   BIconUmbrella: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUmbrella),
/* harmony export */   BIconUmbrellaFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUmbrellaFill),
/* harmony export */   BIconUnion: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUnion),
/* harmony export */   BIconUnlock: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUnlock),
/* harmony export */   BIconUnlockFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUnlockFill),
/* harmony export */   BIconUpc: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUpc),
/* harmony export */   BIconUpcScan: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUpcScan),
/* harmony export */   BIconUpload: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconUpload),
/* harmony export */   BIconVectorPen: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVectorPen),
/* harmony export */   BIconViewList: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconViewList),
/* harmony export */   BIconViewStacked: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconViewStacked),
/* harmony export */   BIconVinyl: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVinyl),
/* harmony export */   BIconVinylFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVinylFill),
/* harmony export */   BIconVoicemail: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVoicemail),
/* harmony export */   BIconVolumeDown: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVolumeDown),
/* harmony export */   BIconVolumeDownFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVolumeDownFill),
/* harmony export */   BIconVolumeMute: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVolumeMute),
/* harmony export */   BIconVolumeMuteFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVolumeMuteFill),
/* harmony export */   BIconVolumeOff: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVolumeOff),
/* harmony export */   BIconVolumeOffFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVolumeOffFill),
/* harmony export */   BIconVolumeUp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVolumeUp),
/* harmony export */   BIconVolumeUpFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVolumeUpFill),
/* harmony export */   BIconVr: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconVr),
/* harmony export */   BIconWallet: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWallet),
/* harmony export */   BIconWallet2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWallet2),
/* harmony export */   BIconWalletFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWalletFill),
/* harmony export */   BIconWatch: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWatch),
/* harmony export */   BIconWater: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWater),
/* harmony export */   BIconWhatsapp: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWhatsapp),
/* harmony export */   BIconWifi: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWifi),
/* harmony export */   BIconWifi1: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWifi1),
/* harmony export */   BIconWifi2: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWifi2),
/* harmony export */   BIconWifiOff: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWifiOff),
/* harmony export */   BIconWind: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWind),
/* harmony export */   BIconWindow: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWindow),
/* harmony export */   BIconWindowDock: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWindowDock),
/* harmony export */   BIconWindowSidebar: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWindowSidebar),
/* harmony export */   BIconWrench: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconWrench),
/* harmony export */   BIconX: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconX),
/* harmony export */   BIconXCircle: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconXCircle),
/* harmony export */   BIconXCircleFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconXCircleFill),
/* harmony export */   BIconXDiamond: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconXDiamond),
/* harmony export */   BIconXDiamondFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconXDiamondFill),
/* harmony export */   BIconXLg: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconXLg),
/* harmony export */   BIconXOctagon: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconXOctagon),
/* harmony export */   BIconXOctagonFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconXOctagonFill),
/* harmony export */   BIconXSquare: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconXSquare),
/* harmony export */   BIconXSquareFill: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconXSquareFill),
/* harmony export */   BIconYoutube: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconYoutube),
/* harmony export */   BIconZoomIn: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconZoomIn),
/* harmony export */   BIconZoomOut: () =&gt; (/* reexport safe */ _icons_icons__WEBPACK_IMPORTED_MODULE_9__.BIconZoomOut),
/* harmony export */   BIconstack: () =&gt; (/* reexport safe */ _icons_iconstack__WEBPACK_IMPORTED_MODULE_8__.BIconstack),
/* harmony export */   BImg: () =&gt; (/* reexport safe */ _components_image_img__WEBPACK_IMPORTED_MODULE_94__.BImg),
/* harmony export */   BImgLazy: () =&gt; (/* reexport safe */ _components_image_img_lazy__WEBPACK_IMPORTED_MODULE_95__.BImgLazy),
/* harmony export */   BInputGroup: () =&gt; (/* reexport safe */ _components_input_group_input_group__WEBPACK_IMPORTED_MODULE_97__.BInputGroup),
/* harmony export */   BInputGroupAddon: () =&gt; (/* reexport safe */ _components_input_group_input_group_addon__WEBPACK_IMPORTED_MODULE_98__.BInputGroupAddon),
/* harmony export */   BInputGroupAppend: () =&gt; (/* reexport safe */ _components_input_group_input_group_append__WEBPACK_IMPORTED_MODULE_99__.BInputGroupAppend),
/* harmony export */   BInputGroupPrepend: () =&gt; (/* reexport safe */ _components_input_group_input_group_prepend__WEBPACK_IMPORTED_MODULE_100__.BInputGroupPrepend),
/* harmony export */   BInputGroupText: () =&gt; (/* reexport safe */ _components_input_group_input_group_text__WEBPACK_IMPORTED_MODULE_101__.BInputGroupText),
/* harmony export */   BJumbotron: () =&gt; (/* reexport safe */ _components_jumbotron_jumbotron__WEBPACK_IMPORTED_MODULE_103__.BJumbotron),
/* harmony export */   BLink: () =&gt; (/* reexport safe */ _components_link_link__WEBPACK_IMPORTED_MODULE_110__.BLink),
/* harmony export */   BListGroup: () =&gt; (/* reexport safe */ _components_list_group_list_group__WEBPACK_IMPORTED_MODULE_112__.BListGroup),
/* harmony export */   BListGroupItem: () =&gt; (/* reexport safe */ _components_list_group_list_group_item__WEBPACK_IMPORTED_MODULE_113__.BListGroupItem),
/* harmony export */   BMedia: () =&gt; (/* reexport safe */ _components_media_media__WEBPACK_IMPORTED_MODULE_115__.BMedia),
/* harmony export */   BMediaAside: () =&gt; (/* reexport safe */ _components_media_media_aside__WEBPACK_IMPORTED_MODULE_116__.BMediaAside),
/* harmony export */   BMediaBody: () =&gt; (/* reexport safe */ _components_media_media_body__WEBPACK_IMPORTED_MODULE_117__.BMediaBody),
/* harmony export */   BModal: () =&gt; (/* reexport safe */ _components_modal_modal__WEBPACK_IMPORTED_MODULE_119__.BModal),
/* harmony export */   BNav: () =&gt; (/* reexport safe */ _components_nav_nav__WEBPACK_IMPORTED_MODULE_121__.BNav),
/* harmony export */   BNavForm: () =&gt; (/* reexport safe */ _components_nav_nav_form__WEBPACK_IMPORTED_MODULE_122__.BNavForm),
/* harmony export */   BNavItem: () =&gt; (/* reexport safe */ _components_nav_nav_item__WEBPACK_IMPORTED_MODULE_123__.BNavItem),
/* harmony export */   BNavItemDropdown: () =&gt; (/* reexport safe */ _components_nav_nav_item_dropdown__WEBPACK_IMPORTED_MODULE_124__.BNavItemDropdown),
/* harmony export */   BNavText: () =&gt; (/* reexport safe */ _components_nav_nav_text__WEBPACK_IMPORTED_MODULE_125__.BNavText),
/* harmony export */   BNavbar: () =&gt; (/* reexport safe */ _components_navbar_navbar__WEBPACK_IMPORTED_MODULE_127__.BNavbar),
/* harmony export */   BNavbarBrand: () =&gt; (/* reexport safe */ _components_navbar_navbar_brand__WEBPACK_IMPORTED_MODULE_128__.BNavbarBrand),
/* harmony export */   BNavbarNav: () =&gt; (/* reexport safe */ _components_navbar_navbar_nav__WEBPACK_IMPORTED_MODULE_129__.BNavbarNav),
/* harmony export */   BNavbarToggle: () =&gt; (/* reexport safe */ _components_navbar_navbar_toggle__WEBPACK_IMPORTED_MODULE_130__.BNavbarToggle),
/* harmony export */   BOverlay: () =&gt; (/* reexport safe */ _components_overlay_overlay__WEBPACK_IMPORTED_MODULE_132__.BOverlay),
/* harmony export */   BPagination: () =&gt; (/* reexport safe */ _components_pagination_pagination__WEBPACK_IMPORTED_MODULE_134__.BPagination),
/* harmony export */   BPaginationNav: () =&gt; (/* reexport safe */ _components_pagination_nav_pagination_nav__WEBPACK_IMPORTED_MODULE_136__.BPaginationNav),
/* harmony export */   BPopover: () =&gt; (/* reexport safe */ _components_popover_popover__WEBPACK_IMPORTED_MODULE_138__.BPopover),
/* harmony export */   BProgress: () =&gt; (/* reexport safe */ _components_progress_progress__WEBPACK_IMPORTED_MODULE_140__.BProgress),
/* harmony export */   BProgressBar: () =&gt; (/* reexport safe */ _components_progress_progress_bar__WEBPACK_IMPORTED_MODULE_141__.BProgressBar),
/* harmony export */   BRow: () =&gt; (/* reexport safe */ _components_layout_row__WEBPACK_IMPORTED_MODULE_106__.BRow),
/* harmony export */   BSidebar: () =&gt; (/* reexport safe */ _components_sidebar_sidebar__WEBPACK_IMPORTED_MODULE_143__.BSidebar),
/* harmony export */   BSkeleton: () =&gt; (/* reexport safe */ _components_skeleton_skeleton__WEBPACK_IMPORTED_MODULE_145__.BSkeleton),
/* harmony export */   BSkeletonIcon: () =&gt; (/* reexport safe */ _components_skeleton_skeleton_icon__WEBPACK_IMPORTED_MODULE_146__.BSkeletonIcon),
/* harmony export */   BSkeletonImg: () =&gt; (/* reexport safe */ _components_skeleton_skeleton_img__WEBPACK_IMPORTED_MODULE_147__.BSkeletonImg),
/* harmony export */   BSkeletonTable: () =&gt; (/* reexport safe */ _components_skeleton_skeleton_table__WEBPACK_IMPORTED_MODULE_148__.BSkeletonTable),
/* harmony export */   BSkeletonWrapper: () =&gt; (/* reexport safe */ _components_skeleton_skeleton_wrapper__WEBPACK_IMPORTED_MODULE_149__.BSkeletonWrapper),
/* harmony export */   BSpinner: () =&gt; (/* reexport safe */ _components_spinner_spinner__WEBPACK_IMPORTED_MODULE_151__.BSpinner),
/* harmony export */   BTab: () =&gt; (/* reexport safe */ _components_tabs_tab__WEBPACK_IMPORTED_MODULE_164__.BTab),
/* harmony export */   BTable: () =&gt; (/* reexport safe */ _components_table_table__WEBPACK_IMPORTED_MODULE_153__.BTable),
/* harmony export */   BTableLite: () =&gt; (/* reexport safe */ _components_table_table_lite__WEBPACK_IMPORTED_MODULE_154__.BTableLite),
/* harmony export */   BTableSimple: () =&gt; (/* reexport safe */ _components_table_table_simple__WEBPACK_IMPORTED_MODULE_155__.BTableSimple),
/* harmony export */   BTabs: () =&gt; (/* reexport safe */ _components_tabs_tabs__WEBPACK_IMPORTED_MODULE_163__.BTabs),
/* harmony export */   BTbody: () =&gt; (/* reexport safe */ _components_table_tbody__WEBPACK_IMPORTED_MODULE_156__.BTbody),
/* harmony export */   BTd: () =&gt; (/* reexport safe */ _components_table_td__WEBPACK_IMPORTED_MODULE_161__.BTd),
/* harmony export */   BTfoot: () =&gt; (/* reexport safe */ _components_table_tfoot__WEBPACK_IMPORTED_MODULE_158__.BTfoot),
/* harmony export */   BTh: () =&gt; (/* reexport safe */ _components_table_th__WEBPACK_IMPORTED_MODULE_160__.BTh),
/* harmony export */   BThead: () =&gt; (/* reexport safe */ _components_table_thead__WEBPACK_IMPORTED_MODULE_157__.BThead),
/* harmony export */   BTime: () =&gt; (/* reexport safe */ _components_time_time__WEBPACK_IMPORTED_MODULE_166__.BTime),
/* harmony export */   BToast: () =&gt; (/* reexport safe */ _components_toast_toast__WEBPACK_IMPORTED_MODULE_168__.BToast),
/* harmony export */   BToaster: () =&gt; (/* reexport safe */ _components_toast_toaster__WEBPACK_IMPORTED_MODULE_169__.BToaster),
/* harmony export */   BTooltip: () =&gt; (/* reexport safe */ _components_tooltip_tooltip__WEBPACK_IMPORTED_MODULE_171__.BTooltip),
/* harmony export */   BTr: () =&gt; (/* reexport safe */ _components_table_tr__WEBPACK_IMPORTED_MODULE_159__.BTr),
/* harmony export */   BVConfig: () =&gt; (/* reexport safe */ _bv_config__WEBPACK_IMPORTED_MODULE_3__.BVConfigPlugin),
/* harmony export */   BVConfigPlugin: () =&gt; (/* reexport safe */ _bv_config__WEBPACK_IMPORTED_MODULE_3__.BVConfigPlugin),
/* harmony export */   BVModalPlugin: () =&gt; (/* reexport safe */ _components_modal_helpers_bv_modal__WEBPACK_IMPORTED_MODULE_4__.BVModalPlugin),
/* harmony export */   BVToastPlugin: () =&gt; (/* reexport safe */ _components_toast_helpers_bv_toast__WEBPACK_IMPORTED_MODULE_5__.BVToastPlugin),
/* harmony export */   BadgePlugin: () =&gt; (/* reexport safe */ _components_badge__WEBPACK_IMPORTED_MODULE_17__.BadgePlugin),
/* harmony export */   BootstrapVue: () =&gt; (/* binding */ BootstrapVue),
/* harmony export */   BootstrapVueIcons: () =&gt; (/* reexport safe */ _icons_plugin__WEBPACK_IMPORTED_MODULE_6__.BootstrapVueIcons),
/* harmony export */   BreadcrumbPlugin: () =&gt; (/* reexport safe */ _components_breadcrumb__WEBPACK_IMPORTED_MODULE_19__.BreadcrumbPlugin),
/* harmony export */   ButtonGroupPlugin: () =&gt; (/* reexport safe */ _components_button_group__WEBPACK_IMPORTED_MODULE_25__.ButtonGroupPlugin),
/* harmony export */   ButtonPlugin: () =&gt; (/* reexport safe */ _components_button__WEBPACK_IMPORTED_MODULE_22__.ButtonPlugin),
/* harmony export */   ButtonToolbarPlugin: () =&gt; (/* reexport safe */ _components_button_toolbar__WEBPACK_IMPORTED_MODULE_27__.ButtonToolbarPlugin),
/* harmony export */   CalendarPlugin: () =&gt; (/* reexport safe */ _components_calendar__WEBPACK_IMPORTED_MODULE_29__.CalendarPlugin),
/* harmony export */   CardPlugin: () =&gt; (/* reexport safe */ _components_card__WEBPACK_IMPORTED_MODULE_31__.CardPlugin),
/* harmony export */   CarouselPlugin: () =&gt; (/* reexport safe */ _components_carousel__WEBPACK_IMPORTED_MODULE_42__.CarouselPlugin),
/* harmony export */   CollapsePlugin: () =&gt; (/* reexport safe */ _components_collapse__WEBPACK_IMPORTED_MODULE_45__.CollapsePlugin),
/* harmony export */   DropdownPlugin: () =&gt; (/* reexport safe */ _components_dropdown__WEBPACK_IMPORTED_MODULE_47__.DropdownPlugin),
/* harmony export */   EmbedPlugin: () =&gt; (/* reexport safe */ _components_embed__WEBPACK_IMPORTED_MODULE_56__.EmbedPlugin),
/* harmony export */   FormCheckboxPlugin: () =&gt; (/* reexport safe */ _components_form_checkbox__WEBPACK_IMPORTED_MODULE_64__.FormCheckboxPlugin),
/* harmony export */   FormDatepickerPlugin: () =&gt; (/* reexport safe */ _components_form_datepicker__WEBPACK_IMPORTED_MODULE_67__.FormDatepickerPlugin),
/* harmony export */   FormFilePlugin: () =&gt; (/* reexport safe */ _components_form_file__WEBPACK_IMPORTED_MODULE_69__.FormFilePlugin),
/* harmony export */   FormGroupPlugin: () =&gt; (/* reexport safe */ _components_form_group__WEBPACK_IMPORTED_MODULE_71__.FormGroupPlugin),
/* harmony export */   FormInputPlugin: () =&gt; (/* reexport safe */ _components_form_input__WEBPACK_IMPORTED_MODULE_73__.FormInputPlugin),
/* harmony export */   FormPlugin: () =&gt; (/* reexport safe */ _components_form__WEBPACK_IMPORTED_MODULE_58__.FormPlugin),
/* harmony export */   FormRadioPlugin: () =&gt; (/* reexport safe */ _components_form_radio__WEBPACK_IMPORTED_MODULE_75__.FormRadioPlugin),
/* harmony export */   FormRatingPlugin: () =&gt; (/* reexport safe */ _components_form_rating__WEBPACK_IMPORTED_MODULE_78__.FormRatingPlugin),
/* harmony export */   FormSelectPlugin: () =&gt; (/* reexport safe */ _components_form_select__WEBPACK_IMPORTED_MODULE_83__.FormSelectPlugin),
/* harmony export */   FormSpinbuttonPlugin: () =&gt; (/* reexport safe */ _components_form_spinbutton__WEBPACK_IMPORTED_MODULE_87__.FormSpinbuttonPlugin),
/* harmony export */   FormTagsPlugin: () =&gt; (/* reexport safe */ _components_form_tags__WEBPACK_IMPORTED_MODULE_80__.FormTagsPlugin),
/* harmony export */   FormTextareaPlugin: () =&gt; (/* reexport safe */ _components_form_textarea__WEBPACK_IMPORTED_MODULE_89__.FormTextareaPlugin),
/* harmony export */   FormTimepickerPlugin: () =&gt; (/* reexport safe */ _components_form_timepicker__WEBPACK_IMPORTED_MODULE_91__.FormTimepickerPlugin),
/* harmony export */   IconsPlugin: () =&gt; (/* reexport safe */ _icons_plugin__WEBPACK_IMPORTED_MODULE_6__.IconsPlugin),
/* harmony export */   ImagePlugin: () =&gt; (/* reexport safe */ _components_image__WEBPACK_IMPORTED_MODULE_93__.ImagePlugin),
/* harmony export */   InputGroupPlugin: () =&gt; (/* reexport safe */ _components_input_group__WEBPACK_IMPORTED_MODULE_96__.InputGroupPlugin),
/* harmony export */   JumbotronPlugin: () =&gt; (/* reexport safe */ _components_jumbotron__WEBPACK_IMPORTED_MODULE_102__.JumbotronPlugin),
/* harmony export */   LayoutPlugin: () =&gt; (/* reexport safe */ _components_layout__WEBPACK_IMPORTED_MODULE_104__.LayoutPlugin),
/* harmony export */   LinkPlugin: () =&gt; (/* reexport safe */ _components_link__WEBPACK_IMPORTED_MODULE_109__.LinkPlugin),
/* harmony export */   ListGroupPlugin: () =&gt; (/* reexport safe */ _components_list_group__WEBPACK_IMPORTED_MODULE_111__.ListGroupPlugin),
/* harmony export */   MediaPlugin: () =&gt; (/* reexport safe */ _components_media__WEBPACK_IMPORTED_MODULE_114__.MediaPlugin),
/* harmony export */   ModalPlugin: () =&gt; (/* reexport safe */ _components_modal__WEBPACK_IMPORTED_MODULE_118__.ModalPlugin),
/* harmony export */   NAME: () =&gt; (/* binding */ NAME),
/* harmony export */   NavPlugin: () =&gt; (/* reexport safe */ _components_nav__WEBPACK_IMPORTED_MODULE_120__.NavPlugin),
/* harmony export */   NavbarPlugin: () =&gt; (/* reexport safe */ _components_navbar__WEBPACK_IMPORTED_MODULE_126__.NavbarPlugin),
/* harmony export */   OverlayPlugin: () =&gt; (/* reexport safe */ _components_overlay__WEBPACK_IMPORTED_MODULE_131__.OverlayPlugin),
/* harmony export */   PaginationNavPlugin: () =&gt; (/* reexport safe */ _components_pagination_nav__WEBPACK_IMPORTED_MODULE_135__.PaginationNavPlugin),
/* harmony export */   PaginationPlugin: () =&gt; (/* reexport safe */ _components_pagination__WEBPACK_IMPORTED_MODULE_133__.PaginationPlugin),
/* harmony export */   PopoverPlugin: () =&gt; (/* reexport safe */ _components_popover__WEBPACK_IMPORTED_MODULE_137__.PopoverPlugin),
/* harmony export */   ProgressPlugin: () =&gt; (/* reexport safe */ _components_progress__WEBPACK_IMPORTED_MODULE_139__.ProgressPlugin),
/* harmony export */   SidebarPlugin: () =&gt; (/* reexport safe */ _components_sidebar__WEBPACK_IMPORTED_MODULE_142__.SidebarPlugin),
/* harmony export */   SkeletonPlugin: () =&gt; (/* reexport safe */ _components_skeleton__WEBPACK_IMPORTED_MODULE_144__.SkeletonPlugin),
/* harmony export */   SpinnerPlugin: () =&gt; (/* reexport safe */ _components_spinner__WEBPACK_IMPORTED_MODULE_150__.SpinnerPlugin),
/* harmony export */   TableLitePlugin: () =&gt; (/* reexport safe */ _components_table__WEBPACK_IMPORTED_MODULE_152__.TableLitePlugin),
/* harmony export */   TablePlugin: () =&gt; (/* reexport safe */ _components_table__WEBPACK_IMPORTED_MODULE_152__.TablePlugin),
/* harmony export */   TableSimplePlugin: () =&gt; (/* reexport safe */ _components_table__WEBPACK_IMPORTED_MODULE_152__.TableSimplePlugin),
/* harmony export */   TabsPlugin: () =&gt; (/* reexport safe */ _components_tabs__WEBPACK_IMPORTED_MODULE_162__.TabsPlugin),
/* harmony export */   TimePlugin: () =&gt; (/* reexport safe */ _components_time__WEBPACK_IMPORTED_MODULE_165__.TimePlugin),
/* harmony export */   ToastPlugin: () =&gt; (/* reexport safe */ _components_toast__WEBPACK_IMPORTED_MODULE_167__.ToastPlugin),
/* harmony export */   TooltipPlugin: () =&gt; (/* reexport safe */ _components_tooltip__WEBPACK_IMPORTED_MODULE_170__.TooltipPlugin),
/* harmony export */   VBHover: () =&gt; (/* reexport safe */ _directives_hover_hover__WEBPACK_IMPORTED_MODULE_173__.VBHover),
/* harmony export */   VBHoverPlugin: () =&gt; (/* reexport safe */ _directives_hover__WEBPACK_IMPORTED_MODULE_172__.VBHoverPlugin),
/* harmony export */   VBModal: () =&gt; (/* reexport safe */ _directives_modal_modal__WEBPACK_IMPORTED_MODULE_175__.VBModal),
/* harmony export */   VBModalPlugin: () =&gt; (/* reexport safe */ _directives_modal__WEBPACK_IMPORTED_MODULE_174__.VBModalPlugin),
/* harmony export */   VBPopover: () =&gt; (/* reexport safe */ _directives_popover_popover__WEBPACK_IMPORTED_MODULE_177__.VBPopover),
/* harmony export */   VBPopoverPlugin: () =&gt; (/* reexport safe */ _directives_popover__WEBPACK_IMPORTED_MODULE_176__.VBPopoverPlugin),
/* harmony export */   VBScrollspy: () =&gt; (/* reexport safe */ _directives_scrollspy_scrollspy__WEBPACK_IMPORTED_MODULE_179__.VBScrollspy),
/* harmony export */   VBScrollspyPlugin: () =&gt; (/* reexport safe */ _directives_scrollspy__WEBPACK_IMPORTED_MODULE_178__.VBScrollspyPlugin),
/* harmony export */   VBToggle: () =&gt; (/* reexport safe */ _directives_toggle_toggle__WEBPACK_IMPORTED_MODULE_181__.VBToggle),
/* harmony export */   VBTogglePlugin: () =&gt; (/* reexport safe */ _directives_toggle__WEBPACK_IMPORTED_MODULE_180__.VBTogglePlugin),
/* harmony export */   VBTooltip: () =&gt; (/* reexport safe */ _directives_tooltip_tooltip__WEBPACK_IMPORTED_MODULE_183__.VBTooltip),
/* harmony export */   VBTooltipPlugin: () =&gt; (/* reexport safe */ _directives_tooltip__WEBPACK_IMPORTED_MODULE_182__.VBTooltipPlugin),
/* harmony export */   VBVisible: () =&gt; (/* reexport safe */ _directives_visible_visible__WEBPACK_IMPORTED_MODULE_185__.VBVisible),
/* harmony export */   VBVisiblePlugin: () =&gt; (/* reexport safe */ _directives_visible__WEBPACK_IMPORTED_MODULE_184__.VBVisiblePlugin),
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__),
/* harmony export */   install: () =&gt; (/* binding */ install)
/* harmony export */ });
/* harmony import */ var _utils_plugins__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./utils/plugins */ "./node_modules/bootstrap-vue/esm/utils/plugins.js");
/* harmony import */ var _components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./components */ "./node_modules/bootstrap-vue/esm/components/index.js");
/* harmony import */ var _directives__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./directives */ "./node_modules/bootstrap-vue/esm/directives/index.js");
/* harmony import */ var _bv_config__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./bv-config */ "./node_modules/bootstrap-vue/esm/bv-config.js");
/* harmony import */ var _components_modal_helpers_bv_modal__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./components/modal/helpers/bv-modal */ "./node_modules/bootstrap-vue/esm/components/modal/helpers/bv-modal.js");
/* harmony import */ var _components_toast_helpers_bv_toast__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./components/toast/helpers/bv-toast */ "./node_modules/bootstrap-vue/esm/components/toast/helpers/bv-toast.js");
/* harmony import */ var _icons_plugin__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./icons/plugin */ "./node_modules/bootstrap-vue/esm/icons/plugin.js");
/* harmony import */ var _icons_icon__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./icons/icon */ "./node_modules/bootstrap-vue/esm/icons/icon.js");
/* harmony import */ var _icons_iconstack__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./icons/iconstack */ "./node_modules/bootstrap-vue/esm/icons/iconstack.js");
/* harmony import */ var _icons_icons__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./icons/icons */ "./node_modules/bootstrap-vue/esm/icons/icons.js");
/* harmony import */ var _components_alert__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./components/alert */ "./node_modules/bootstrap-vue/esm/components/alert/index.js");
/* harmony import */ var _components_alert_alert__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./components/alert/alert */ "./node_modules/bootstrap-vue/esm/components/alert/alert.js");
/* harmony import */ var _components_aspect__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ./components/aspect */ "./node_modules/bootstrap-vue/esm/components/aspect/index.js");
/* harmony import */ var _components_aspect_aspect__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ./components/aspect/aspect */ "./node_modules/bootstrap-vue/esm/components/aspect/aspect.js");
/* harmony import */ var _components_avatar__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ./components/avatar */ "./node_modules/bootstrap-vue/esm/components/avatar/index.js");
/* harmony import */ var _components_avatar_avatar__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ./components/avatar/avatar */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar.js");
/* harmony import */ var _components_avatar_avatar_group__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ./components/avatar/avatar-group */ "./node_modules/bootstrap-vue/esm/components/avatar/avatar-group.js");
/* harmony import */ var _components_badge__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ./components/badge */ "./node_modules/bootstrap-vue/esm/components/badge/index.js");
/* harmony import */ var _components_badge_badge__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ./components/badge/badge */ "./node_modules/bootstrap-vue/esm/components/badge/badge.js");
/* harmony import */ var _components_breadcrumb__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ./components/breadcrumb */ "./node_modules/bootstrap-vue/esm/components/breadcrumb/index.js");
/* harmony import */ var _components_breadcrumb_breadcrumb__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ./components/breadcrumb/breadcrumb */ "./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb.js");
/* harmony import */ var _components_breadcrumb_breadcrumb_item__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ./components/breadcrumb/breadcrumb-item */ "./node_modules/bootstrap-vue/esm/components/breadcrumb/breadcrumb-item.js");
/* harmony import */ var _components_button__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ./components/button */ "./node_modules/bootstrap-vue/esm/components/button/index.js");
/* harmony import */ var _components_button_button__WEBPACK_IMPORTED_MODULE_23__ = __webpack_require__(/*! ./components/button/button */ "./node_modules/bootstrap-vue/esm/components/button/button.js");
/* harmony import */ var _components_button_button_close__WEBPACK_IMPORTED_MODULE_24__ = __webpack_require__(/*! ./components/button/button-close */ "./node_modules/bootstrap-vue/esm/components/button/button-close.js");
/* harmony import */ var _components_button_group__WEBPACK_IMPORTED_MODULE_25__ = __webpack_require__(/*! ./components/button-group */ "./node_modules/bootstrap-vue/esm/components/button-group/index.js");
/* harmony import */ var _components_button_group_button_group__WEBPACK_IMPORTED_MODULE_26__ = __webpack_require__(/*! ./components/button-group/button-group */ "./node_modules/bootstrap-vue/esm/components/button-group/button-group.js");
/* harmony import */ var _components_button_toolbar__WEBPACK_IMPORTED_MODULE_27__ = __webpack_require__(/*! ./components/button-toolbar */ "./node_modules/bootstrap-vue/esm/components/button-toolbar/index.js");
/* harmony import */ var _components_button_toolbar_button_toolbar__WEBPACK_IMPORTED_MODULE_28__ = __webpack_require__(/*! ./components/button-toolbar/button-toolbar */ "./node_modules/bootstrap-vue/esm/components/button-toolbar/button-toolbar.js");
/* harmony import */ var _components_calendar__WEBPACK_IMPORTED_MODULE_29__ = __webpack_require__(/*! ./components/calendar */ "./node_modules/bootstrap-vue/esm/components/calendar/index.js");
/* harmony import */ var _components_calendar_calendar__WEBPACK_IMPORTED_MODULE_30__ = __webpack_require__(/*! ./components/calendar/calendar */ "./node_modules/bootstrap-vue/esm/components/calendar/calendar.js");
/* harmony import */ var _components_card__WEBPACK_IMPORTED_MODULE_31__ = __webpack_require__(/*! ./components/card */ "./node_modules/bootstrap-vue/esm/components/card/index.js");
/* harmony import */ var _components_card_card__WEBPACK_IMPORTED_MODULE_32__ = __webpack_require__(/*! ./components/card/card */ "./node_modules/bootstrap-vue/esm/components/card/card.js");
/* harmony import */ var _components_card_card_body__WEBPACK_IMPORTED_MODULE_33__ = __webpack_require__(/*! ./components/card/card-body */ "./node_modules/bootstrap-vue/esm/components/card/card-body.js");
/* harmony import */ var _components_card_card_footer__WEBPACK_IMPORTED_MODULE_34__ = __webpack_require__(/*! ./components/card/card-footer */ "./node_modules/bootstrap-vue/esm/components/card/card-footer.js");
/* harmony import */ var _components_card_card_group__WEBPACK_IMPORTED_MODULE_35__ = __webpack_require__(/*! ./components/card/card-group */ "./node_modules/bootstrap-vue/esm/components/card/card-group.js");
/* harmony import */ var _components_card_card_header__WEBPACK_IMPORTED_MODULE_36__ = __webpack_require__(/*! ./components/card/card-header */ "./node_modules/bootstrap-vue/esm/components/card/card-header.js");
/* harmony import */ var _components_card_card_img__WEBPACK_IMPORTED_MODULE_37__ = __webpack_require__(/*! ./components/card/card-img */ "./node_modules/bootstrap-vue/esm/components/card/card-img.js");
/* harmony import */ var _components_card_card_img_lazy__WEBPACK_IMPORTED_MODULE_38__ = __webpack_require__(/*! ./components/card/card-img-lazy */ "./node_modules/bootstrap-vue/esm/components/card/card-img-lazy.js");
/* harmony import */ var _components_card_card_sub_title__WEBPACK_IMPORTED_MODULE_39__ = __webpack_require__(/*! ./components/card/card-sub-title */ "./node_modules/bootstrap-vue/esm/components/card/card-sub-title.js");
/* harmony import */ var _components_card_card_text__WEBPACK_IMPORTED_MODULE_40__ = __webpack_require__(/*! ./components/card/card-text */ "./node_modules/bootstrap-vue/esm/components/card/card-text.js");
/* harmony import */ var _components_card_card_title__WEBPACK_IMPORTED_MODULE_41__ = __webpack_require__(/*! ./components/card/card-title */ "./node_modules/bootstrap-vue/esm/components/card/card-title.js");
/* harmony import */ var _components_carousel__WEBPACK_IMPORTED_MODULE_42__ = __webpack_require__(/*! ./components/carousel */ "./node_modules/bootstrap-vue/esm/components/carousel/index.js");
/* harmony import */ var _components_carousel_carousel__WEBPACK_IMPORTED_MODULE_43__ = __webpack_require__(/*! ./components/carousel/carousel */ "./node_modules/bootstrap-vue/esm/components/carousel/carousel.js");
/* harmony import */ var _components_carousel_carousel_slide__WEBPACK_IMPORTED_MODULE_44__ = __webpack_require__(/*! ./components/carousel/carousel-slide */ "./node_modules/bootstrap-vue/esm/components/carousel/carousel-slide.js");
/* harmony import */ var _components_collapse__WEBPACK_IMPORTED_MODULE_45__ = __webpack_require__(/*! ./components/collapse */ "./node_modules/bootstrap-vue/esm/components/collapse/index.js");
/* harmony import */ var _components_collapse_collapse__WEBPACK_IMPORTED_MODULE_46__ = __webpack_require__(/*! ./components/collapse/collapse */ "./node_modules/bootstrap-vue/esm/components/collapse/collapse.js");
/* harmony import */ var _components_dropdown__WEBPACK_IMPORTED_MODULE_47__ = __webpack_require__(/*! ./components/dropdown */ "./node_modules/bootstrap-vue/esm/components/dropdown/index.js");
/* harmony import */ var _components_dropdown_dropdown__WEBPACK_IMPORTED_MODULE_48__ = __webpack_require__(/*! ./components/dropdown/dropdown */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown.js");
/* harmony import */ var _components_dropdown_dropdown_item__WEBPACK_IMPORTED_MODULE_49__ = __webpack_require__(/*! ./components/dropdown/dropdown-item */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item.js");
/* harmony import */ var _components_dropdown_dropdown_item_button__WEBPACK_IMPORTED_MODULE_50__ = __webpack_require__(/*! ./components/dropdown/dropdown-item-button */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-item-button.js");
/* harmony import */ var _components_dropdown_dropdown_divider__WEBPACK_IMPORTED_MODULE_51__ = __webpack_require__(/*! ./components/dropdown/dropdown-divider */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-divider.js");
/* harmony import */ var _components_dropdown_dropdown_form__WEBPACK_IMPORTED_MODULE_52__ = __webpack_require__(/*! ./components/dropdown/dropdown-form */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-form.js");
/* harmony import */ var _components_dropdown_dropdown_group__WEBPACK_IMPORTED_MODULE_53__ = __webpack_require__(/*! ./components/dropdown/dropdown-group */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-group.js");
/* harmony import */ var _components_dropdown_dropdown_header__WEBPACK_IMPORTED_MODULE_54__ = __webpack_require__(/*! ./components/dropdown/dropdown-header */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-header.js");
/* harmony import */ var _components_dropdown_dropdown_text__WEBPACK_IMPORTED_MODULE_55__ = __webpack_require__(/*! ./components/dropdown/dropdown-text */ "./node_modules/bootstrap-vue/esm/components/dropdown/dropdown-text.js");
/* harmony import */ var _components_embed__WEBPACK_IMPORTED_MODULE_56__ = __webpack_require__(/*! ./components/embed */ "./node_modules/bootstrap-vue/esm/components/embed/index.js");
/* harmony import */ var _components_embed_embed__WEBPACK_IMPORTED_MODULE_57__ = __webpack_require__(/*! ./components/embed/embed */ "./node_modules/bootstrap-vue/esm/components/embed/embed.js");
/* harmony import */ var _components_form__WEBPACK_IMPORTED_MODULE_58__ = __webpack_require__(/*! ./components/form */ "./node_modules/bootstrap-vue/esm/components/form/index.js");
/* harmony import */ var _components_form_form__WEBPACK_IMPORTED_MODULE_59__ = __webpack_require__(/*! ./components/form/form */ "./node_modules/bootstrap-vue/esm/components/form/form.js");
/* harmony import */ var _components_form_form_datalist__WEBPACK_IMPORTED_MODULE_60__ = __webpack_require__(/*! ./components/form/form-datalist */ "./node_modules/bootstrap-vue/esm/components/form/form-datalist.js");
/* harmony import */ var _components_form_form_text__WEBPACK_IMPORTED_MODULE_61__ = __webpack_require__(/*! ./components/form/form-text */ "./node_modules/bootstrap-vue/esm/components/form/form-text.js");
/* harmony import */ var _components_form_form_invalid_feedback__WEBPACK_IMPORTED_MODULE_62__ = __webpack_require__(/*! ./components/form/form-invalid-feedback */ "./node_modules/bootstrap-vue/esm/components/form/form-invalid-feedback.js");
/* harmony import */ var _components_form_form_valid_feedback__WEBPACK_IMPORTED_MODULE_63__ = __webpack_require__(/*! ./components/form/form-valid-feedback */ "./node_modules/bootstrap-vue/esm/components/form/form-valid-feedback.js");
/* harmony import */ var _components_form_checkbox__WEBPACK_IMPORTED_MODULE_64__ = __webpack_require__(/*! ./components/form-checkbox */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/index.js");
/* harmony import */ var _components_form_checkbox_form_checkbox__WEBPACK_IMPORTED_MODULE_65__ = __webpack_require__(/*! ./components/form-checkbox/form-checkbox */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var _components_form_checkbox_form_checkbox_group__WEBPACK_IMPORTED_MODULE_66__ = __webpack_require__(/*! ./components/form-checkbox/form-checkbox-group */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox-group.js");
/* harmony import */ var _components_form_datepicker__WEBPACK_IMPORTED_MODULE_67__ = __webpack_require__(/*! ./components/form-datepicker */ "./node_modules/bootstrap-vue/esm/components/form-datepicker/index.js");
/* harmony import */ var _components_form_datepicker_form_datepicker__WEBPACK_IMPORTED_MODULE_68__ = __webpack_require__(/*! ./components/form-datepicker/form-datepicker */ "./node_modules/bootstrap-vue/esm/components/form-datepicker/form-datepicker.js");
/* harmony import */ var _components_form_file__WEBPACK_IMPORTED_MODULE_69__ = __webpack_require__(/*! ./components/form-file */ "./node_modules/bootstrap-vue/esm/components/form-file/index.js");
/* harmony import */ var _components_form_file_form_file__WEBPACK_IMPORTED_MODULE_70__ = __webpack_require__(/*! ./components/form-file/form-file */ "./node_modules/bootstrap-vue/esm/components/form-file/form-file.js");
/* harmony import */ var _components_form_group__WEBPACK_IMPORTED_MODULE_71__ = __webpack_require__(/*! ./components/form-group */ "./node_modules/bootstrap-vue/esm/components/form-group/index.js");
/* harmony import */ var _components_form_group_form_group__WEBPACK_IMPORTED_MODULE_72__ = __webpack_require__(/*! ./components/form-group/form-group */ "./node_modules/bootstrap-vue/esm/components/form-group/form-group.js");
/* harmony import */ var _components_form_input__WEBPACK_IMPORTED_MODULE_73__ = __webpack_require__(/*! ./components/form-input */ "./node_modules/bootstrap-vue/esm/components/form-input/index.js");
/* harmony import */ var _components_form_input_form_input__WEBPACK_IMPORTED_MODULE_74__ = __webpack_require__(/*! ./components/form-input/form-input */ "./node_modules/bootstrap-vue/esm/components/form-input/form-input.js");
/* harmony import */ var _components_form_radio__WEBPACK_IMPORTED_MODULE_75__ = __webpack_require__(/*! ./components/form-radio */ "./node_modules/bootstrap-vue/esm/components/form-radio/index.js");
/* harmony import */ var _components_form_radio_form_radio__WEBPACK_IMPORTED_MODULE_76__ = __webpack_require__(/*! ./components/form-radio/form-radio */ "./node_modules/bootstrap-vue/esm/components/form-radio/form-radio.js");
/* harmony import */ var _components_form_radio_form_radio_group__WEBPACK_IMPORTED_MODULE_77__ = __webpack_require__(/*! ./components/form-radio/form-radio-group */ "./node_modules/bootstrap-vue/esm/components/form-radio/form-radio-group.js");
/* harmony import */ var _components_form_rating__WEBPACK_IMPORTED_MODULE_78__ = __webpack_require__(/*! ./components/form-rating */ "./node_modules/bootstrap-vue/esm/components/form-rating/index.js");
/* harmony import */ var _components_form_rating_form_rating__WEBPACK_IMPORTED_MODULE_79__ = __webpack_require__(/*! ./components/form-rating/form-rating */ "./node_modules/bootstrap-vue/esm/components/form-rating/form-rating.js");
/* harmony import */ var _components_form_tags__WEBPACK_IMPORTED_MODULE_80__ = __webpack_require__(/*! ./components/form-tags */ "./node_modules/bootstrap-vue/esm/components/form-tags/index.js");
/* harmony import */ var _components_form_tags_form_tags__WEBPACK_IMPORTED_MODULE_81__ = __webpack_require__(/*! ./components/form-tags/form-tags */ "./node_modules/bootstrap-vue/esm/components/form-tags/form-tags.js");
/* harmony import */ var _components_form_tags_form_tag__WEBPACK_IMPORTED_MODULE_82__ = __webpack_require__(/*! ./components/form-tags/form-tag */ "./node_modules/bootstrap-vue/esm/components/form-tags/form-tag.js");
/* harmony import */ var _components_form_select__WEBPACK_IMPORTED_MODULE_83__ = __webpack_require__(/*! ./components/form-select */ "./node_modules/bootstrap-vue/esm/components/form-select/index.js");
/* harmony import */ var _components_form_select_form_select__WEBPACK_IMPORTED_MODULE_84__ = __webpack_require__(/*! ./components/form-select/form-select */ "./node_modules/bootstrap-vue/esm/components/form-select/form-select.js");
/* harmony import */ var _components_form_select_form_select_option__WEBPACK_IMPORTED_MODULE_85__ = __webpack_require__(/*! ./components/form-select/form-select-option */ "./node_modules/bootstrap-vue/esm/components/form-select/form-select-option.js");
/* harmony import */ var _components_form_select_form_select_option_group__WEBPACK_IMPORTED_MODULE_86__ = __webpack_require__(/*! ./components/form-select/form-select-option-group */ "./node_modules/bootstrap-vue/esm/components/form-select/form-select-option-group.js");
/* harmony import */ var _components_form_spinbutton__WEBPACK_IMPORTED_MODULE_87__ = __webpack_require__(/*! ./components/form-spinbutton */ "./node_modules/bootstrap-vue/esm/components/form-spinbutton/index.js");
/* harmony import */ var _components_form_spinbutton_form_spinbutton__WEBPACK_IMPORTED_MODULE_88__ = __webpack_require__(/*! ./components/form-spinbutton/form-spinbutton */ "./node_modules/bootstrap-vue/esm/components/form-spinbutton/form-spinbutton.js");
/* harmony import */ var _components_form_textarea__WEBPACK_IMPORTED_MODULE_89__ = __webpack_require__(/*! ./components/form-textarea */ "./node_modules/bootstrap-vue/esm/components/form-textarea/index.js");
/* harmony import */ var _components_form_textarea_form_textarea__WEBPACK_IMPORTED_MODULE_90__ = __webpack_require__(/*! ./components/form-textarea/form-textarea */ "./node_modules/bootstrap-vue/esm/components/form-textarea/form-textarea.js");
/* harmony import */ var _components_form_timepicker__WEBPACK_IMPORTED_MODULE_91__ = __webpack_require__(/*! ./components/form-timepicker */ "./node_modules/bootstrap-vue/esm/components/form-timepicker/index.js");
/* harmony import */ var _components_form_timepicker_form_timepicker__WEBPACK_IMPORTED_MODULE_92__ = __webpack_require__(/*! ./components/form-timepicker/form-timepicker */ "./node_modules/bootstrap-vue/esm/components/form-timepicker/form-timepicker.js");
/* harmony import */ var _components_image__WEBPACK_IMPORTED_MODULE_93__ = __webpack_require__(/*! ./components/image */ "./node_modules/bootstrap-vue/esm/components/image/index.js");
/* harmony import */ var _components_image_img__WEBPACK_IMPORTED_MODULE_94__ = __webpack_require__(/*! ./components/image/img */ "./node_modules/bootstrap-vue/esm/components/image/img.js");
/* harmony import */ var _components_image_img_lazy__WEBPACK_IMPORTED_MODULE_95__ = __webpack_require__(/*! ./components/image/img-lazy */ "./node_modules/bootstrap-vue/esm/components/image/img-lazy.js");
/* harmony import */ var _components_input_group__WEBPACK_IMPORTED_MODULE_96__ = __webpack_require__(/*! ./components/input-group */ "./node_modules/bootstrap-vue/esm/components/input-group/index.js");
/* harmony import */ var _components_input_group_input_group__WEBPACK_IMPORTED_MODULE_97__ = __webpack_require__(/*! ./components/input-group/input-group */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group.js");
/* harmony import */ var _components_input_group_input_group_addon__WEBPACK_IMPORTED_MODULE_98__ = __webpack_require__(/*! ./components/input-group/input-group-addon */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-addon.js");
/* harmony import */ var _components_input_group_input_group_append__WEBPACK_IMPORTED_MODULE_99__ = __webpack_require__(/*! ./components/input-group/input-group-append */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-append.js");
/* harmony import */ var _components_input_group_input_group_prepend__WEBPACK_IMPORTED_MODULE_100__ = __webpack_require__(/*! ./components/input-group/input-group-prepend */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-prepend.js");
/* harmony import */ var _components_input_group_input_group_text__WEBPACK_IMPORTED_MODULE_101__ = __webpack_require__(/*! ./components/input-group/input-group-text */ "./node_modules/bootstrap-vue/esm/components/input-group/input-group-text.js");
/* harmony import */ var _components_jumbotron__WEBPACK_IMPORTED_MODULE_102__ = __webpack_require__(/*! ./components/jumbotron */ "./node_modules/bootstrap-vue/esm/components/jumbotron/index.js");
/* harmony import */ var _components_jumbotron_jumbotron__WEBPACK_IMPORTED_MODULE_103__ = __webpack_require__(/*! ./components/jumbotron/jumbotron */ "./node_modules/bootstrap-vue/esm/components/jumbotron/jumbotron.js");
/* harmony import */ var _components_layout__WEBPACK_IMPORTED_MODULE_104__ = __webpack_require__(/*! ./components/layout */ "./node_modules/bootstrap-vue/esm/components/layout/index.js");
/* harmony import */ var _components_layout_container__WEBPACK_IMPORTED_MODULE_105__ = __webpack_require__(/*! ./components/layout/container */ "./node_modules/bootstrap-vue/esm/components/layout/container.js");
/* harmony import */ var _components_layout_row__WEBPACK_IMPORTED_MODULE_106__ = __webpack_require__(/*! ./components/layout/row */ "./node_modules/bootstrap-vue/esm/components/layout/row.js");
/* harmony import */ var _components_layout_col__WEBPACK_IMPORTED_MODULE_107__ = __webpack_require__(/*! ./components/layout/col */ "./node_modules/bootstrap-vue/esm/components/layout/col.js");
/* harmony import */ var _components_layout_form_row__WEBPACK_IMPORTED_MODULE_108__ = __webpack_require__(/*! ./components/layout/form-row */ "./node_modules/bootstrap-vue/esm/components/layout/form-row.js");
/* harmony import */ var _components_link__WEBPACK_IMPORTED_MODULE_109__ = __webpack_require__(/*! ./components/link */ "./node_modules/bootstrap-vue/esm/components/link/index.js");
/* harmony import */ var _components_link_link__WEBPACK_IMPORTED_MODULE_110__ = __webpack_require__(/*! ./components/link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
/* harmony import */ var _components_list_group__WEBPACK_IMPORTED_MODULE_111__ = __webpack_require__(/*! ./components/list-group */ "./node_modules/bootstrap-vue/esm/components/list-group/index.js");
/* harmony import */ var _components_list_group_list_group__WEBPACK_IMPORTED_MODULE_112__ = __webpack_require__(/*! ./components/list-group/list-group */ "./node_modules/bootstrap-vue/esm/components/list-group/list-group.js");
/* harmony import */ var _components_list_group_list_group_item__WEBPACK_IMPORTED_MODULE_113__ = __webpack_require__(/*! ./components/list-group/list-group-item */ "./node_modules/bootstrap-vue/esm/components/list-group/list-group-item.js");
/* harmony import */ var _components_media__WEBPACK_IMPORTED_MODULE_114__ = __webpack_require__(/*! ./components/media */ "./node_modules/bootstrap-vue/esm/components/media/index.js");
/* harmony import */ var _components_media_media__WEBPACK_IMPORTED_MODULE_115__ = __webpack_require__(/*! ./components/media/media */ "./node_modules/bootstrap-vue/esm/components/media/media.js");
/* harmony import */ var _components_media_media_aside__WEBPACK_IMPORTED_MODULE_116__ = __webpack_require__(/*! ./components/media/media-aside */ "./node_modules/bootstrap-vue/esm/components/media/media-aside.js");
/* harmony import */ var _components_media_media_body__WEBPACK_IMPORTED_MODULE_117__ = __webpack_require__(/*! ./components/media/media-body */ "./node_modules/bootstrap-vue/esm/components/media/media-body.js");
/* harmony import */ var _components_modal__WEBPACK_IMPORTED_MODULE_118__ = __webpack_require__(/*! ./components/modal */ "./node_modules/bootstrap-vue/esm/components/modal/index.js");
/* harmony import */ var _components_modal_modal__WEBPACK_IMPORTED_MODULE_119__ = __webpack_require__(/*! ./components/modal/modal */ "./node_modules/bootstrap-vue/esm/components/modal/modal.js");
/* harmony import */ var _components_nav__WEBPACK_IMPORTED_MODULE_120__ = __webpack_require__(/*! ./components/nav */ "./node_modules/bootstrap-vue/esm/components/nav/index.js");
/* harmony import */ var _components_nav_nav__WEBPACK_IMPORTED_MODULE_121__ = __webpack_require__(/*! ./components/nav/nav */ "./node_modules/bootstrap-vue/esm/components/nav/nav.js");
/* harmony import */ var _components_nav_nav_form__WEBPACK_IMPORTED_MODULE_122__ = __webpack_require__(/*! ./components/nav/nav-form */ "./node_modules/bootstrap-vue/esm/components/nav/nav-form.js");
/* harmony import */ var _components_nav_nav_item__WEBPACK_IMPORTED_MODULE_123__ = __webpack_require__(/*! ./components/nav/nav-item */ "./node_modules/bootstrap-vue/esm/components/nav/nav-item.js");
/* harmony import */ var _components_nav_nav_item_dropdown__WEBPACK_IMPORTED_MODULE_124__ = __webpack_require__(/*! ./components/nav/nav-item-dropdown */ "./node_modules/bootstrap-vue/esm/components/nav/nav-item-dropdown.js");
/* harmony import */ var _components_nav_nav_text__WEBPACK_IMPORTED_MODULE_125__ = __webpack_require__(/*! ./components/nav/nav-text */ "./node_modules/bootstrap-vue/esm/components/nav/nav-text.js");
/* harmony import */ var _components_navbar__WEBPACK_IMPORTED_MODULE_126__ = __webpack_require__(/*! ./components/navbar */ "./node_modules/bootstrap-vue/esm/components/navbar/index.js");
/* harmony import */ var _components_navbar_navbar__WEBPACK_IMPORTED_MODULE_127__ = __webpack_require__(/*! ./components/navbar/navbar */ "./node_modules/bootstrap-vue/esm/components/navbar/navbar.js");
/* harmony import */ var _components_navbar_navbar_brand__WEBPACK_IMPORTED_MODULE_128__ = __webpack_require__(/*! ./components/navbar/navbar-brand */ "./node_modules/bootstrap-vue/esm/components/navbar/navbar-brand.js");
/* harmony import */ var _components_navbar_navbar_nav__WEBPACK_IMPORTED_MODULE_129__ = __webpack_require__(/*! ./components/navbar/navbar-nav */ "./node_modules/bootstrap-vue/esm/components/navbar/navbar-nav.js");
/* harmony import */ var _components_navbar_navbar_toggle__WEBPACK_IMPORTED_MODULE_130__ = __webpack_require__(/*! ./components/navbar/navbar-toggle */ "./node_modules/bootstrap-vue/esm/components/navbar/navbar-toggle.js");
/* harmony import */ var _components_overlay__WEBPACK_IMPORTED_MODULE_131__ = __webpack_require__(/*! ./components/overlay */ "./node_modules/bootstrap-vue/esm/components/overlay/index.js");
/* harmony import */ var _components_overlay_overlay__WEBPACK_IMPORTED_MODULE_132__ = __webpack_require__(/*! ./components/overlay/overlay */ "./node_modules/bootstrap-vue/esm/components/overlay/overlay.js");
/* harmony import */ var _components_pagination__WEBPACK_IMPORTED_MODULE_133__ = __webpack_require__(/*! ./components/pagination */ "./node_modules/bootstrap-vue/esm/components/pagination/index.js");
/* harmony import */ var _components_pagination_pagination__WEBPACK_IMPORTED_MODULE_134__ = __webpack_require__(/*! ./components/pagination/pagination */ "./node_modules/bootstrap-vue/esm/components/pagination/pagination.js");
/* harmony import */ var _components_pagination_nav__WEBPACK_IMPORTED_MODULE_135__ = __webpack_require__(/*! ./components/pagination-nav */ "./node_modules/bootstrap-vue/esm/components/pagination-nav/index.js");
/* harmony import */ var _components_pagination_nav_pagination_nav__WEBPACK_IMPORTED_MODULE_136__ = __webpack_require__(/*! ./components/pagination-nav/pagination-nav */ "./node_modules/bootstrap-vue/esm/components/pagination-nav/pagination-nav.js");
/* harmony import */ var _components_popover__WEBPACK_IMPORTED_MODULE_137__ = __webpack_require__(/*! ./components/popover */ "./node_modules/bootstrap-vue/esm/components/popover/index.js");
/* harmony import */ var _components_popover_popover__WEBPACK_IMPORTED_MODULE_138__ = __webpack_require__(/*! ./components/popover/popover */ "./node_modules/bootstrap-vue/esm/components/popover/popover.js");
/* harmony import */ var _components_progress__WEBPACK_IMPORTED_MODULE_139__ = __webpack_require__(/*! ./components/progress */ "./node_modules/bootstrap-vue/esm/components/progress/index.js");
/* harmony import */ var _components_progress_progress__WEBPACK_IMPORTED_MODULE_140__ = __webpack_require__(/*! ./components/progress/progress */ "./node_modules/bootstrap-vue/esm/components/progress/progress.js");
/* harmony import */ var _components_progress_progress_bar__WEBPACK_IMPORTED_MODULE_141__ = __webpack_require__(/*! ./components/progress/progress-bar */ "./node_modules/bootstrap-vue/esm/components/progress/progress-bar.js");
/* harmony import */ var _components_sidebar__WEBPACK_IMPORTED_MODULE_142__ = __webpack_require__(/*! ./components/sidebar */ "./node_modules/bootstrap-vue/esm/components/sidebar/index.js");
/* harmony import */ var _components_sidebar_sidebar__WEBPACK_IMPORTED_MODULE_143__ = __webpack_require__(/*! ./components/sidebar/sidebar */ "./node_modules/bootstrap-vue/esm/components/sidebar/sidebar.js");
/* harmony import */ var _components_skeleton__WEBPACK_IMPORTED_MODULE_144__ = __webpack_require__(/*! ./components/skeleton */ "./node_modules/bootstrap-vue/esm/components/skeleton/index.js");
/* harmony import */ var _components_skeleton_skeleton__WEBPACK_IMPORTED_MODULE_145__ = __webpack_require__(/*! ./components/skeleton/skeleton */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton.js");
/* harmony import */ var _components_skeleton_skeleton_icon__WEBPACK_IMPORTED_MODULE_146__ = __webpack_require__(/*! ./components/skeleton/skeleton-icon */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-icon.js");
/* harmony import */ var _components_skeleton_skeleton_img__WEBPACK_IMPORTED_MODULE_147__ = __webpack_require__(/*! ./components/skeleton/skeleton-img */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-img.js");
/* harmony import */ var _components_skeleton_skeleton_table__WEBPACK_IMPORTED_MODULE_148__ = __webpack_require__(/*! ./components/skeleton/skeleton-table */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-table.js");
/* harmony import */ var _components_skeleton_skeleton_wrapper__WEBPACK_IMPORTED_MODULE_149__ = __webpack_require__(/*! ./components/skeleton/skeleton-wrapper */ "./node_modules/bootstrap-vue/esm/components/skeleton/skeleton-wrapper.js");
/* harmony import */ var _components_spinner__WEBPACK_IMPORTED_MODULE_150__ = __webpack_require__(/*! ./components/spinner */ "./node_modules/bootstrap-vue/esm/components/spinner/index.js");
/* harmony import */ var _components_spinner_spinner__WEBPACK_IMPORTED_MODULE_151__ = __webpack_require__(/*! ./components/spinner/spinner */ "./node_modules/bootstrap-vue/esm/components/spinner/spinner.js");
/* harmony import */ var _components_table__WEBPACK_IMPORTED_MODULE_152__ = __webpack_require__(/*! ./components/table */ "./node_modules/bootstrap-vue/esm/components/table/index.js");
/* harmony import */ var _components_table_table__WEBPACK_IMPORTED_MODULE_153__ = __webpack_require__(/*! ./components/table/table */ "./node_modules/bootstrap-vue/esm/components/table/table.js");
/* harmony import */ var _components_table_table_lite__WEBPACK_IMPORTED_MODULE_154__ = __webpack_require__(/*! ./components/table/table-lite */ "./node_modules/bootstrap-vue/esm/components/table/table-lite.js");
/* harmony import */ var _components_table_table_simple__WEBPACK_IMPORTED_MODULE_155__ = __webpack_require__(/*! ./components/table/table-simple */ "./node_modules/bootstrap-vue/esm/components/table/table-simple.js");
/* harmony import */ var _components_table_tbody__WEBPACK_IMPORTED_MODULE_156__ = __webpack_require__(/*! ./components/table/tbody */ "./node_modules/bootstrap-vue/esm/components/table/tbody.js");
/* harmony import */ var _components_table_thead__WEBPACK_IMPORTED_MODULE_157__ = __webpack_require__(/*! ./components/table/thead */ "./node_modules/bootstrap-vue/esm/components/table/thead.js");
/* harmony import */ var _components_table_tfoot__WEBPACK_IMPORTED_MODULE_158__ = __webpack_require__(/*! ./components/table/tfoot */ "./node_modules/bootstrap-vue/esm/components/table/tfoot.js");
/* harmony import */ var _components_table_tr__WEBPACK_IMPORTED_MODULE_159__ = __webpack_require__(/*! ./components/table/tr */ "./node_modules/bootstrap-vue/esm/components/table/tr.js");
/* harmony import */ var _components_table_th__WEBPACK_IMPORTED_MODULE_160__ = __webpack_require__(/*! ./components/table/th */ "./node_modules/bootstrap-vue/esm/components/table/th.js");
/* harmony import */ var _components_table_td__WEBPACK_IMPORTED_MODULE_161__ = __webpack_require__(/*! ./components/table/td */ "./node_modules/bootstrap-vue/esm/components/table/td.js");
/* harmony import */ var _components_tabs__WEBPACK_IMPORTED_MODULE_162__ = __webpack_require__(/*! ./components/tabs */ "./node_modules/bootstrap-vue/esm/components/tabs/index.js");
/* harmony import */ var _components_tabs_tabs__WEBPACK_IMPORTED_MODULE_163__ = __webpack_require__(/*! ./components/tabs/tabs */ "./node_modules/bootstrap-vue/esm/components/tabs/tabs.js");
/* harmony import */ var _components_tabs_tab__WEBPACK_IMPORTED_MODULE_164__ = __webpack_require__(/*! ./components/tabs/tab */ "./node_modules/bootstrap-vue/esm/components/tabs/tab.js");
/* harmony import */ var _components_time__WEBPACK_IMPORTED_MODULE_165__ = __webpack_require__(/*! ./components/time */ "./node_modules/bootstrap-vue/esm/components/time/index.js");
/* harmony import */ var _components_time_time__WEBPACK_IMPORTED_MODULE_166__ = __webpack_require__(/*! ./components/time/time */ "./node_modules/bootstrap-vue/esm/components/time/time.js");
/* harmony import */ var _components_toast__WEBPACK_IMPORTED_MODULE_167__ = __webpack_require__(/*! ./components/toast */ "./node_modules/bootstrap-vue/esm/components/toast/index.js");
/* harmony import */ var _components_toast_toast__WEBPACK_IMPORTED_MODULE_168__ = __webpack_require__(/*! ./components/toast/toast */ "./node_modules/bootstrap-vue/esm/components/toast/toast.js");
/* harmony import */ var _components_toast_toaster__WEBPACK_IMPORTED_MODULE_169__ = __webpack_require__(/*! ./components/toast/toaster */ "./node_modules/bootstrap-vue/esm/components/toast/toaster.js");
/* harmony import */ var _components_tooltip__WEBPACK_IMPORTED_MODULE_170__ = __webpack_require__(/*! ./components/tooltip */ "./node_modules/bootstrap-vue/esm/components/tooltip/index.js");
/* harmony import */ var _components_tooltip_tooltip__WEBPACK_IMPORTED_MODULE_171__ = __webpack_require__(/*! ./components/tooltip/tooltip */ "./node_modules/bootstrap-vue/esm/components/tooltip/tooltip.js");
/* harmony import */ var _directives_hover__WEBPACK_IMPORTED_MODULE_172__ = __webpack_require__(/*! ./directives/hover */ "./node_modules/bootstrap-vue/esm/directives/hover/index.js");
/* harmony import */ var _directives_hover_hover__WEBPACK_IMPORTED_MODULE_173__ = __webpack_require__(/*! ./directives/hover/hover */ "./node_modules/bootstrap-vue/esm/directives/hover/hover.js");
/* harmony import */ var _directives_modal__WEBPACK_IMPORTED_MODULE_174__ = __webpack_require__(/*! ./directives/modal */ "./node_modules/bootstrap-vue/esm/directives/modal/index.js");
/* harmony import */ var _directives_modal_modal__WEBPACK_IMPORTED_MODULE_175__ = __webpack_require__(/*! ./directives/modal/modal */ "./node_modules/bootstrap-vue/esm/directives/modal/modal.js");
/* harmony import */ var _directives_popover__WEBPACK_IMPORTED_MODULE_176__ = __webpack_require__(/*! ./directives/popover */ "./node_modules/bootstrap-vue/esm/directives/popover/index.js");
/* harmony import */ var _directives_popover_popover__WEBPACK_IMPORTED_MODULE_177__ = __webpack_require__(/*! ./directives/popover/popover */ "./node_modules/bootstrap-vue/esm/directives/popover/popover.js");
/* harmony import */ var _directives_scrollspy__WEBPACK_IMPORTED_MODULE_178__ = __webpack_require__(/*! ./directives/scrollspy */ "./node_modules/bootstrap-vue/esm/directives/scrollspy/index.js");
/* harmony import */ var _directives_scrollspy_scrollspy__WEBPACK_IMPORTED_MODULE_179__ = __webpack_require__(/*! ./directives/scrollspy/scrollspy */ "./node_modules/bootstrap-vue/esm/directives/scrollspy/scrollspy.js");
/* harmony import */ var _directives_toggle__WEBPACK_IMPORTED_MODULE_180__ = __webpack_require__(/*! ./directives/toggle */ "./node_modules/bootstrap-vue/esm/directives/toggle/index.js");
/* harmony import */ var _directives_toggle_toggle__WEBPACK_IMPORTED_MODULE_181__ = __webpack_require__(/*! ./directives/toggle/toggle */ "./node_modules/bootstrap-vue/esm/directives/toggle/toggle.js");
/* harmony import */ var _directives_tooltip__WEBPACK_IMPORTED_MODULE_182__ = __webpack_require__(/*! ./directives/tooltip */ "./node_modules/bootstrap-vue/esm/directives/tooltip/index.js");
/* harmony import */ var _directives_tooltip_tooltip__WEBPACK_IMPORTED_MODULE_183__ = __webpack_require__(/*! ./directives/tooltip/tooltip */ "./node_modules/bootstrap-vue/esm/directives/tooltip/tooltip.js");
/* harmony import */ var _directives_visible__WEBPACK_IMPORTED_MODULE_184__ = __webpack_require__(/*! ./directives/visible */ "./node_modules/bootstrap-vue/esm/directives/visible/index.js");
/* harmony import */ var _directives_visible_visible__WEBPACK_IMPORTED_MODULE_185__ = __webpack_require__(/*! ./directives/visible/visible */ "./node_modules/bootstrap-vue/esm/directives/visible/visible.js");
/*!
 * BootstrapVue 2.23.1
 *
 * @link https://bootstrap-vue.org
 * @source https://github.com/bootstrap-vue/bootstrap-vue
 * @copyright (c) 2016-2022 BootstrapVue
 * @license MIT
 * https://github.com/bootstrap-vue/bootstrap-vue/blob/master/LICENSE
 */




var NAME = 'BootstrapVue'; // --- BootstrapVue installer ---

var install = /*#__PURE__*/(0,_utils_plugins__WEBPACK_IMPORTED_MODULE_0__.installFactory)({
  plugins: {
    componentsPlugin: _components__WEBPACK_IMPORTED_MODULE_1__.componentsPlugin,
    directivesPlugin: _directives__WEBPACK_IMPORTED_MODULE_2__.directivesPlugin
  }
}); // --- BootstrapVue plugin ---

var BootstrapVue = /*#__PURE__*/{
  install: install,
  NAME: NAME
}; // --- Named exports for BvConfigPlugin ---

 // --- Export named injection plugins ---
// TODO:
//   We should probably move injections into their own
//   parent directory (i.e. `/src/injections`)


 // Webpack 4 has optimization difficulties with re-export of re-exports,
// so we import the components individually here for better tree shaking
//
// Webpack v5 fixes the optimizations with re-export of re-exports so this
// can be reverted back to `export * from './table'` when Webpack v5 is released
// See: https://github.com/webpack/webpack/pull/9203 (available in Webpack v5.0.0-alpha.15)
// -- Export Icon components and IconPlugin/BootstrapVueIcons ---
// export * from './icons'



 // This re-export is only a single level deep, which
// Webpack 4 (usually) handles correctly when tree shaking

 // --- Export all individual components and component group plugins as named exports ---
// export * from './components/alert'


 // export * from './components/aspect'


 // export * from './components/avatar'



 // export * from './components/badge'


 // export * from './components/breadcrumb'



 // export * from './components/button'



 // export * from './components/button-group'


 // export * from './components/button-toolbar'


 // export * from './components/calendar'


 // export * from './components/card'











 // export * from './components/carousel'



 // export * from './components/collapse'


 // export * from './components/dropdown'









 // export * from './components/embed'


 // export * from './components/form'






 // export * from './components/form-checkbox'



 // export * from './components/form-datepicker'


 // export * from './components/form-file'


 // export * from './components/form-group'


 // export * from './components/form-input'


 // export * from './components/form-radio'



 // export * from './components/form-rating'


 // export * from './components/form-tags'



 // export * from './components/form-select'




 // export * from './components/form-spinbutton'


 // export * from './components/form-textarea'


 // export * from './components/form-timepicker'


 // export * from './components/image'



 // export * from './components/input-group'






 // export * from './components/jumbotron'


 // export * from './components/layout'





 // export * from './components/link'


 // export * from './components/list-group'



 // export * from './components/media'




 // export * from './components/modal'


 // export * from './components/nav'






 // export * from './components/navbar'





 // export * from './components/overlay'


 // export * from './components/pagination'


 // export * from './components/pagination-nav'


 // export * from './components/popover'


 // export * from './components/progress'



 // export * from './components/sidebar'


 // export * from './components/skeleton'






 // export * from './components/spinner'


 // export * from './components/table'










 // export * from './components/tabs'



 // export * from './components/time'


 // export * from './components/toast'



 // export * from './components/tooltip'


 // --- Named exports of all directives (VB&lt;Name&gt;) and plugins (VB&lt;Name&gt;Plugin) ---
// Webpack 4 has optimization difficulties with re-export of re-exports,
// so we import the directives individually here for better tree shaking
//
// Webpack v5 fixes the optimizations with re-export of re-exports so this
// can be reverted back to `export * from './scrollspy'` when Webpack v5 is released
// https://github.com/webpack/webpack/pull/9203 (available in Webpack v5.0.0-alpha.15)
// export * from './directives/hover'


 // export * from './directives/modal'


 // export * from './directives/popover'


 // export * from './directives/scrollspy'


 // export * from './directives/toggle'


 // export * from './directives/tooltip'


 // export * from './directives/tooltip'


 // Default export is the BootstrapVue plugin

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (BootstrapVue);

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/attrs.js":
/*!********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/attrs.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   attrsMixin: () =&gt; (/* binding */ attrsMixin)
/* harmony export */ });
/* harmony import */ var _utils_cache__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/cache */ "./node_modules/bootstrap-vue/esm/utils/cache.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }



var attrsMixinVue2 = (0,_utils_cache__WEBPACK_IMPORTED_MODULE_0__.makePropCacheMixin)('$attrs', 'bvAttrs');
var attrsMixinVue3 = (0,_vue__WEBPACK_IMPORTED_MODULE_1__.extend)({
  computed: {
    bvAttrs: function bvAttrs() {
      var bvAttrs = _objectSpread({}, this.$attrs);

      Object.keys(bvAttrs).forEach(function (key) {
        if (bvAttrs[key] === undefined) {
          delete bvAttrs[key];
        }
      });
      return bvAttrs;
    }
  }
});
var attrsMixin = _vue__WEBPACK_IMPORTED_MODULE_1__.isVue3 ? attrsMixinVue3 : attrsMixinVue2;

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/card.js":
/*!*******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/card.js ***!
  \*******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   cardMixin: () =&gt; (/* binding */ cardMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  bgVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  borderVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  tag: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'div'),
  textVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, _constants_components__WEBPACK_IMPORTED_MODULE_2__.NAME_CARD); // --- Mixin ---
// @vue/component

var cardMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
  props: props
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/click-out.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/click-out.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   clickOutMixin: () =&gt; (/* binding */ clickOutMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");



 // @vue/component

var clickOutMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  data: function data() {
    return {
      listenForClickOut: false
    };
  },
  watch: {
    listenForClickOut: function listenForClickOut(newValue, oldValue) {
      if (newValue !== oldValue) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_1__.eventOff)(this.clickOutElement, this.clickOutEventName, this._clickOutHandler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);

        if (newValue) {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_1__.eventOn)(this.clickOutElement, this.clickOutEventName, this._clickOutHandler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
        }
      }
    }
  },
  beforeCreate: function beforeCreate() {
    // Declare non-reactive properties
    this.clickOutElement = null;
    this.clickOutEventName = null;
  },
  mounted: function mounted() {
    if (!this.clickOutElement) {
      this.clickOutElement = document;
    }

    if (!this.clickOutEventName) {
      this.clickOutEventName = 'click';
    }

    if (this.listenForClickOut) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_1__.eventOn)(this.clickOutElement, this.clickOutEventName, this._clickOutHandler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
    }
  },
  beforeDestroy: function beforeDestroy() {
    (0,_utils_events__WEBPACK_IMPORTED_MODULE_1__.eventOff)(this.clickOutElement, this.clickOutEventName, this._clickOutHandler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
  },
  methods: {
    isClickOut: function isClickOut(event) {
      return !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.contains)(this.$el, event.target);
    },
    _clickOutHandler: function _clickOutHandler(event) {
      if (this.clickOutHandler &amp;&amp; this.isClickOut(event)) {
        this.clickOutHandler(event);
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/dropdown.js":
/*!***********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/dropdown.js ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   dropdownMixin: () =&gt; (/* binding */ dropdownMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var popper_js__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! popper.js */ "./node_modules/popper.js/dist/esm/popper.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_popper__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ../constants/popper */ "./node_modules/bootstrap-vue/esm/constants/popper.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_safe_types__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../constants/safe-types */ "./node_modules/bootstrap-vue/esm/constants/safe-types.js");
/* harmony import */ var _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../utils/bv-event.class */ "./node_modules/bootstrap-vue/esm/utils/bv-event.class.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
/* harmony import */ var _click_out__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./click-out */ "./node_modules/bootstrap-vue/esm/mixins/click-out.js");
/* harmony import */ var _focus_in__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ./focus-in */ "./node_modules/bootstrap-vue/esm/mixins/focus-in.js");
/* harmony import */ var _id__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _listen_on_root__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./listen-on-root */ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js");
/* harmony import */ var _utils_element_to_vue_instance_registry__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../utils/element-to-vue-instance-registry */ "./node_modules/bootstrap-vue/esm/utils/element-to-vue-instance-registry.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





















 // --- Constants ---

var ROOT_EVENT_NAME_SHOWN = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_DROPDOWN, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOWN);
var ROOT_EVENT_NAME_HIDDEN = (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_DROPDOWN, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN); // CSS selectors

var SELECTOR_FORM_CHILD = '.dropdown form';
var SELECTOR_ITEM = ['.dropdown-item', '.b-dropdown-form'].map(function (selector) {
  return "".concat(selector, ":not(.disabled):not([disabled])");
}).join(', '); // --- Helper methods ---
// Return an array of visible items

var filterVisibles = function filterVisibles(els) {
  return (els || []).filter(_utils_dom__WEBPACK_IMPORTED_MODULE_3__.isVisible);
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.sortKeys)(_objectSpread(_objectSpread({}, _id__WEBPACK_IMPORTED_MODULE_6__.props), {}, {
  // String: `scrollParent`, `window` or `viewport`
  // HTMLElement: HTML Element reference
  boundary: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)([_constants_safe_types__WEBPACK_IMPORTED_MODULE_7__.HTMLElement, _constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_STRING], 'scrollParent'),
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_BOOLEAN, false),
  // Place left if possible
  dropleft: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_BOOLEAN, false),
  // Place right if possible
  dropright: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_BOOLEAN, false),
  // Place on top if possible
  dropup: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_BOOLEAN, false),
  // Disable auto-flipping of menu from bottom &lt;=&gt; top
  noFlip: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_BOOLEAN, false),
  // Number of pixels or a CSS unit value to offset menu
  // (i.e. `1px`, `1rem`, etc.)
  offset: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_NUMBER_STRING, 0),
  popperOpts: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_OBJECT, {}),
  // Right align menu (default is left align)
  right: (0,_utils_props__WEBPACK_IMPORTED_MODULE_4__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_BOOLEAN, false)
})), _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_DROPDOWN); // --- Mixin ---
// @vue/component

var dropdownMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_9__.extend)({
  mixins: [_id__WEBPACK_IMPORTED_MODULE_6__.idMixin, _listen_on_root__WEBPACK_IMPORTED_MODULE_10__.listenOnRootMixin, _click_out__WEBPACK_IMPORTED_MODULE_11__.clickOutMixin, _focus_in__WEBPACK_IMPORTED_MODULE_12__.focusInMixin],
  provide: function provide() {
    var _this = this;

    return {
      getBvDropdown: function getBvDropdown() {
        return _this;
      }
    };
  },
  inject: {
    getBvNavbar: {
      default: function _default() {
        return function () {
          return null;
        };
      }
    }
  },
  props: props,
  data: function data() {
    return {
      visible: false,
      visibleChangePrevented: false
    };
  },
  computed: {
    bvNavbar: function bvNavbar() {
      return this.getBvNavbar();
    },
    inNavbar: function inNavbar() {
      return !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_13__.isNull)(this.bvNavbar);
    },
    toggler: function toggler() {
      var toggle = this.$refs.toggle;
      return toggle ? toggle.$el || toggle : null;
    },
    directionClass: function directionClass() {
      if (this.dropup) {
        return 'dropup';
      } else if (this.dropright) {
        return 'dropright';
      } else if (this.dropleft) {
        return 'dropleft';
      }

      return '';
    },
    boundaryClass: function boundaryClass() {
      // Position `static` is needed to allow menu to "breakout" of the `scrollParent`
      // boundaries when boundary is anything other than `scrollParent`
      // See: https://github.com/twbs/bootstrap/issues/24251#issuecomment-341413786
      return this.boundary !== 'scrollParent' &amp;&amp; !this.inNavbar ? 'position-static' : '';
    },
    hideDelay: function hideDelay() {
      return this.inNavbar ? _constants_env__WEBPACK_IMPORTED_MODULE_14__.HAS_TOUCH_SUPPORT ? 300 : 50 : 0;
    }
  },
  watch: {
    visible: function visible(newValue, oldValue) {
      if (this.visibleChangePrevented) {
        this.visibleChangePrevented = false;
        return;
      }

      if (newValue !== oldValue) {
        var eventName = newValue ? _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOW : _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDE;
        var bvEvent = new _utils_bv_event_class__WEBPACK_IMPORTED_MODULE_15__.BvEvent(eventName, {
          cancelable: true,
          vueTarget: this,
          target: this.$refs.menu,
          relatedTarget: null,
          componentId: this.safeId ? this.safeId() : this.id || null
        });
        this.emitEvent(bvEvent);

        if (bvEvent.defaultPrevented) {
          // Reset value and exit if canceled
          this.visibleChangePrevented = true;
          this.visible = oldValue; // Just in case a child element triggered `this.hide(true)`

          this.$off(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN, this.focusToggler);
          return;
        }

        if (newValue) {
          this.showMenu();
        } else {
          this.hideMenu();
        }
      }
    },
    disabled: function disabled(newValue, oldValue) {
      if (newValue !== oldValue &amp;&amp; newValue &amp;&amp; this.visible) {
        // Hide dropdown if disabled changes to true
        this.visible = false;
      }
    }
  },
  created: function created() {
    // Create private non-reactive props
    this.$_popper = null;
    this.$_hideTimeout = null;
  },

  /* istanbul ignore next */
  deactivated: function deactivated() {
    // In case we are inside a `&lt;keep-alive&gt;`
    this.visible = false;
    this.whileOpenListen(false);
    this.destroyPopper();
  },
  mounted: function mounted() {
    (0,_utils_element_to_vue_instance_registry__WEBPACK_IMPORTED_MODULE_16__.registerElementToInstance)(this.$el, this);
  },
  beforeDestroy: function beforeDestroy() {
    this.visible = false;
    this.whileOpenListen(false);
    this.destroyPopper();
    this.clearHideTimeout();
    (0,_utils_element_to_vue_instance_registry__WEBPACK_IMPORTED_MODULE_16__.removeElementToInstance)(this.$el);
  },
  methods: {
    // Event emitter
    emitEvent: function emitEvent(bvEvent) {
      var type = bvEvent.type;
      this.emitOnRoot((0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.getRootEventName)(_constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_DROPDOWN, type), bvEvent);
      this.$emit(type, bvEvent);
    },
    showMenu: function showMenu() {
      var _this2 = this;

      if (this.disabled) {
        /* istanbul ignore next */
        return;
      } // Only instantiate Popper.js when dropdown is not in `&lt;b-navbar&gt;`


      if (!this.inNavbar) {
        if (typeof popper_js__WEBPACK_IMPORTED_MODULE_17__["default"] === 'undefined') {
          /* istanbul ignore next */
          (0,_utils_warn__WEBPACK_IMPORTED_MODULE_18__.warn)('Popper.js not found. Falling back to CSS positioning', _constants_components__WEBPACK_IMPORTED_MODULE_1__.NAME_DROPDOWN);
        } else {
          // For dropup with alignment we use the parent element as popper container
          var el = this.dropup &amp;&amp; this.right || this.split ? this.$el : this.$refs.toggle; // Make sure we have a reference to an element, not a component!

          el = el.$el || el; // Instantiate Popper.js

          this.createPopper(el);
        }
      } // Ensure other menus are closed


      this.emitOnRoot(ROOT_EVENT_NAME_SHOWN, this); // Enable listeners

      this.whileOpenListen(true); // Wrap in `$nextTick()` to ensure menu is fully rendered/shown

      this.$nextTick(function () {
        // Focus on the menu container on show
        _this2.focusMenu(); // Emit the shown event


        _this2.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_SHOWN);
      });
    },
    hideMenu: function hideMenu() {
      this.whileOpenListen(false);
      this.emitOnRoot(ROOT_EVENT_NAME_HIDDEN, this);
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN);
      this.destroyPopper();
    },
    createPopper: function createPopper(element) {
      this.destroyPopper();
      this.$_popper = new popper_js__WEBPACK_IMPORTED_MODULE_17__["default"](element, this.$refs.menu, this.getPopperConfig());
    },
    // Ensure popper event listeners are removed cleanly
    destroyPopper: function destroyPopper() {
      this.$_popper &amp;&amp; this.$_popper.destroy();
      this.$_popper = null;
    },
    // Instructs popper to re-computes the dropdown position
    // useful if the content changes size
    updatePopper: function updatePopper() {
      try {
        this.$_popper.scheduleUpdate();
      } catch (_unused) {}
    },
    clearHideTimeout: function clearHideTimeout() {
      clearTimeout(this.$_hideTimeout);
      this.$_hideTimeout = null;
    },
    getPopperConfig: function getPopperConfig() {
      var placement = _constants_popper__WEBPACK_IMPORTED_MODULE_19__.PLACEMENT_BOTTOM_START;

      if (this.dropup) {
        placement = this.right ? _constants_popper__WEBPACK_IMPORTED_MODULE_19__.PLACEMENT_TOP_END : _constants_popper__WEBPACK_IMPORTED_MODULE_19__.PLACEMENT_TOP_START;
      } else if (this.dropright) {
        placement = _constants_popper__WEBPACK_IMPORTED_MODULE_19__.PLACEMENT_RIGHT_START;
      } else if (this.dropleft) {
        placement = _constants_popper__WEBPACK_IMPORTED_MODULE_19__.PLACEMENT_LEFT_START;
      } else if (this.right) {
        placement = _constants_popper__WEBPACK_IMPORTED_MODULE_19__.PLACEMENT_BOTTOM_END;
      }

      var popperConfig = {
        placement: placement,
        modifiers: {
          offset: {
            offset: this.offset || 0
          },
          flip: {
            enabled: !this.noFlip
          }
        }
      };
      var boundariesElement = this.boundary;

      if (boundariesElement) {
        popperConfig.modifiers.preventOverflow = {
          boundariesElement: boundariesElement
        };
      }

      return (0,_utils_object__WEBPACK_IMPORTED_MODULE_5__.mergeDeep)(popperConfig, this.popperOpts || {});
    },
    // Turn listeners on/off while open
    whileOpenListen: function whileOpenListen(isOpen) {
      // Hide the dropdown when clicked outside
      this.listenForClickOut = isOpen; // Hide the dropdown when it loses focus

      this.listenForFocusIn = isOpen; // Hide the dropdown when another dropdown is opened

      var method = isOpen ? 'listenOnRoot' : 'listenOffRoot';
      this[method](ROOT_EVENT_NAME_SHOWN, this.rootCloseListener);
    },
    rootCloseListener: function rootCloseListener(vm) {
      if (vm !== this) {
        this.visible = false;
      }
    },
    // Public method to show dropdown
    show: function show() {
      var _this3 = this;

      if (this.disabled) {
        return;
      } // Wrap in a `requestAF()` to allow any previous
      // click handling to occur first


      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.requestAF)(function () {
        _this3.visible = true;
      });
    },
    // Public method to hide dropdown
    hide: function hide() {
      var refocus = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : false;

      /* istanbul ignore next */
      if (this.disabled) {
        return;
      }

      this.visible = false;

      if (refocus) {
        // Child element is closing the dropdown on click
        this.$once(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN, this.focusToggler);
      }
    },
    // Called only by a button that toggles the menu
    toggle: function toggle(event) {
      event = event || {}; // Early exit when not a click event or ENTER, SPACE or DOWN were pressed

      var _event = event,
          type = _event.type,
          keyCode = _event.keyCode;

      if (type !== 'click' &amp;&amp; !(type === 'keydown' &amp;&amp; [_constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_ENTER, _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_SPACE, _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_DOWN].indexOf(keyCode) !== -1)) {
        /* istanbul ignore next */
        return;
      }
      /* istanbul ignore next */


      if (this.disabled) {
        this.visible = false;
        return;
      }

      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_TOGGLE, event);
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.stopEvent)(event); // Toggle visibility

      if (this.visible) {
        this.hide(true);
      } else {
        this.show();
      }
    },
    // Mousedown handler for the toggle

    /* istanbul ignore next */
    onMousedown: function onMousedown(event) {
      // We prevent the 'mousedown' event for the toggle to stop the
      // 'focusin' event from being fired
      // The event would otherwise be picked up by the global 'focusin'
      // listener and there is no cross-browser solution to detect it
      // relates to the toggle click
      // The 'click' event will still be fired and we handle closing
      // other dropdowns there too
      // See https://github.com/bootstrap-vue/bootstrap-vue/issues/4328
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.stopEvent)(event, {
        propagation: false
      });
    },
    // Called from dropdown menu context
    onKeydown: function onKeydown(event) {
      var keyCode = event.keyCode;

      if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_ESC) {
        // Close on ESC
        this.onEsc(event);
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_DOWN) {
        // Down Arrow
        this.focusNext(event, false);
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_20__.CODE_UP) {
        // Up Arrow
        this.focusNext(event, true);
      }
    },
    // If user presses ESC, close the menu
    onEsc: function onEsc(event) {
      if (this.visible) {
        this.visible = false;
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.stopEvent)(event); // Return focus to original trigger button

        this.$once(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_HIDDEN, this.focusToggler);
      }
    },
    // Called only in split button mode, for the split button
    onSplitClick: function onSplitClick(event) {
      /* istanbul ignore next */
      if (this.disabled) {
        this.visible = false;
        return;
      }

      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_CLICK, event);
    },
    // Shared hide handler between click-out and focus-in events
    hideHandler: function hideHandler(event) {
      var _this4 = this;

      var target = event.target;

      if (this.visible &amp;&amp; !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.contains)(this.$refs.menu, target) &amp;&amp; !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.contains)(this.toggler, target)) {
        this.clearHideTimeout();
        this.$_hideTimeout = setTimeout(function () {
          return _this4.hide();
        }, this.hideDelay);
      }
    },
    // Document click-out listener
    clickOutHandler: function clickOutHandler(event) {
      this.hideHandler(event);
    },
    // Document focus-in listener
    focusInHandler: function focusInHandler(event) {
      this.hideHandler(event);
    },
    // Keyboard nav
    focusNext: function focusNext(event, up) {
      var _this5 = this;

      // Ignore key up/down on form elements
      var target = event.target;

      if (!this.visible || event &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.closest)(SELECTOR_FORM_CHILD, target)) {
        /* istanbul ignore next: should never happen */
        return;
      }

      (0,_utils_events__WEBPACK_IMPORTED_MODULE_0__.stopEvent)(event);
      this.$nextTick(function () {
        var items = _this5.getItems();

        if (items.length &lt; 1) {
          /* istanbul ignore next: should never happen */
          return;
        }

        var index = items.indexOf(target);

        if (up &amp;&amp; index &gt; 0) {
          index--;
        } else if (!up &amp;&amp; index &lt; items.length - 1) {
          index++;
        }

        if (index &lt; 0) {
          /* istanbul ignore next: should never happen */
          index = 0;
        }

        _this5.focusItem(index, items);
      });
    },
    focusItem: function focusItem(index, items) {
      var el = items.find(function (el, i) {
        return i === index;
      });
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.attemptFocus)(el);
    },
    getItems: function getItems() {
      // Get all items
      return filterVisibles((0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.selectAll)(SELECTOR_ITEM, this.$refs.menu));
    },
    focusMenu: function focusMenu() {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.attemptFocus)(this.$refs.menu);
    },
    focusToggler: function focusToggler() {
      var _this6 = this;

      this.$nextTick(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.attemptFocus)(_this6.toggler);
      });
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/focus-in.js":
/*!***********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/focus-in.js ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   focusInMixin: () =&gt; (/* binding */ focusInMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");


 // @vue/component

var focusInMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  data: function data() {
    return {
      listenForFocusIn: false
    };
  },
  watch: {
    listenForFocusIn: function listenForFocusIn(newValue, oldValue) {
      if (newValue !== oldValue) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_1__.eventOff)(this.focusInElement, 'focusin', this._focusInHandler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);

        if (newValue) {
          (0,_utils_events__WEBPACK_IMPORTED_MODULE_1__.eventOn)(this.focusInElement, 'focusin', this._focusInHandler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
        }
      }
    }
  },
  beforeCreate: function beforeCreate() {
    // Declare non-reactive properties
    this.focusInElement = null;
  },
  mounted: function mounted() {
    if (!this.focusInElement) {
      this.focusInElement = document;
    }

    if (this.listenForFocusIn) {
      (0,_utils_events__WEBPACK_IMPORTED_MODULE_1__.eventOn)(this.focusInElement, 'focusin', this._focusInHandler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
    }
  },
  beforeDestroy: function beforeDestroy() {
    (0,_utils_events__WEBPACK_IMPORTED_MODULE_1__.eventOff)(this.focusInElement, 'focusin', this._focusInHandler, _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_OPTIONS_NO_CAPTURE);
  },
  methods: {
    _focusInHandler: function _focusInHandler(event) {
      if (this.focusInHandler) {
        this.focusInHandler(event);
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/form-control.js":
/*!***************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/form-control.js ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   formControlMixin: () =&gt; (/* binding */ formControlMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");



 // --- Constants ---

var SELECTOR = 'input, textarea, select'; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  autofocus: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  form: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  name: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  required: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
}, 'formControls'); // --- Mixin ---
// @vue/component

var formControlMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  mounted: function mounted() {
    this.handleAutofocus();
  },

  /* istanbul ignore next */
  activated: function activated() {
    this.handleAutofocus();
  },
  methods: {
    handleAutofocus: function handleAutofocus() {
      var _this = this;

      this.$nextTick(function () {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.requestAF)(function () {
          var el = _this.$el;

          if (_this.autofocus &amp;&amp; (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.isVisible)(el)) {
            if (!(0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.matches)(el, SELECTOR)) {
              el = (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.select)(SELECTOR, el);
            }

            (0,_utils_dom__WEBPACK_IMPORTED_MODULE_3__.attemptFocus)(el);
          }
        });
      });
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/form-custom.js":
/*!**************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/form-custom.js ***!
  \**************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   formCustomMixin: () =&gt; (/* binding */ formCustomMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");


 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  plain: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
}, 'formControls'); // --- Mixin ---
// @vue/component

var formCustomMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  computed: {
    custom: function custom() {
      return !this.plain;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/form-options.js":
/*!***************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/form-options.js ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   formOptionsMixin: () =&gt; (/* binding */ formOptionsMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_get__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/get */ "./node_modules/bootstrap-vue/esm/utils/get.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");







 // --- Constants ---

var OPTIONS_OBJECT_DEPRECATED_MSG = 'Setting prop "options" to an object is deprecated. Use the array format instead.'; // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  disabledField: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'disabled'),
  htmlField: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'html'),
  options: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT, []),
  textField: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'text'),
  valueField: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'value')
}, 'formOptionControls'); // --- Mixin ---
// @vue/component

var formOptionsMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  computed: {
    formOptions: function formOptions() {
      return this.normalizeOptions(this.options);
    }
  },
  methods: {
    normalizeOption: function normalizeOption(option) {
      var key = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : null;

      // When the option is an object, normalize it
      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isPlainObject)(option)) {
        var value = (0,_utils_get__WEBPACK_IMPORTED_MODULE_4__.get)(option, this.valueField);
        var text = (0,_utils_get__WEBPACK_IMPORTED_MODULE_4__.get)(option, this.textField);
        return {
          value: (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isUndefined)(value) ? key || text : value,
          text: (0,_utils_html__WEBPACK_IMPORTED_MODULE_5__.stripTags)(String((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isUndefined)(text) ? key : text)),
          html: (0,_utils_get__WEBPACK_IMPORTED_MODULE_4__.get)(option, this.htmlField),
          disabled: Boolean((0,_utils_get__WEBPACK_IMPORTED_MODULE_4__.get)(option, this.disabledField))
        };
      } // Otherwise create an `&lt;option&gt;` object from the given value


      return {
        value: key || option,
        text: (0,_utils_html__WEBPACK_IMPORTED_MODULE_5__.stripTags)(String(option)),
        disabled: false
      };
    },
    normalizeOptions: function normalizeOptions(options) {
      var _this = this;

      // Normalize the given options array
      if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isArray)(options)) {
        return options.map(function (option) {
          return _this.normalizeOption(option);
        });
      } else if ((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isPlainObject)(options)) {
        // Deprecate the object options format
        (0,_utils_warn__WEBPACK_IMPORTED_MODULE_6__.warn)(OPTIONS_OBJECT_DEPRECATED_MSG, this.$options.name); // Normalize a `options` object to an array of options

        return (0,_utils_object__WEBPACK_IMPORTED_MODULE_7__.keys)(options).map(function (key) {
          return _this.normalizeOption(options[key] || {}, key);
        });
      } // If not an array or object, return an empty array

      /* istanbul ignore next */


      return [];
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/form-radio-check-group.js":
/*!*************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/form-radio-check-group.js ***!
  \*************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   MODEL_EVENT_NAME: () =&gt; (/* binding */ MODEL_EVENT_NAME),
/* harmony export */   MODEL_PROP_NAME: () =&gt; (/* binding */ MODEL_PROP_NAME),
/* harmony export */   formRadioCheckGroupMixin: () =&gt; (/* binding */ formRadioCheckGroupMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_html__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../utils/html */ "./node_modules/bootstrap-vue/esm/utils/html.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _components_form_checkbox_form_checkbox__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../components/form-checkbox/form-checkbox */ "./node_modules/bootstrap-vue/esm/components/form-checkbox/form-checkbox.js");
/* harmony import */ var _components_form_radio_form_radio__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../components/form-radio/form-radio */ "./node_modules/bootstrap-vue/esm/components/form-radio/form-radio.js");
/* harmony import */ var _form_control__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./form-control */ "./node_modules/bootstrap-vue/esm/mixins/form-control.js");
/* harmony import */ var _form_custom__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./form-custom */ "./node_modules/bootstrap-vue/esm/mixins/form-custom.js");
/* harmony import */ var _form_options__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./form-options */ "./node_modules/bootstrap-vue/esm/mixins/form-options.js");
/* harmony import */ var _form_size__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./form-size */ "./node_modules/bootstrap-vue/esm/mixins/form-size.js");
/* harmony import */ var _form_state__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./form-state */ "./node_modules/bootstrap-vue/esm/mixins/form-state.js");
/* harmony import */ var _id__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _normalize_slot__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

















 // --- Constants ---
// Attributes to pass down to checks/radios instead of applying them to the group

var PASS_DOWN_ATTRS = ['aria-describedby', 'aria-labelledby'];

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('checked'),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event;

 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _id__WEBPACK_IMPORTED_MODULE_3__.props), modelProps), _form_control__WEBPACK_IMPORTED_MODULE_4__.props), _form_options__WEBPACK_IMPORTED_MODULE_5__.props), _form_size__WEBPACK_IMPORTED_MODULE_6__.props), _form_state__WEBPACK_IMPORTED_MODULE_7__.props), _form_custom__WEBPACK_IMPORTED_MODULE_8__.props), {}, {
  ariaInvalid: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_9__.PROP_TYPE_BOOLEAN_STRING, false),
  // Only applicable when rendered with button style
  buttonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_9__.PROP_TYPE_STRING),
  // Render as button style
  buttons: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_9__.PROP_TYPE_BOOLEAN, false),
  stacked: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_9__.PROP_TYPE_BOOLEAN, false),
  validated: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_9__.PROP_TYPE_BOOLEAN, false)
})), 'formRadioCheckGroups'); // --- Mixin ---
// @vue/component

var formRadioCheckGroupMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_10__.extend)({
  mixins: [_id__WEBPACK_IMPORTED_MODULE_3__.idMixin, modelMixin, _normalize_slot__WEBPACK_IMPORTED_MODULE_11__.normalizeSlotMixin, _form_control__WEBPACK_IMPORTED_MODULE_4__.formControlMixin, _form_options__WEBPACK_IMPORTED_MODULE_5__.formOptionsMixin, _form_size__WEBPACK_IMPORTED_MODULE_6__.formSizeMixin, _form_state__WEBPACK_IMPORTED_MODULE_7__.formStateMixin, _form_custom__WEBPACK_IMPORTED_MODULE_8__.formCustomMixin],
  inheritAttrs: false,
  props: props,
  data: function data() {
    return {
      localChecked: this[MODEL_PROP_NAME]
    };
  },
  computed: {
    inline: function inline() {
      return !this.stacked;
    },
    groupName: function groupName() {
      // Checks/Radios tied to the same model must have the same name,
      // especially for ARIA accessibility
      return this.name || this.safeId();
    },
    groupClasses: function groupClasses() {
      var inline = this.inline,
          size = this.size,
          validated = this.validated;
      var classes = {
        'was-validated': validated
      };

      if (this.buttons) {
        classes = [classes, 'btn-group-toggle', _defineProperty({
          'btn-group': inline,
          'btn-group-vertical': !inline
        }, "btn-group-".concat(size), size)];
      }

      return classes;
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue) {
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_12__.looseEqual)(newValue, this.localChecked)) {
      this.localChecked = newValue;
    }
  }), _defineProperty(_watch, "localChecked", function localChecked(newValue, oldValue) {
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_12__.looseEqual)(newValue, oldValue)) {
      this.$emit(MODEL_EVENT_NAME, newValue);
    }
  }), _watch),
  render: function render(h) {
    var _this = this;

    var isRadioGroup = this.isRadioGroup;
    var attrs = (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.pick)(this.$attrs, PASS_DOWN_ATTRS);
    var optionComponent = isRadioGroup ? _components_form_radio_form_radio__WEBPACK_IMPORTED_MODULE_13__.BFormRadio : _components_form_checkbox_form_checkbox__WEBPACK_IMPORTED_MODULE_14__.BFormCheckbox;
    var $inputs = this.formOptions.map(function (option, index) {
      var key = "BV_option_".concat(index);
      return h(optionComponent, {
        props: {
          // Individual radios or checks can be disabled in a group
          disabled: option.disabled || false,
          id: _this.safeId(key),
          value: option.value // We don't need to include these, since the input's will know they are inside here
          // form: this.form || null,
          // name: this.groupName,
          // required: Boolean(this.name &amp;&amp; this.required),
          // state: this.state

        },
        attrs: attrs,
        key: key
      }, [h('span', {
        domProps: (0,_utils_html__WEBPACK_IMPORTED_MODULE_15__.htmlOrText)(option.html, option.text)
      })]);
    });
    return h('div', {
      class: [this.groupClasses, 'bv-no-focus-ring'],
      attrs: _objectSpread(_objectSpread({}, (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.omit)(this.$attrs, PASS_DOWN_ATTRS)), {}, {
        'aria-invalid': this.computedAriaInvalid,
        'aria-required': this.required ? 'true' : null,
        id: this.safeId(),
        role: isRadioGroup ? 'radiogroup' : 'group',
        // Add `tabindex="-1"` to allow group to be focused if needed by screen readers
        tabindex: '-1'
      })
    }, [this.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_16__.SLOT_NAME_FIRST), $inputs, this.normalizeSlot()]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/form-radio-check.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/form-radio-check.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   MODEL_EVENT_NAME: () =&gt; (/* binding */ MODEL_EVENT_NAME),
/* harmony export */   MODEL_PROP_NAME: () =&gt; (/* binding */ MODEL_PROP_NAME),
/* harmony export */   formRadioCheckMixin: () =&gt; (/* binding */ formRadioCheckMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_loose_equal__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../utils/loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _attrs__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./attrs */ "./node_modules/bootstrap-vue/esm/mixins/attrs.js");
/* harmony import */ var _form_control__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./form-control */ "./node_modules/bootstrap-vue/esm/mixins/form-control.js");
/* harmony import */ var _form_custom__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./form-custom */ "./node_modules/bootstrap-vue/esm/mixins/form-custom.js");
/* harmony import */ var _form_size__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./form-size */ "./node_modules/bootstrap-vue/esm/mixins/form-size.js");
/* harmony import */ var _form_state__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./form-state */ "./node_modules/bootstrap-vue/esm/mixins/form-state.js");
/* harmony import */ var _id__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./id */ "./node_modules/bootstrap-vue/esm/mixins/id.js");
/* harmony import */ var _normalize_slot__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
var _watch, _methods;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }
















 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('checked', {
  defaultValue: null
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event;

 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.sortKeys)(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread(_objectSpread({}, _id__WEBPACK_IMPORTED_MODULE_3__.props), modelProps), _form_control__WEBPACK_IMPORTED_MODULE_4__.props), _form_size__WEBPACK_IMPORTED_MODULE_5__.props), _form_state__WEBPACK_IMPORTED_MODULE_6__.props), _form_custom__WEBPACK_IMPORTED_MODULE_7__.props), {}, {
  ariaLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_STRING),
  ariaLabelledby: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_STRING),
  // Only applicable in standalone mode (non group)
  button: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_BOOLEAN, false),
  // Only applicable when rendered with button style
  buttonVariant: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_STRING),
  inline: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_BOOLEAN, false),
  value: (0,_utils_props__WEBPACK_IMPORTED_MODULE_1__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_8__.PROP_TYPE_ANY)
})), 'formRadioCheckControls'); // --- Mixin ---
// @vue/component

var formRadioCheckMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_9__.extend)({
  mixins: [_attrs__WEBPACK_IMPORTED_MODULE_10__.attrsMixin, _id__WEBPACK_IMPORTED_MODULE_3__.idMixin, modelMixin, _normalize_slot__WEBPACK_IMPORTED_MODULE_11__.normalizeSlotMixin, _form_control__WEBPACK_IMPORTED_MODULE_4__.formControlMixin, _form_size__WEBPACK_IMPORTED_MODULE_5__.formSizeMixin, _form_state__WEBPACK_IMPORTED_MODULE_6__.formStateMixin, _form_custom__WEBPACK_IMPORTED_MODULE_7__.formCustomMixin],
  inheritAttrs: false,
  props: props,
  data: function data() {
    return {
      localChecked: this.isGroup ? this.bvGroup[MODEL_PROP_NAME] : this[MODEL_PROP_NAME],
      hasFocus: false
    };
  },
  computed: {
    computedLocalChecked: {
      get: function get() {
        return this.isGroup ? this.bvGroup.localChecked : this.localChecked;
      },
      set: function set(value) {
        if (this.isGroup) {
          this.bvGroup.localChecked = value;
        } else {
          this.localChecked = value;
        }
      }
    },
    isChecked: function isChecked() {
      return (0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_12__.looseEqual)(this.value, this.computedLocalChecked);
    },
    isRadio: function isRadio() {
      return true;
    },
    isGroup: function isGroup() {
      // Is this check/radio a child of check-group or radio-group?
      return !!this.bvGroup;
    },
    isBtnMode: function isBtnMode() {
      // Support button style in single input mode
      return this.isGroup ? this.bvGroup.buttons : this.button;
    },
    isPlain: function isPlain() {
      return this.isBtnMode ? false : this.isGroup ? this.bvGroup.plain : this.plain;
    },
    isCustom: function isCustom() {
      return this.isBtnMode ? false : !this.isPlain;
    },
    isSwitch: function isSwitch() {
      // Custom switch styling (checkboxes only)
      return this.isBtnMode || this.isRadio || this.isPlain ? false : this.isGroup ? this.bvGroup.switches : this.switch;
    },
    isInline: function isInline() {
      return this.isGroup ? this.bvGroup.inline : this.inline;
    },
    isDisabled: function isDisabled() {
      // Child can be disabled while parent isn't, but is always disabled if group is
      return this.isGroup ? this.bvGroup.disabled || this.disabled : this.disabled;
    },
    isRequired: function isRequired() {
      // Required only works when a name is provided for the input(s)
      // Child can only be required when parent is
      // Groups will always have a name (either user supplied or auto generated)
      return this.computedName &amp;&amp; (this.isGroup ? this.bvGroup.required : this.required);
    },
    computedName: function computedName() {
      // Group name preferred over local name
      return (this.isGroup ? this.bvGroup.groupName : this.name) || null;
    },
    computedForm: function computedForm() {
      return (this.isGroup ? this.bvGroup.form : this.form) || null;
    },
    computedSize: function computedSize() {
      return (this.isGroup ? this.bvGroup.size : this.size) || '';
    },
    computedState: function computedState() {
      return this.isGroup ? this.bvGroup.computedState : (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_13__.isBoolean)(this.state) ? this.state : null;
    },
    computedButtonVariant: function computedButtonVariant() {
      // Local variant preferred over group variant
      var buttonVariant = this.buttonVariant;

      if (buttonVariant) {
        return buttonVariant;
      }

      if (this.isGroup &amp;&amp; this.bvGroup.buttonVariant) {
        return this.bvGroup.buttonVariant;
      }

      return 'secondary';
    },
    buttonClasses: function buttonClasses() {
      var _ref;

      var computedSize = this.computedSize;
      return ['btn', "btn-".concat(this.computedButtonVariant), (_ref = {}, _defineProperty(_ref, "btn-".concat(computedSize), computedSize), _defineProperty(_ref, "disabled", this.isDisabled), _defineProperty(_ref, "active", this.isChecked), _defineProperty(_ref, "focus", this.hasFocus), _ref)];
    },
    computedAttrs: function computedAttrs() {
      var disabled = this.isDisabled,
          required = this.isRequired;
      return _objectSpread(_objectSpread({}, this.bvAttrs), {}, {
        id: this.safeId(),
        type: this.isRadio ? 'radio' : 'checkbox',
        name: this.computedName,
        form: this.computedForm,
        disabled: disabled,
        required: required,
        'aria-required': required || null,
        'aria-label': this.ariaLabel || null,
        'aria-labelledby': this.ariaLabelledby || null
      });
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function () {
    this["".concat(MODEL_PROP_NAME, "Watcher")].apply(this, arguments);
  }), _defineProperty(_watch, "computedLocalChecked", function computedLocalChecked() {
    this.computedLocalCheckedWatcher.apply(this, arguments);
  }), _watch),
  methods: (_methods = {}, _defineProperty(_methods, "".concat(MODEL_PROP_NAME, "Watcher"), function Watcher(newValue) {
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_12__.looseEqual)(newValue, this.computedLocalChecked)) {
      this.computedLocalChecked = newValue;
    }
  }), _defineProperty(_methods, "computedLocalCheckedWatcher", function computedLocalCheckedWatcher(newValue, oldValue) {
    if (!(0,_utils_loose_equal__WEBPACK_IMPORTED_MODULE_12__.looseEqual)(newValue, oldValue)) {
      this.$emit(MODEL_EVENT_NAME, newValue);
    }
  }), _defineProperty(_methods, "handleChange", function handleChange(_ref2) {
    var _this = this;

    var checked = _ref2.target.checked;
    var value = this.value;
    var localChecked = checked ? value : null;
    this.computedLocalChecked = value; // Fire events in a `$nextTick()` to ensure the `v-model` is updated

    this.$nextTick(function () {
      // Change is only emitted on user interaction
      _this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_14__.EVENT_NAME_CHANGE, localChecked); // If this is a child of a group, we emit a change event on it as well


      if (_this.isGroup) {
        _this.bvGroup.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_14__.EVENT_NAME_CHANGE, localChecked);
      }
    });
  }), _defineProperty(_methods, "handleFocus", function handleFocus(event) {
    // When in buttons mode, we need to add 'focus' class to label when input focused
    // As it is the hidden input which has actual focus
    if (event.target) {
      if (event.type === 'focus') {
        this.hasFocus = true;
      } else if (event.type === 'blur') {
        this.hasFocus = false;
      }
    }
  }), _defineProperty(_methods, "focus", function focus() {
    if (!this.isDisabled) {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_15__.attemptFocus)(this.$refs.input);
    }
  }), _defineProperty(_methods, "blur", function blur() {
    if (!this.isDisabled) {
      (0,_utils_dom__WEBPACK_IMPORTED_MODULE_15__.attemptBlur)(this.$refs.input);
    }
  }), _methods),
  render: function render(h) {
    var isRadio = this.isRadio,
        isBtnMode = this.isBtnMode,
        isPlain = this.isPlain,
        isCustom = this.isCustom,
        isInline = this.isInline,
        isSwitch = this.isSwitch,
        computedSize = this.computedSize,
        bvAttrs = this.bvAttrs;
    var $content = this.normalizeSlot();
    var $input = h('input', {
      class: [{
        'form-check-input': isPlain,
        'custom-control-input': isCustom,
        // https://github.com/bootstrap-vue/bootstrap-vue/issues/2911
        'position-static': isPlain &amp;&amp; !$content
      }, isBtnMode ? '' : this.stateClass],
      directives: [{
        name: 'model',
        value: this.computedLocalChecked
      }],
      attrs: this.computedAttrs,
      domProps: {
        value: this.value,
        checked: this.isChecked
      },
      on: _objectSpread({
        change: this.handleChange
      }, isBtnMode ? {
        focus: this.handleFocus,
        blur: this.handleFocus
      } : {}),
      key: 'input',
      ref: 'input'
    });

    if (isBtnMode) {
      var $button = h('label', {
        class: this.buttonClasses
      }, [$input, $content]);

      if (!this.isGroup) {
        // Standalone button mode, so wrap in 'btn-group-toggle'
        // and flag it as inline-block to mimic regular buttons
        $button = h('div', {
          class: ['btn-group-toggle', 'd-inline-block']
        }, [$button]);
      }

      return $button;
    } // If no label content in plain mode we dont render the label
    // See: https://github.com/bootstrap-vue/bootstrap-vue/issues/2911


    var $label = h();

    if (!(isPlain &amp;&amp; !$content)) {
      $label = h('label', {
        class: {
          'form-check-label': isPlain,
          'custom-control-label': isCustom
        },
        attrs: {
          for: this.safeId()
        }
      }, $content);
    }

    return h('div', {
      class: [_defineProperty({
        'form-check': isPlain,
        'form-check-inline': isPlain &amp;&amp; isInline,
        'custom-control': isCustom,
        'custom-control-inline': isCustom &amp;&amp; isInline,
        'custom-checkbox': isCustom &amp;&amp; !isRadio &amp;&amp; !isSwitch,
        'custom-switch': isSwitch,
        'custom-radio': isCustom &amp;&amp; isRadio
      }, "b-custom-control-".concat(computedSize), computedSize &amp;&amp; !isBtnMode), bvAttrs.class],
      style: bvAttrs.style
    }, [$input, $label]);
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/form-selection.js":
/*!*****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/form-selection.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   formSelectionMixin: () =&gt; (/* binding */ formSelectionMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
 // @vue/component

var formSelectionMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  computed: {
    selectionStart: {
      // Expose selectionStart for formatters, etc
      cache: false,

      /* istanbul ignore next */
      get: function get() {
        return this.$refs.input.selectionStart;
      },

      /* istanbul ignore next */
      set: function set(val) {
        this.$refs.input.selectionStart = val;
      }
    },
    selectionEnd: {
      // Expose selectionEnd for formatters, etc
      cache: false,

      /* istanbul ignore next */
      get: function get() {
        return this.$refs.input.selectionEnd;
      },

      /* istanbul ignore next */
      set: function set(val) {
        this.$refs.input.selectionEnd = val;
      }
    },
    selectionDirection: {
      // Expose selectionDirection for formatters, etc
      cache: false,

      /* istanbul ignore next */
      get: function get() {
        return this.$refs.input.selectionDirection;
      },

      /* istanbul ignore next */
      set: function set(val) {
        this.$refs.input.selectionDirection = val;
      }
    }
  },
  methods: {
    /* istanbul ignore next */
    select: function select() {
      var _this$$refs$input;

      // For external handler that may want a select() method
      (_this$$refs$input = this.$refs.input).select.apply(_this$$refs$input, arguments);
    },

    /* istanbul ignore next */
    setSelectionRange: function setSelectionRange() {
      var _this$$refs$input2;

      // For external handler that may want a setSelectionRange(a,b,c) method
      (_this$$refs$input2 = this.$refs.input).setSelectionRange.apply(_this$$refs$input2, arguments);
    },

    /* istanbul ignore next */
    setRangeText: function setRangeText() {
      var _this$$refs$input3;

      // For external handler that may want a setRangeText(a,b,c) method
      (_this$$refs$input3 = this.$refs.input).setRangeText.apply(_this$$refs$input3, arguments);
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/form-size.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/form-size.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   formSizeMixin: () =&gt; (/* binding */ formSizeMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");


 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  size: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}, 'formControls'); // --- Mixin ---
// @vue/component

var formSizeMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  computed: {
    sizeFormClass: function sizeFormClass() {
      return [this.size ? "form-control-".concat(this.size) : null];
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/form-state.js":
/*!*************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/form-state.js ***!
  \*************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   formStateMixin: () =&gt; (/* binding */ formStateMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* Form control contextual state class computation
 *
 * Returned class is either 'is-valid' or 'is-invalid' based on the 'state' prop
 * state can be one of five values:
 *  - true for is-valid
 *  - false for is-invalid
 *  - null for no contextual state
 */




 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makePropsConfigurable)({
  // Tri-state prop: true, false, null (or undefined)
  state: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, null)
}, 'formState'); // --- Mixin ---
// @vue/component

var formStateMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  computed: {
    computedState: function computedState() {
      // If not a boolean, ensure that value is null
      return (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_3__.isBoolean)(this.state) ? this.state : null;
    },
    stateClass: function stateClass() {
      var state = this.computedState;
      return state === true ? 'is-valid' : state === false ? 'is-invalid' : null;
    },
    computedAriaInvalid: function computedAriaInvalid() {
      var ariaInvalid = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_4__.safeVueInstance)(this).ariaInvalid;

      if (ariaInvalid === true || ariaInvalid === 'true' || ariaInvalid === '') {
        return 'true';
      }

      return this.computedState === false ? 'true' : ariaInvalid;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/form-text.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/form-text.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   MODEL_EVENT_NAME: () =&gt; (/* binding */ MODEL_EVENT_NAME),
/* harmony export */   MODEL_PROP_NAME: () =&gt; (/* binding */ MODEL_PROP_NAME),
/* harmony export */   formTextMixin: () =&gt; (/* binding */ formTextMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }











 // --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING,
  defaultValue: '',
  event: _constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_UPDATE
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event;

 // --- Props ---

var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_4__.sortKeys)(_objectSpread(_objectSpread({}, modelProps), {}, {
  ariaInvalid: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_STRING, false),
  autocomplete: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  // Debounce timeout (in ms). Not applicable with `lazy` prop
  debounce: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, 0),
  formatter: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_FUNCTION),
  // Only update the `v-model` on blur/change events
  lazy: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  lazyFormatter: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  number: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  placeholder: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING),
  plaintext: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  readonly: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  trim: (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false)
})), 'formTextControls'); // --- Mixin ---
// @vue/component

var formTextMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_5__.extend)({
  mixins: [modelMixin],
  props: props,
  data: function data() {
    var value = this[MODEL_PROP_NAME];
    return {
      localValue: (0,_utils_string__WEBPACK_IMPORTED_MODULE_6__.toString)(value),
      vModelValue: this.modifyValue(value)
    };
  },
  computed: {
    computedClass: function computedClass() {
      var plaintext = this.plaintext,
          type = this.type;
      var isRange = type === 'range';
      var isColor = type === 'color';
      return [{
        // Range input needs class `custom-range`
        'custom-range': isRange,
        // `plaintext` not supported by `type="range"` or `type="color"`
        'form-control-plaintext': plaintext &amp;&amp; !isRange &amp;&amp; !isColor,
        // `form-control` not used by `type="range"` or `plaintext`
        // Always used by `type="color"`
        'form-control': isColor || !plaintext &amp;&amp; !isRange
      }, this.sizeFormClass, this.stateClass];
    },
    computedDebounce: function computedDebounce() {
      // Ensure we have a positive number equal to or greater than 0
      return (0,_utils_math__WEBPACK_IMPORTED_MODULE_7__.mathMax)((0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toInteger)(this.debounce, 0), 0);
    },
    hasFormatter: function hasFormatter() {
      return (0,_utils_props__WEBPACK_IMPORTED_MODULE_3__.hasPropFunction)(this.formatter);
    }
  },
  watch: _defineProperty({}, MODEL_PROP_NAME, function (newValue) {
    var stringifyValue = (0,_utils_string__WEBPACK_IMPORTED_MODULE_6__.toString)(newValue);
    var modifiedValue = this.modifyValue(newValue);

    if (stringifyValue !== this.localValue || modifiedValue !== this.vModelValue) {
      // Clear any pending debounce timeout, as we are overwriting the user input
      this.clearDebounce(); // Update the local values

      this.localValue = stringifyValue;
      this.vModelValue = modifiedValue;
    }
  }),
  created: function created() {
    // Create private non-reactive props
    this.$_inputDebounceTimer = null;
  },
  beforeDestroy: function beforeDestroy() {
    this.clearDebounce();
  },
  methods: {
    clearDebounce: function clearDebounce() {
      clearTimeout(this.$_inputDebounceTimer);
      this.$_inputDebounceTimer = null;
    },
    formatValue: function formatValue(value, event) {
      var force = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : false;
      value = (0,_utils_string__WEBPACK_IMPORTED_MODULE_6__.toString)(value);

      if (this.hasFormatter &amp;&amp; (!this.lazyFormatter || force)) {
        value = this.formatter(value, event);
      }

      return value;
    },
    modifyValue: function modifyValue(value) {
      value = (0,_utils_string__WEBPACK_IMPORTED_MODULE_6__.toString)(value); // Emulate `.trim` modifier behaviour

      if (this.trim) {
        value = value.trim();
      } // Emulate `.number` modifier behaviour


      if (this.number) {
        value = (0,_utils_number__WEBPACK_IMPORTED_MODULE_8__.toFloat)(value, value);
      }

      return value;
    },
    updateValue: function updateValue(value) {
      var _this = this;

      var force = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : false;
      var lazy = this.lazy;

      if (lazy &amp;&amp; !force) {
        return;
      } // Make sure to always clear the debounce when `updateValue()`
      // is called, even when the v-model hasn't changed


      this.clearDebounce(); // Define the shared update logic in a method to be able to use
      // it for immediate and debounced value changes

      var doUpdate = function doUpdate() {
        value = _this.modifyValue(value);

        if (value !== _this.vModelValue) {
          _this.vModelValue = value;

          _this.$emit(MODEL_EVENT_NAME, value);
        } else if (_this.hasFormatter) {
          // When the `vModelValue` hasn't changed but the actual input value
          // is out of sync, make sure to change it to the given one
          // Usually caused by browser autocomplete and how it triggers the
          // change or input event, or depending on the formatter function
          // https://github.com/bootstrap-vue/bootstrap-vue/issues/2657
          // https://github.com/bootstrap-vue/bootstrap-vue/issues/3498

          /* istanbul ignore next: hard to test */
          var $input = _this.$refs.input;
          /* istanbul ignore if: hard to test out of sync value */

          if ($input &amp;&amp; value !== $input.value) {
            $input.value = value;
          }
        }
      }; // Only debounce the value update when a value greater than `0`
      // is set and we are not in lazy mode or this is a forced update


      var debounce = this.computedDebounce;

      if (debounce &gt; 0 &amp;&amp; !lazy &amp;&amp; !force) {
        this.$_inputDebounceTimer = setTimeout(doUpdate, debounce);
      } else {
        // Immediately update the v-model
        doUpdate();
      }
    },
    onInput: function onInput(event) {
      // `event.target.composing` is set by Vue
      // https://github.com/vuejs/vue/blob/dev/src/platforms/web/runtime/directives/model.js
      // TODO: Is this needed now with the latest Vue?

      /* istanbul ignore if: hard to test composition events */
      if (event.target.composing) {
        return;
      }

      var value = event.target.value;
      var formattedValue = this.formatValue(value, event); // Exit when the `formatter` function strictly returned `false`
      // or prevented the input event

      /* istanbul ignore next */

      if (formattedValue === false || event.defaultPrevented) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_9__.stopEvent)(event, {
          propagation: false
        });
        return;
      }

      this.localValue = formattedValue;
      this.updateValue(formattedValue);
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_INPUT, formattedValue);
    },
    onChange: function onChange(event) {
      var value = event.target.value;
      var formattedValue = this.formatValue(value, event); // Exit when the `formatter` function strictly returned `false`
      // or prevented the input event

      /* istanbul ignore next */

      if (formattedValue === false || event.defaultPrevented) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_9__.stopEvent)(event, {
          propagation: false
        });
        return;
      }

      this.localValue = formattedValue;
      this.updateValue(formattedValue, true);
      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_CHANGE, formattedValue);
    },
    onBlur: function onBlur(event) {
      // Apply the `localValue` on blur to prevent cursor jumps
      // on mobile browsers (e.g. caused by autocomplete)
      var value = event.target.value;
      var formattedValue = this.formatValue(value, event, true);

      if (formattedValue !== false) {
        // We need to use the modified value here to apply the
        // `.trim` and `.number` modifiers properly
        this.localValue = (0,_utils_string__WEBPACK_IMPORTED_MODULE_6__.toString)(this.modifyValue(formattedValue)); // We pass the formatted value here since the `updateValue` method
        // handles the modifiers itself

        this.updateValue(formattedValue, true);
      } // Emit native blur event


      this.$emit(_constants_events__WEBPACK_IMPORTED_MODULE_2__.EVENT_NAME_BLUR, event);
    },
    focus: function focus() {
      // For external handler that may want a focus method
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_10__.attemptFocus)(this.$el);
      }
    },
    blur: function blur() {
      // For external handler that may want a blur method
      if (!this.disabled) {
        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_10__.attemptBlur)(this.$el);
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/form-validity.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/form-validity.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   formValidityMixin: () =&gt; (/* binding */ formValidityMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
 // @vue/component

var formValidityMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  computed: {
    validity: {
      // Expose validity property
      cache: false,

      /* istanbul ignore next */
      get: function get() {
        return this.$refs.input.validity;
      }
    },
    validationMessage: {
      // Expose validationMessage property
      cache: false,

      /* istanbul ignore next */
      get: function get() {
        return this.$refs.input.validationMessage;
      }
    },
    willValidate: {
      // Expose willValidate property
      cache: false,

      /* istanbul ignore next */
      get: function get() {
        return this.$refs.input.willValidate;
      }
    }
  },
  methods: {
    /* istanbul ignore next */
    setCustomValidity: function setCustomValidity() {
      var _this$$refs$input;

      // For external handler that may want a setCustomValidity(...) method
      return (_this$$refs$input = this.$refs.input).setCustomValidity.apply(_this$$refs$input, arguments);
    },

    /* istanbul ignore next */
    checkValidity: function checkValidity() {
      var _this$$refs$input2;

      // For external handler that may want a checkValidity(...) method
      return (_this$$refs$input2 = this.$refs.input).checkValidity.apply(_this$$refs$input2, arguments);
    },

    /* istanbul ignore next */
    reportValidity: function reportValidity() {
      var _this$$refs$input3;

      // For external handler that may want a reportValidity(...) method
      return (_this$$refs$input3 = this.$refs.input).reportValidity.apply(_this$$refs$input3, arguments);
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/has-listener.js":
/*!***************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/has-listener.js ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   hasListenerMixin: () =&gt; (/* binding */ hasListenerMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
// Mixin to determine if an event listener has been registered
// either via `v-on:name` (in the parent) or programmatically
// via `vm.$on('name', ...)`
// See: https://github.com/vuejs/vue/issues/10825

 // @vue/component

var hasListenerMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  methods: {
    hasListener: function hasListener(name) {
      if (_vue__WEBPACK_IMPORTED_MODULE_0__.isVue3) {
        return true;
      } // Only includes listeners registered via `v-on:name`


      var $listeners = this.$listeners || {}; // Includes `v-on:name` and `this.$on('name')` registered listeners
      // Note this property is not part of the public Vue API, but it is
      // the only way to determine if a listener was added via `vm.$on`

      var $events = this._events || {}; // Registered listeners in `this._events` are always an array,
      // but might be zero length

      return !(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_1__.isUndefined)($listeners[name]) || (0,_utils_inspect__WEBPACK_IMPORTED_MODULE_1__.isArray)($events[name]) &amp;&amp; $events[name].length &gt; 0;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/id.js":
/*!*****************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/id.js ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   idMixin: () =&gt; (/* binding */ idMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
// SSR safe client-side ID attribute generation
// ID's can only be generated client-side, after mount
// `this._uid` is not synched between server and client


 // --- Props ---

var props = {
  id: (0,_utils_props__WEBPACK_IMPORTED_MODULE_0__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
}; // --- Mixin ---
// @vue/component

var idMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_2__.extend)({
  props: props,
  data: function data() {
    return {
      localId_: null
    };
  },
  computed: {
    safeId: function safeId() {
      // Computed property that returns a dynamic function for creating the ID
      // Reacts to changes in both `.id` and `.localId_` and regenerates a new function
      var id = this.id || this.localId_; // We return a function that accepts an optional suffix string
      // So this computed prop looks and works like a method
      // but benefits from Vue's computed prop caching

      var fn = function fn(suffix) {
        if (!id) {
          return null;
        }

        suffix = String(suffix || '').replace(/\s+/g, '_');
        return suffix ? id + '_' + suffix : id;
      };

      return fn;
    }
  },
  mounted: function mounted() {
    var _this = this;

    // `mounted()` only occurs client-side
    this.$nextTick(function () {
      // Update DOM with auto-generated ID after mount
      // to prevent SSR hydration errors
      _this.localId_ = "__BVID__".concat(_this[_vue__WEBPACK_IMPORTED_MODULE_2__.COMPONENT_UID_KEY]);
    });
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/listen-on-document.js":
/*!*********************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/listen-on-document.js ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   listenOnDocumentMixin: () =&gt; (/* binding */ listenOnDocumentMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");





 // --- Constants ---

var PROP = '$_documentListeners'; // --- Mixin ---
// @vue/component

var listenOnDocumentMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  created: function created() {
    // Define non-reactive property
    // Object of arrays, keyed by event name,
    // where value is an array of callbacks
    this[PROP] = {};
  },
  beforeDestroy: function beforeDestroy() {
    var _this = this;

    // Unregister all registered listeners
    (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.keys)(this[PROP] || {}).forEach(function (event) {
      _this[PROP][event].forEach(function (callback) {
        _this.listenOffDocument(event, callback);
      });
    });
    this[PROP] = null;
  },
  methods: {
    registerDocumentListener: function registerDocumentListener(event, callback) {
      if (this[PROP]) {
        this[PROP][event] = this[PROP][event] || [];

        if (!(0,_utils_array__WEBPACK_IMPORTED_MODULE_2__.arrayIncludes)(this[PROP][event], callback)) {
          this[PROP][event].push(callback);
        }
      }
    },
    unregisterDocumentListener: function unregisterDocumentListener(event, callback) {
      if (this[PROP] &amp;&amp; this[PROP][event]) {
        this[PROP][event] = this[PROP][event].filter(function (cb) {
          return cb !== callback;
        });
      }
    },
    listenDocument: function listenDocument(on, event, callback) {
      on ? this.listenOnDocument(event, callback) : this.listenOffDocument(event, callback);
    },
    listenOnDocument: function listenOnDocument(event, callback) {
      if (_constants_env__WEBPACK_IMPORTED_MODULE_3__.IS_BROWSER) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_4__.eventOn)(document, event, callback, _constants_events__WEBPACK_IMPORTED_MODULE_5__.EVENT_OPTIONS_NO_CAPTURE);
        this.registerDocumentListener(event, callback);
      }
    },
    listenOffDocument: function listenOffDocument(event, callback) {
      if (_constants_env__WEBPACK_IMPORTED_MODULE_3__.IS_BROWSER) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_4__.eventOff)(document, event, callback, _constants_events__WEBPACK_IMPORTED_MODULE_5__.EVENT_OPTIONS_NO_CAPTURE);
      }

      this.unregisterDocumentListener(event, callback);
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js":
/*!*****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/listen-on-root.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   listenOnRootMixin: () =&gt; (/* binding */ listenOnRootMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_get_event_root__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/get-event-root */ "./node_modules/bootstrap-vue/esm/utils/get-event-root.js");



 // --- Constants ---

var PROP = '$_rootListeners'; // --- Mixin ---
// @vue/component

var listenOnRootMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  computed: {
    bvEventRoot: function bvEventRoot() {
      return (0,_utils_get_event_root__WEBPACK_IMPORTED_MODULE_1__.getEventRoot)(this);
    }
  },
  created: function created() {
    // Define non-reactive property
    // Object of arrays, keyed by event name,
    // where value is an array of callbacks
    this[PROP] = {};
  },
  beforeDestroy: function beforeDestroy() {
    var _this = this;

    // Unregister all registered listeners
    (0,_utils_object__WEBPACK_IMPORTED_MODULE_2__.keys)(this[PROP] || {}).forEach(function (event) {
      _this[PROP][event].forEach(function (callback) {
        _this.listenOffRoot(event, callback);
      });
    });
    this[PROP] = null;
  },
  methods: {
    registerRootListener: function registerRootListener(event, callback) {
      if (this[PROP]) {
        this[PROP][event] = this[PROP][event] || [];

        if (!(0,_utils_array__WEBPACK_IMPORTED_MODULE_3__.arrayIncludes)(this[PROP][event], callback)) {
          this[PROP][event].push(callback);
        }
      }
    },
    unregisterRootListener: function unregisterRootListener(event, callback) {
      if (this[PROP] &amp;&amp; this[PROP][event]) {
        this[PROP][event] = this[PROP][event].filter(function (cb) {
          return cb !== callback;
        });
      }
    },

    /**
     * Safely register event listeners on the root Vue node
     * While Vue automatically removes listeners for individual components,
     * when a component registers a listener on `$root` and is destroyed,
     * this orphans a callback because the node is gone, but the `$root`
     * does not clear the callback
     *
     * When registering a `$root` listener, it also registers the listener
     * to be removed in the component's `beforeDestroy()` hook
     *
     * @param {string} event
     * @param {function} callback
     */
    listenOnRoot: function listenOnRoot(event, callback) {
      if (this.bvEventRoot) {
        this.bvEventRoot.$on(event, callback);
        this.registerRootListener(event, callback);
      }
    },

    /**
     * Safely register a `$once()` event listener on the root Vue node
     * While Vue automatically removes listeners for individual components,
     * when a component registers a listener on `$root` and is destroyed,
     * this orphans a callback because the node is gone, but the `$root`
     * does not clear the callback
     *
     * When registering a `$root` listener, it also registers the listener
     * to be removed in the component's `beforeDestroy()` hook
     *
     * @param {string} event
     * @param {function} callback
     */
    listenOnRootOnce: function listenOnRootOnce(event, callback) {
      var _this2 = this;

      if (this.bvEventRoot) {
        var _callback = function _callback() {
          _this2.unregisterRootListener(_callback); // eslint-disable-next-line node/no-callback-literal


          callback.apply(void 0, arguments);
        };

        this.bvEventRoot.$once(event, _callback);
        this.registerRootListener(event, _callback);
      }
    },

    /**
     * Safely unregister event listeners from the root Vue node
     *
     * @param {string} event
     * @param {function} callback
     */
    listenOffRoot: function listenOffRoot(event, callback) {
      this.unregisterRootListener(event, callback);

      if (this.bvEventRoot) {
        this.bvEventRoot.$off(event, callback);
      }
    },

    /**
     * Convenience method for calling `vm.$emit()` on `$root`
     *
     * @param {string} event
     * @param {*} args
     */
    emitOnRoot: function emitOnRoot(event) {
      if (this.bvEventRoot) {
        var _this$bvEventRoot;

        for (var _len = arguments.length, args = new Array(_len &gt; 1 ? _len - 1 : 0), _key = 1; _key &lt; _len; _key++) {
          args[_key - 1] = arguments[_key];
        }

        (_this$bvEventRoot = this.bvEventRoot).$emit.apply(_this$bvEventRoot, [event].concat(args));
      }
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/listen-on-window.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/listen-on-window.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   listenOnWindowMixin: () =&gt; (/* binding */ listenOnWindowMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");





 // --- Constants ---

var PROP = '$_windowListeners'; // --- Mixin ---
// @vue/component

var listenOnWindowMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  created: function created() {
    // Define non-reactive property
    // Object of arrays, keyed by event name,
    // where value is an array of callbacks
    this[PROP] = {};
  },
  beforeDestroy: function beforeDestroy() {
    var _this = this;

    // Unregister all registered listeners
    (0,_utils_object__WEBPACK_IMPORTED_MODULE_1__.keys)(this[PROP] || {}).forEach(function (event) {
      _this[PROP][event].forEach(function (callback) {
        _this.listenOffWindow(event, callback);
      });
    });
    this[PROP] = null;
  },
  methods: {
    registerWindowListener: function registerWindowListener(event, callback) {
      if (this[PROP]) {
        this[PROP][event] = this[PROP][event] || [];

        if (!(0,_utils_array__WEBPACK_IMPORTED_MODULE_2__.arrayIncludes)(this[PROP][event], callback)) {
          this[PROP][event].push(callback);
        }
      }
    },
    unregisterWindowListener: function unregisterWindowListener(event, callback) {
      if (this[PROP] &amp;&amp; this[PROP][event]) {
        this[PROP][event] = this[PROP][event].filter(function (cb) {
          return cb !== callback;
        });
      }
    },
    listenWindow: function listenWindow(on, event, callback) {
      on ? this.listenOnWindow(event, callback) : this.listenOffWindow(event, callback);
    },
    listenOnWindow: function listenOnWindow(event, callback) {
      if (_constants_env__WEBPACK_IMPORTED_MODULE_3__.IS_BROWSER) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_4__.eventOn)(window, event, callback, _constants_events__WEBPACK_IMPORTED_MODULE_5__.EVENT_OPTIONS_NO_CAPTURE);
        this.registerWindowListener(event, callback);
      }
    },
    listenOffWindow: function listenOffWindow(event, callback) {
      if (_constants_env__WEBPACK_IMPORTED_MODULE_3__.IS_BROWSER) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_4__.eventOff)(window, event, callback, _constants_events__WEBPACK_IMPORTED_MODULE_5__.EVENT_OPTIONS_NO_CAPTURE);
      }

      this.unregisterWindowListener(event, callback);
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/listeners.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/listeners.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   listenersMixin: () =&gt; (/* binding */ listenersMixin)
/* harmony export */ });
/* harmony import */ var _utils_cache__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/cache */ "./node_modules/bootstrap-vue/esm/utils/cache.js");
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }



var listenersMixinVue2 = (0,_utils_cache__WEBPACK_IMPORTED_MODULE_0__.makePropCacheMixin)('$listeners', 'bvListeners');
var listenersMixinVue3 = (0,_vue__WEBPACK_IMPORTED_MODULE_1__.extend)({
  data: function data() {
    return {
      bvListeners: {}
    };
  },
  created: function created() {
    this.bvListeners = _objectSpread({}, this.$listeners);
  },
  beforeUpdate: function beforeUpdate() {
    this.bvListeners = _objectSpread({}, this.$listeners);
  }
});
var listenersMixin = _vue__WEBPACK_IMPORTED_MODULE_1__.isVue3 ? listenersMixinVue3 : listenersMixinVue2;

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/model.js":
/*!********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/model.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   MODEL_EVENT_NAME: () =&gt; (/* binding */ event),
/* harmony export */   MODEL_PROP_NAME: () =&gt; (/* binding */ prop),
/* harmony export */   modelMixin: () =&gt; (/* binding */ mixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");


var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value'),
    mixin = _makeModelMixin.mixin,
    props = _makeModelMixin.props,
    prop = _makeModelMixin.prop,
    event = _makeModelMixin.event;



/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js":
/*!*****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js ***!
  \*****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   normalizeSlotMixin: () =&gt; (/* binding */ normalizeSlotMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_normalize_slot__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/normalize-slot */ "./node_modules/bootstrap-vue/esm/utils/normalize-slot.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");



 // @vue/component

var normalizeSlotMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  methods: {
    // Returns `true` if the either a `$scopedSlot` or `$slot` exists with the specified name
    // `name` can be a string name or an array of names
    hasNormalizedSlot: function hasNormalizedSlot() {
      var name = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : _constants_slots__WEBPACK_IMPORTED_MODULE_1__.SLOT_NAME_DEFAULT;
      var scopedSlots = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : this.$scopedSlots;
      var slots = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : this.$slots;
      return (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_2__.hasNormalizedSlot)(name, scopedSlots, slots);
    },
    // Returns an array of rendered VNodes if slot found, otherwise `undefined`
    // `name` can be a string name or an array of names
    normalizeSlot: function normalizeSlot() {
      var name = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : _constants_slots__WEBPACK_IMPORTED_MODULE_1__.SLOT_NAME_DEFAULT;
      var scope = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
      var scopedSlots = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : this.$scopedSlots;
      var slots = arguments.length &gt; 3 &amp;&amp; arguments[3] !== undefined ? arguments[3] : this.$slots;

      var vNodes = (0,_utils_normalize_slot__WEBPACK_IMPORTED_MODULE_2__.normalizeSlot)(name, scope, scopedSlots, slots);

      return vNodes ? (0,_utils_array__WEBPACK_IMPORTED_MODULE_3__.concat)(vNodes) : vNodes;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/pagination.js":
/*!*************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/pagination.js ***!
  \*************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   MODEL_EVENT_NAME: () =&gt; (/* binding */ MODEL_EVENT_NAME),
/* harmony export */   MODEL_PROP_NAME: () =&gt; (/* binding */ MODEL_PROP_NAME),
/* harmony export */   paginationMixin: () =&gt; (/* binding */ paginationMixin),
/* harmony export */   props: () =&gt; (/* binding */ props)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_components__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../constants/components */ "./node_modules/bootstrap-vue/esm/constants/components.js");
/* harmony import */ var _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ../constants/key-codes */ "./node_modules/bootstrap-vue/esm/constants/key-codes.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _constants_slots__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ../constants/slots */ "./node_modules/bootstrap-vue/esm/constants/slots.js");
/* harmony import */ var _utils_array__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../utils/array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _utils_dom__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ../utils/dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _utils_events__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ../utils/events */ "./node_modules/bootstrap-vue/esm/utils/events.js");
/* harmony import */ var _utils_inspect__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _utils_math__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ../utils/math */ "./node_modules/bootstrap-vue/esm/utils/math.js");
/* harmony import */ var _utils_model__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../utils/model */ "./node_modules/bootstrap-vue/esm/utils/model.js");
/* harmony import */ var _utils_number__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../utils/number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _utils_object__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ../utils/object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _utils_props__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ../utils/props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
/* harmony import */ var _utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ../utils/safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* harmony import */ var _utils_string__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ../utils/string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
/* harmony import */ var _utils_warn__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../utils/warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
/* harmony import */ var _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ../mixins/normalize-slot */ "./node_modules/bootstrap-vue/esm/mixins/normalize-slot.js");
/* harmony import */ var _components_link_link__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ../components/link/link */ "./node_modules/bootstrap-vue/esm/components/link/link.js");
var _watch;

function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }



















 // Common props, computed, data, render function, and methods
// for `&lt;b-pagination&gt;` and `&lt;b-pagination-nav&gt;`
// --- Constants ---

var _makeModelMixin = (0,_utils_model__WEBPACK_IMPORTED_MODULE_0__.makeModelMixin)('value', {
  type: _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN_NUMBER_STRING,
  defaultValue: null,

  /* istanbul ignore next */
  validator: function validator(value) {
    if (!(0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isNull)(value) &amp;&amp; (0,_utils_number__WEBPACK_IMPORTED_MODULE_3__.toInteger)(value, 0) &lt; 1) {
      (0,_utils_warn__WEBPACK_IMPORTED_MODULE_4__.warn)('"v-model" value must be a number greater than "0"', _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_PAGINATION);
      return false;
    }

    return true;
  }
}),
    modelMixin = _makeModelMixin.mixin,
    modelProps = _makeModelMixin.props,
    MODEL_PROP_NAME = _makeModelMixin.prop,
    MODEL_EVENT_NAME = _makeModelMixin.event;

 // Threshold of limit size when we start/stop showing ellipsis

var ELLIPSIS_THRESHOLD = 3; // Default # of buttons limit

var DEFAULT_LIMIT = 5; // --- Helper methods ---
// Make an array of N to N+X

var makePageArray = function makePageArray(startNumber, numberOfPages) {
  return (0,_utils_array__WEBPACK_IMPORTED_MODULE_6__.createArray)(numberOfPages, function (_, i) {
    return {
      number: startNumber + i,
      classes: null
    };
  });
}; // Sanitize the provided limit value (converting to a number)


var sanitizeLimit = function sanitizeLimit(value) {
  var limit = (0,_utils_number__WEBPACK_IMPORTED_MODULE_3__.toInteger)(value) || 1;
  return limit &lt; 1 ? DEFAULT_LIMIT : limit;
}; // Sanitize the provided current page number (converting to a number)


var sanitizeCurrentPage = function sanitizeCurrentPage(val, numberOfPages) {
  var page = (0,_utils_number__WEBPACK_IMPORTED_MODULE_3__.toInteger)(val) || 1;
  return page &gt; numberOfPages ? numberOfPages : page &lt; 1 ? 1 : page;
}; // Links don't normally respond to SPACE, so we add that
// functionality via this handler


var onSpaceKey = function onSpaceKey(event) {
  if (event.keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__.CODE_SPACE) {
    // Stop page from scrolling
    (0,_utils_events__WEBPACK_IMPORTED_MODULE_8__.stopEvent)(event, {
      immediatePropagation: true
    }); // Trigger the click event on the link

    event.currentTarget.click();
    return false;
  }
}; // --- Props ---


var props = (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makePropsConfigurable)((0,_utils_object__WEBPACK_IMPORTED_MODULE_10__.sortKeys)(_objectSpread(_objectSpread({}, modelProps), {}, {
  align: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'left'),
  ariaLabel: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Pagination'),
  disabled: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  ellipsisClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  ellipsisText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, "\u2026"),
  // 'â€¦'
  firstClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  firstNumber: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  firstText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, "\xAB"),
  // 'Â«'
  hideEllipsis: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  hideGotoEndButtons: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  labelFirstPage: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Go to first page'),
  labelLastPage: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Go to last page'),
  labelNextPage: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Go to next page'),
  labelPage: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_FUNCTION_STRING, 'Go to page'),
  labelPrevPage: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, 'Go to previous page'),
  lastClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  lastNumber: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  lastText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, "\xBB"),
  // 'Â»'
  limit: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_NUMBER_STRING, DEFAULT_LIMIT,
  /* istanbul ignore next */
  function (value) {
    if ((0,_utils_number__WEBPACK_IMPORTED_MODULE_3__.toInteger)(value, 0) &lt; 1) {
      (0,_utils_warn__WEBPACK_IMPORTED_MODULE_4__.warn)('Prop "limit" must be a number greater than "0"', _constants_components__WEBPACK_IMPORTED_MODULE_5__.NAME_PAGINATION);
      return false;
    }

    return true;
  }),
  nextClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  nextText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, "\u203A"),
  // 'â€º'
  pageClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  pills: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_BOOLEAN, false),
  prevClass: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ARRAY_OBJECT_STRING),
  prevText: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING, "\u2039"),
  // 'â€¹'
  size: (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.makeProp)(_constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_STRING)
})), 'pagination'); // --- Mixin ---
// @vue/component

var paginationMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_11__.extend)({
  mixins: [modelMixin, _mixins_normalize_slot__WEBPACK_IMPORTED_MODULE_12__.normalizeSlotMixin],
  props: props,
  data: function data() {
    // `-1` signifies no page initially selected
    var currentPage = (0,_utils_number__WEBPACK_IMPORTED_MODULE_3__.toInteger)(this[MODEL_PROP_NAME], 0);
    currentPage = currentPage &gt; 0 ? currentPage : -1;
    return {
      currentPage: currentPage,
      localNumberOfPages: 1,
      localLimit: DEFAULT_LIMIT
    };
  },
  computed: {
    btnSize: function btnSize() {
      var size = this.size;
      return size ? "pagination-".concat(size) : '';
    },
    alignment: function alignment() {
      var align = this.align;

      if (align === 'center') {
        return 'justify-content-center';
      } else if (align === 'end' || align === 'right') {
        return 'justify-content-end';
      } else if (align === 'fill') {
        // The page-items will also have 'flex-fill' added
        // We add text centering to make the button appearance better in fill mode
        return 'text-center';
      }

      return '';
    },
    styleClass: function styleClass() {
      return this.pills ? 'b-pagination-pills' : '';
    },
    computedCurrentPage: function computedCurrentPage() {
      return sanitizeCurrentPage(this.currentPage, this.localNumberOfPages);
    },
    paginationParams: function paginationParams() {
      // Determine if we should show the the ellipsis
      var limit = this.localLimit,
          numberOfPages = this.localNumberOfPages,
          currentPage = this.computedCurrentPage,
          hideEllipsis = this.hideEllipsis,
          firstNumber = this.firstNumber,
          lastNumber = this.lastNumber;
      var showFirstDots = false;
      var showLastDots = false;
      var numberOfLinks = limit;
      var startNumber = 1;

      if (numberOfPages &lt;= limit) {
        // Special case: Less pages available than the limit of displayed pages
        numberOfLinks = numberOfPages;
      } else if (currentPage &lt; limit - 1 &amp;&amp; limit &gt; ELLIPSIS_THRESHOLD) {
        if (!hideEllipsis || lastNumber) {
          showLastDots = true;
          numberOfLinks = limit - (firstNumber ? 0 : 1);
        }

        numberOfLinks = (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathMin)(numberOfLinks, limit);
      } else if (numberOfPages - currentPage + 2 &lt; limit &amp;&amp; limit &gt; ELLIPSIS_THRESHOLD) {
        if (!hideEllipsis || firstNumber) {
          showFirstDots = true;
          numberOfLinks = limit - (lastNumber ? 0 : 1);
        }

        startNumber = numberOfPages - numberOfLinks + 1;
      } else {
        // We are somewhere in the middle of the page list
        if (limit &gt; ELLIPSIS_THRESHOLD) {
          numberOfLinks = limit - (hideEllipsis ? 0 : 2);
          showFirstDots = !!(!hideEllipsis || firstNumber);
          showLastDots = !!(!hideEllipsis || lastNumber);
        }

        startNumber = currentPage - (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathFloor)(numberOfLinks / 2);
      } // Sanity checks

      /* istanbul ignore if */


      if (startNumber &lt; 1) {
        startNumber = 1;
        showFirstDots = false;
      } else if (startNumber &gt; numberOfPages - numberOfLinks) {
        startNumber = numberOfPages - numberOfLinks + 1;
        showLastDots = false;
      }

      if (showFirstDots &amp;&amp; firstNumber &amp;&amp; startNumber &lt; 4) {
        numberOfLinks = numberOfLinks + 2;
        startNumber = 1;
        showFirstDots = false;
      }

      var lastPageNumber = startNumber + numberOfLinks - 1;

      if (showLastDots &amp;&amp; lastNumber &amp;&amp; lastPageNumber &gt; numberOfPages - 3) {
        numberOfLinks = numberOfLinks + (lastPageNumber === numberOfPages - 2 ? 2 : 3);
        showLastDots = false;
      } // Special handling for lower limits (where ellipsis are never shown)


      if (limit &lt;= ELLIPSIS_THRESHOLD) {
        if (firstNumber &amp;&amp; startNumber === 1) {
          numberOfLinks = (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathMin)(numberOfLinks + 1, numberOfPages, limit + 1);
        } else if (lastNumber &amp;&amp; numberOfPages === startNumber + numberOfLinks - 1) {
          startNumber = (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathMax)(startNumber - 1, 1);
          numberOfLinks = (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathMin)(numberOfPages - startNumber + 1, numberOfPages, limit + 1);
        }
      }

      numberOfLinks = (0,_utils_math__WEBPACK_IMPORTED_MODULE_13__.mathMin)(numberOfLinks, numberOfPages - startNumber + 1);
      return {
        showFirstDots: showFirstDots,
        showLastDots: showLastDots,
        numberOfLinks: numberOfLinks,
        startNumber: startNumber
      };
    },
    pageList: function pageList() {
      // Generates the pageList array
      var _this$paginationParam = this.paginationParams,
          numberOfLinks = _this$paginationParam.numberOfLinks,
          startNumber = _this$paginationParam.startNumber;
      var currentPage = this.computedCurrentPage; // Generate list of page numbers

      var pages = makePageArray(startNumber, numberOfLinks); // We limit to a total of 3 page buttons on XS screens
      // So add classes to page links to hide them for XS breakpoint
      // Note: Ellipsis will also be hidden on XS screens
      // TODO: Make this visual limit configurable based on breakpoint(s)

      if (pages.length &gt; 3) {
        var idx = currentPage - startNumber; // THe following is a bootstrap-vue custom utility class

        var classes = 'bv-d-xs-down-none';

        if (idx === 0) {
          // Keep leftmost 3 buttons visible when current page is first page
          for (var i = 3; i &lt; pages.length; i++) {
            pages[i].classes = classes;
          }
        } else if (idx === pages.length - 1) {
          // Keep rightmost 3 buttons visible when current page is last page
          for (var _i = 0; _i &lt; pages.length - 3; _i++) {
            pages[_i].classes = classes;
          }
        } else {
          // Hide all except current page, current page - 1 and current page + 1
          for (var _i2 = 0; _i2 &lt; idx - 1; _i2++) {
            // hide some left button(s)
            pages[_i2].classes = classes;
          }

          for (var _i3 = pages.length - 1; _i3 &gt; idx + 1; _i3--) {
            // hide some right button(s)
            pages[_i3].classes = classes;
          }
        }
      }

      return pages;
    }
  },
  watch: (_watch = {}, _defineProperty(_watch, MODEL_PROP_NAME, function (newValue, oldValue) {
    if (newValue !== oldValue) {
      this.currentPage = sanitizeCurrentPage(newValue, this.localNumberOfPages);
    }
  }), _defineProperty(_watch, "currentPage", function currentPage(newValue, oldValue) {
    if (newValue !== oldValue) {
      // Emit `null` if no page selected
      this.$emit(MODEL_EVENT_NAME, newValue &gt; 0 ? newValue : null);
    }
  }), _defineProperty(_watch, "limit", function limit(newValue, oldValue) {
    if (newValue !== oldValue) {
      this.localLimit = sanitizeLimit(newValue);
    }
  }), _watch),
  created: function created() {
    var _this = this;

    // Set our default values in data
    this.localLimit = sanitizeLimit(this.limit);
    this.$nextTick(function () {
      // Sanity check
      _this.currentPage = _this.currentPage &gt; _this.localNumberOfPages ? _this.localNumberOfPages : _this.currentPage;
    });
  },
  methods: {
    handleKeyNav: function handleKeyNav(event) {
      var keyCode = event.keyCode,
          shiftKey = event.shiftKey;
      /* istanbul ignore if */

      if (this.isNav) {
        // We disable left/right keyboard navigation in `&lt;b-pagination-nav&gt;`
        return;
      }

      if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__.CODE_LEFT || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__.CODE_UP) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_8__.stopEvent)(event, {
          propagation: false
        });
        shiftKey ? this.focusFirst() : this.focusPrev();
      } else if (keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__.CODE_RIGHT || keyCode === _constants_key_codes__WEBPACK_IMPORTED_MODULE_7__.CODE_DOWN) {
        (0,_utils_events__WEBPACK_IMPORTED_MODULE_8__.stopEvent)(event, {
          propagation: false
        });
        shiftKey ? this.focusLast() : this.focusNext();
      }
    },
    getButtons: function getButtons() {
      // Return only buttons that are visible
      return (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.selectAll)('button.page-link, a.page-link', this.$el).filter(function (btn) {
        return (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.isVisible)(btn);
      });
    },
    focusCurrent: function focusCurrent() {
      var _this2 = this;

      // We do this in `$nextTick()` to ensure buttons have finished rendering
      this.$nextTick(function () {
        var btn = _this2.getButtons().find(function (el) {
          return (0,_utils_number__WEBPACK_IMPORTED_MODULE_3__.toInteger)((0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.getAttr)(el, 'aria-posinset'), 0) === _this2.computedCurrentPage;
        });

        if (!(0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.attemptFocus)(btn)) {
          // Fallback if current page is not in button list
          _this2.focusFirst();
        }
      });
    },
    focusFirst: function focusFirst() {
      var _this3 = this;

      // We do this in `$nextTick()` to ensure buttons have finished rendering
      this.$nextTick(function () {
        var btn = _this3.getButtons().find(function (el) {
          return !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.isDisabled)(el);
        });

        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.attemptFocus)(btn);
      });
    },
    focusLast: function focusLast() {
      var _this4 = this;

      // We do this in `$nextTick()` to ensure buttons have finished rendering
      this.$nextTick(function () {
        var btn = _this4.getButtons().reverse().find(function (el) {
          return !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.isDisabled)(el);
        });

        (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.attemptFocus)(btn);
      });
    },
    focusPrev: function focusPrev() {
      var _this5 = this;

      // We do this in `$nextTick()` to ensure buttons have finished rendering
      this.$nextTick(function () {
        var buttons = _this5.getButtons();

        var index = buttons.indexOf((0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.getActiveElement)());

        if (index &gt; 0 &amp;&amp; !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.isDisabled)(buttons[index - 1])) {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.attemptFocus)(buttons[index - 1]);
        }
      });
    },
    focusNext: function focusNext() {
      var _this6 = this;

      // We do this in `$nextTick()` to ensure buttons have finished rendering
      this.$nextTick(function () {
        var buttons = _this6.getButtons();

        var index = buttons.indexOf((0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.getActiveElement)());

        if (index &lt; buttons.length - 1 &amp;&amp; !(0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.isDisabled)(buttons[index + 1])) {
          (0,_utils_dom__WEBPACK_IMPORTED_MODULE_14__.attemptFocus)(buttons[index + 1]);
        }
      });
    }
  },
  render: function render(h) {
    var _this7 = this;

    var _safeVueInstance = (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_15__.safeVueInstance)(this),
        disabled = _safeVueInstance.disabled,
        labelPage = _safeVueInstance.labelPage,
        ariaLabel = _safeVueInstance.ariaLabel,
        isNav = _safeVueInstance.isNav,
        numberOfPages = _safeVueInstance.localNumberOfPages,
        currentPage = _safeVueInstance.computedCurrentPage;

    var pageNumbers = this.pageList.map(function (p) {
      return p.number;
    });
    var _this$paginationParam2 = this.paginationParams,
        showFirstDots = _this$paginationParam2.showFirstDots,
        showLastDots = _this$paginationParam2.showLastDots;
    var fill = this.align === 'fill';
    var $buttons = []; // Helper function and flag

    var isActivePage = function isActivePage(pageNumber) {
      return pageNumber === currentPage;
    };

    var noCurrentPage = this.currentPage &lt; 1; // Factory function for prev/next/first/last buttons

    var makeEndBtn = function makeEndBtn(linkTo, ariaLabel, btnSlot, btnText, btnClass, pageTest, key) {
      var isDisabled = disabled || isActivePage(pageTest) || noCurrentPage || linkTo &lt; 1 || linkTo &gt; numberOfPages;
      var pageNumber = linkTo &lt; 1 ? 1 : linkTo &gt; numberOfPages ? numberOfPages : linkTo;
      var scope = {
        disabled: isDisabled,
        page: pageNumber,
        index: pageNumber - 1
      };
      var $btnContent = _this7.normalizeSlot(btnSlot, scope) || (0,_utils_string__WEBPACK_IMPORTED_MODULE_16__.toString)(btnText) || h();
      var $inner = h(isDisabled ? 'span' : isNav ? _components_link_link__WEBPACK_IMPORTED_MODULE_17__.BLink : 'button', {
        staticClass: 'page-link',
        class: {
          'flex-grow-1': !isNav &amp;&amp; !isDisabled &amp;&amp; fill
        },
        props: isDisabled || !isNav ? {} : _this7.linkProps(linkTo),
        attrs: {
          role: isNav ? null : 'menuitem',
          type: isNav || isDisabled ? null : 'button',
          tabindex: isDisabled || isNav ? null : '-1',
          'aria-label': ariaLabel,
          'aria-controls': (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_15__.safeVueInstance)(_this7).ariaControls || null,
          'aria-disabled': isDisabled ? 'true' : null
        },
        on: isDisabled ? {} : {
          '!click': function click(event) {
            _this7.onClick(event, linkTo);
          },
          keydown: onSpaceKey
        }
      }, [$btnContent]);
      return h('li', {
        key: key,
        staticClass: 'page-item',
        class: [{
          disabled: isDisabled,
          'flex-fill': fill,
          'd-flex': fill &amp;&amp; !isNav &amp;&amp; !isDisabled
        }, btnClass],
        attrs: {
          role: isNav ? null : 'presentation',
          'aria-hidden': isDisabled ? 'true' : null
        }
      }, [$inner]);
    }; // Ellipsis factory


    var makeEllipsis = function makeEllipsis(isLast) {
      return h('li', {
        staticClass: 'page-item',
        class: ['disabled', 'bv-d-xs-down-none', fill ? 'flex-fill' : '', _this7.ellipsisClass],
        attrs: {
          role: 'separator'
        },
        key: "ellipsis-".concat(isLast ? 'last' : 'first')
      }, [h('span', {
        staticClass: 'page-link'
      }, [_this7.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_18__.SLOT_NAME_ELLIPSIS_TEXT) || (0,_utils_string__WEBPACK_IMPORTED_MODULE_16__.toString)(_this7.ellipsisText) || h()])]);
    }; // Page button factory


    var makePageButton = function makePageButton(page, idx) {
      var pageNumber = page.number;
      var active = isActivePage(pageNumber) &amp;&amp; !noCurrentPage; // Active page will have tabindex of 0, or if no current page and first page button

      var tabIndex = disabled ? null : active || noCurrentPage &amp;&amp; idx === 0 ? '0' : '-1';
      var attrs = {
        role: isNav ? null : 'menuitemradio',
        type: isNav || disabled ? null : 'button',
        'aria-disabled': disabled ? 'true' : null,
        'aria-controls': (0,_utils_safe_vue_instance__WEBPACK_IMPORTED_MODULE_15__.safeVueInstance)(_this7).ariaControls || null,
        'aria-label': (0,_utils_props__WEBPACK_IMPORTED_MODULE_9__.hasPropFunction)(labelPage) ?
        /* istanbul ignore next */
        labelPage(pageNumber) : "".concat((0,_utils_inspect__WEBPACK_IMPORTED_MODULE_2__.isFunction)(labelPage) ? labelPage() : labelPage, " ").concat(pageNumber),
        'aria-checked': isNav ? null : active ? 'true' : 'false',
        'aria-current': isNav &amp;&amp; active ? 'page' : null,
        'aria-posinset': isNav ? null : pageNumber,
        'aria-setsize': isNav ? null : numberOfPages,
        // ARIA "roving tabindex" method (except in `isNav` mode)
        tabindex: isNav ? null : tabIndex
      };
      var btnContent = (0,_utils_string__WEBPACK_IMPORTED_MODULE_16__.toString)(_this7.makePage(pageNumber));
      var scope = {
        page: pageNumber,
        index: pageNumber - 1,
        content: btnContent,
        active: active,
        disabled: disabled
      };
      var $inner = h(disabled ? 'span' : isNav ? _components_link_link__WEBPACK_IMPORTED_MODULE_17__.BLink : 'button', {
        props: disabled || !isNav ? {} : _this7.linkProps(pageNumber),
        staticClass: 'page-link',
        class: {
          'flex-grow-1': !isNav &amp;&amp; !disabled &amp;&amp; fill
        },
        attrs: attrs,
        on: disabled ? {} : {
          '!click': function click(event) {
            _this7.onClick(event, pageNumber);
          },
          keydown: onSpaceKey
        }
      }, [_this7.normalizeSlot(_constants_slots__WEBPACK_IMPORTED_MODULE_18__.SLOT_NAME_PAGE, scope) || btnContent]);
      return h('li', {
        staticClass: 'page-item',
        class: [{
          disabled: disabled,
          active: active,
          'flex-fill': fill,
          'd-flex': fill &amp;&amp; !isNav &amp;&amp; !disabled
        }, page.classes, _this7.pageClass],
        attrs: {
          role: isNav ? null : 'presentation'
        },
        key: "page-".concat(pageNumber)
      }, [$inner]);
    }; // Goto first page button
    // Don't render button when `hideGotoEndButtons` or `firstNumber` is set


    var $firstPageBtn = h();

    if (!this.firstNumber &amp;&amp; !this.hideGotoEndButtons) {
      $firstPageBtn = makeEndBtn(1, this.labelFirstPage, _constants_slots__WEBPACK_IMPORTED_MODULE_18__.SLOT_NAME_FIRST_TEXT, this.firstText, this.firstClass, 1, 'pagination-goto-first');
    }

    $buttons.push($firstPageBtn); // Goto previous page button

    $buttons.push(makeEndBtn(currentPage - 1, this.labelPrevPage, _constants_slots__WEBPACK_IMPORTED_MODULE_18__.SLOT_NAME_PREV_TEXT, this.prevText, this.prevClass, 1, 'pagination-goto-prev')); // Show first (1) button?

    $buttons.push(this.firstNumber &amp;&amp; pageNumbers[0] !== 1 ? makePageButton({
      number: 1
    }, 0) : h()); // First ellipsis

    $buttons.push(showFirstDots ? makeEllipsis(false) : h()); // Individual page links

    this.pageList.forEach(function (page, idx) {
      var offset = showFirstDots &amp;&amp; _this7.firstNumber &amp;&amp; pageNumbers[0] !== 1 ? 1 : 0;
      $buttons.push(makePageButton(page, idx + offset));
    }); // Last ellipsis

    $buttons.push(showLastDots ? makeEllipsis(true) : h()); // Show last page button?

    $buttons.push(this.lastNumber &amp;&amp; pageNumbers[pageNumbers.length - 1] !== numberOfPages ? makePageButton({
      number: numberOfPages
    }, -1) : h()); // Goto next page button

    $buttons.push(makeEndBtn(currentPage + 1, this.labelNextPage, _constants_slots__WEBPACK_IMPORTED_MODULE_18__.SLOT_NAME_NEXT_TEXT, this.nextText, this.nextClass, numberOfPages, 'pagination-goto-next')); // Goto last page button
    // Don't render button when `hideGotoEndButtons` or `lastNumber` is set

    var $lastPageBtn = h();

    if (!this.lastNumber &amp;&amp; !this.hideGotoEndButtons) {
      $lastPageBtn = makeEndBtn(numberOfPages, this.labelLastPage, _constants_slots__WEBPACK_IMPORTED_MODULE_18__.SLOT_NAME_LAST_TEXT, this.lastText, this.lastClass, numberOfPages, 'pagination-goto-last');
    }

    $buttons.push($lastPageBtn); // Assemble the pagination buttons

    var $pagination = h('ul', {
      staticClass: 'pagination',
      class: ['b-pagination', this.btnSize, this.alignment, this.styleClass],
      attrs: {
        role: isNav ? null : 'menubar',
        'aria-disabled': disabled ? 'true' : 'false',
        'aria-label': isNav ? null : ariaLabel || null
      },
      // We disable keyboard left/right nav when `&lt;b-pagination-nav&gt;`
      on: isNav ? {} : {
        keydown: this.handleKeyNav
      },
      ref: 'ul'
    }, $buttons); // If we are `&lt;b-pagination-nav&gt;`, wrap in `&lt;nav&gt;` wrapper

    if (isNav) {
      return h('nav', {
        attrs: {
          'aria-disabled': disabled ? 'true' : null,
          'aria-hidden': disabled ? 'true' : 'false',
          'aria-label': isNav ? ariaLabel || null : null
        }
      }, [$pagination]);
    }

    return $pagination;
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/scoped-style.js":
/*!***************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/scoped-style.js ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   scopedStyleMixin: () =&gt; (/* binding */ scopedStyleMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _mixins_use_parent__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../mixins/use-parent */ "./node_modules/bootstrap-vue/esm/mixins/use-parent.js");
/* harmony import */ var _utils_get_scope_id__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../utils/get-scope-id */ "./node_modules/bootstrap-vue/esm/utils/get-scope-id.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }



 // @vue/component

var scopedStyleMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  mixins: [_mixins_use_parent__WEBPACK_IMPORTED_MODULE_1__.useParentMixin],
  computed: {
    scopedStyleAttrs: function scopedStyleAttrs() {
      var scopeId = (0,_utils_get_scope_id__WEBPACK_IMPORTED_MODULE_2__.getScopeId)(this.bvParent);
      return scopeId ? _defineProperty({}, scopeId, '') : {};
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/mixins/use-parent.js":
/*!*************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/mixins/use-parent.js ***!
  \*************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   useParentMixin: () =&gt; (/* binding */ useParentMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
 // --- Mixin ---
// @vue/component

var useParentMixin = (0,_vue__WEBPACK_IMPORTED_MODULE_0__.extend)({
  computed: {
    bvParent: function bvParent() {
      return this.$parent || this.$root === this &amp;&amp; this.$options.bvParent;
    }
  }
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/array.js":
/*!*******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/array.js ***!
  \*******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   arrayIncludes: () =&gt; (/* binding */ arrayIncludes),
/* harmony export */   concat: () =&gt; (/* binding */ concat),
/* harmony export */   createArray: () =&gt; (/* binding */ createArray),
/* harmony export */   flatten: () =&gt; (/* binding */ flatten),
/* harmony export */   flattenDeep: () =&gt; (/* binding */ flattenDeep),
/* harmony export */   from: () =&gt; (/* binding */ from)
/* harmony export */ });
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
 // --- Static ---

var from = function from() {
  return Array.from.apply(Array, arguments);
}; // --- Instance ---

var arrayIncludes = function arrayIncludes(array, value) {
  return array.indexOf(value) !== -1;
};
var concat = function concat() {
  for (var _len = arguments.length, args = new Array(_len), _key = 0; _key &lt; _len; _key++) {
    args[_key] = arguments[_key];
  }

  return Array.prototype.concat.apply([], args);
}; // --- Utilities ---

var createArray = function createArray(length, fillFn) {
  var mapFn = (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isFunction)(fillFn) ? fillFn : function () {
    return fillFn;
  };
  return Array.apply(null, {
    length: length
  }).map(mapFn);
};
var flatten = function flatten(array) {
  return array.reduce(function (result, item) {
    return concat(result, item);
  }, []);
};
var flattenDeep = function flattenDeep(array) {
  return array.reduce(function (result, item) {
    return concat(result, Array.isArray(item) ? flattenDeep(item) : item);
  }, []);
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/bv-event.class.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/bv-event.class.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   BvEvent: () =&gt; (/* binding */ BvEvent)
/* harmony export */ });
/* harmony import */ var _object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _defineProperties(target, props) { for (var i = 0; i &lt; 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); } }

function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, "prototype", { writable: false }); return Constructor; }


var BvEvent = /*#__PURE__*/function () {
  function BvEvent(type) {
    var eventInit = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

    _classCallCheck(this, BvEvent);

    // Start by emulating native Event constructor
    if (!type) {
      /* istanbul ignore next */
      throw new TypeError("Failed to construct '".concat(this.constructor.name, "'. 1 argument required, ").concat(arguments.length, " given."));
    } // Merge defaults first, the eventInit, and the type last
    // so it can't be overwritten


    (0,_object__WEBPACK_IMPORTED_MODULE_0__.assign)(this, BvEvent.Defaults, this.constructor.Defaults, eventInit, {
      type: type
    }); // Freeze some props as readonly, but leave them enumerable

    (0,_object__WEBPACK_IMPORTED_MODULE_0__.defineProperties)(this, {
      type: (0,_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)(),
      cancelable: (0,_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)(),
      nativeEvent: (0,_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)(),
      target: (0,_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)(),
      relatedTarget: (0,_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)(),
      vueTarget: (0,_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)(),
      componentId: (0,_object__WEBPACK_IMPORTED_MODULE_0__.readonlyDescriptor)()
    }); // Create a private variable using closure scoping

    var defaultPrevented = false; // Recreate preventDefault method. One way setter

    this.preventDefault = function preventDefault() {
      if (this.cancelable) {
        defaultPrevented = true;
      }
    }; // Create `defaultPrevented` publicly accessible prop that
    // can only be altered by the preventDefault method


    (0,_object__WEBPACK_IMPORTED_MODULE_0__.defineProperty)(this, 'defaultPrevented', {
      enumerable: true,
      get: function get() {
        return defaultPrevented;
      }
    });
  }

  _createClass(BvEvent, null, [{
    key: "Defaults",
    get: function get() {
      return {
        type: '',
        cancelable: true,
        nativeEvent: null,
        target: null,
        relatedTarget: null,
        vueTarget: null,
        componentId: null
      };
    }
  }]);

  return BvEvent;
}();

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/cache.js":
/*!*******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/cache.js ***!
  \*******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   makePropCacheMixin: () =&gt; (/* binding */ makePropCacheMixin),
/* harmony export */   makePropWatcher: () =&gt; (/* binding */ makePropWatcher)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _clone_deep__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./clone-deep */ "./node_modules/bootstrap-vue/esm/utils/clone-deep.js");
/* harmony import */ var _loose_equal__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
/* harmony import */ var _object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }






var isEmpty = function isEmpty(value) {
  return !value || (0,_object__WEBPACK_IMPORTED_MODULE_0__.keys)(value).length === 0;
};

var makePropWatcher = function makePropWatcher(propName) {
  return {
    handler: function handler(newValue, oldValue) {
      if ((0,_loose_equal__WEBPACK_IMPORTED_MODULE_1__.looseEqual)(newValue, oldValue)) {
        return;
      }

      if (isEmpty(newValue) || isEmpty(oldValue)) {
        this[propName] = (0,_clone_deep__WEBPACK_IMPORTED_MODULE_2__.cloneDeep)(newValue);
        return;
      }

      for (var key in oldValue) {
        if (!(0,_object__WEBPACK_IMPORTED_MODULE_0__.hasOwnProperty)(newValue, key)) {
          this.$delete(this.$data[propName], key);
        }
      }

      for (var _key in newValue) {
        this.$set(this.$data[propName], _key, newValue[_key]);
      }
    }
  };
};
var makePropCacheMixin = function makePropCacheMixin(propName, proxyPropName) {
  return (0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
    data: function data() {
      return _defineProperty({}, proxyPropName, (0,_clone_deep__WEBPACK_IMPORTED_MODULE_2__.cloneDeep)(this[propName]));
    },
    watch: _defineProperty({}, propName, makePropWatcher(proxyPropName))
  });
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/clone-deep.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/clone-deep.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   cloneDeep: () =&gt; (/* binding */ cloneDeep)
/* harmony export */ });
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _toConsumableArray(arr) { return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _unsupportedIterableToArray(arr) || _nonIterableSpread(); }

function _nonIterableSpread() { throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _iterableToArray(iter) { if (typeof Symbol !== "undefined" &amp;&amp; iter[Symbol.iterator] != null || iter["@@iterator"] != null) return Array.from(iter); }

function _arrayWithoutHoles(arr) { if (Array.isArray(arr)) return _arrayLikeToArray(arr); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }



var cloneDeep = function cloneDeep(obj) {
  var defaultValue = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : obj;

  if ((0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isArray)(obj)) {
    return obj.reduce(function (result, val) {
      return [].concat(_toConsumableArray(result), [cloneDeep(val, val)]);
    }, []);
  }

  if ((0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isPlainObject)(obj)) {
    return (0,_object__WEBPACK_IMPORTED_MODULE_1__.keys)(obj).reduce(function (result, key) {
      return _objectSpread(_objectSpread({}, result), {}, _defineProperty({}, key, cloneDeep(obj[key], obj[key])));
    }, {});
  }

  return defaultValue;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/config-set.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/config-set.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   resetConfig: () =&gt; (/* binding */ resetConfig),
/* harmony export */   setConfig: () =&gt; (/* binding */ setConfig)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../vue */ "./node_modules/vue/dist/vue.esm.js");
/* harmony import */ var _constants_config__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../constants/config */ "./node_modules/bootstrap-vue/esm/constants/config.js");
/* harmony import */ var _clone_deep__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./clone-deep */ "./node_modules/bootstrap-vue/esm/utils/clone-deep.js");
/* harmony import */ var _get__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./get */ "./node_modules/bootstrap-vue/esm/utils/get.js");
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _warn__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _defineProperties(target, props) { for (var i = 0; i &lt; 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); } }

function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, "prototype", { writable: false }); return Constructor; }







 // Config manager class

var BvConfig = /*#__PURE__*/function () {
  function BvConfig() {
    _classCallCheck(this, BvConfig);

    this.$_config = {};
  } // Method to merge in user config parameters


  _createClass(BvConfig, [{
    key: "setConfig",
    value: function setConfig() {
      var _this = this;

      var config = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {};

      /* istanbul ignore next */
      if (!(0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isPlainObject)(config)) {
        return;
      }

      var configKeys = (0,_object__WEBPACK_IMPORTED_MODULE_1__.getOwnPropertyNames)(config);
      configKeys.forEach(function (key) {
        /* istanbul ignore next */
        var subConfig = config[key];

        if (key === 'breakpoints') {
          /* istanbul ignore if */
          if (!(0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isArray)(subConfig) || subConfig.length &lt; 2 || subConfig.some(function (b) {
            return !(0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isString)(b) || b.length === 0;
          })) {
            (0,_warn__WEBPACK_IMPORTED_MODULE_2__.warn)('"breakpoints" must be an array of at least 2 breakpoint names', _constants_config__WEBPACK_IMPORTED_MODULE_3__.NAME);
          } else {
            _this.$_config[key] = (0,_clone_deep__WEBPACK_IMPORTED_MODULE_4__.cloneDeep)(subConfig);
          }
        } else if ((0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isPlainObject)(subConfig)) {
          // Component prop defaults
          _this.$_config[key] = (0,_object__WEBPACK_IMPORTED_MODULE_1__.getOwnPropertyNames)(subConfig).reduce(function (config, prop) {
            if (!(0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isUndefined)(subConfig[prop])) {
              config[prop] = (0,_clone_deep__WEBPACK_IMPORTED_MODULE_4__.cloneDeep)(subConfig[prop]);
            }

            return config;
          }, _this.$_config[key] || {});
        }
      });
    } // Clear the config

  }, {
    key: "resetConfig",
    value: function resetConfig() {
      this.$_config = {};
    } // Returns a deep copy of the user config

  }, {
    key: "getConfig",
    value: function getConfig() {
      return (0,_clone_deep__WEBPACK_IMPORTED_MODULE_4__.cloneDeep)(this.$_config);
    } // Returns a deep copy of the config value

  }, {
    key: "getConfigValue",
    value: function getConfigValue(key) {
      var defaultValue = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : undefined;
      return (0,_clone_deep__WEBPACK_IMPORTED_MODULE_4__.cloneDeep)((0,_get__WEBPACK_IMPORTED_MODULE_5__.getRaw)(this.$_config, key, defaultValue));
    }
  }]);

  return BvConfig;
}(); // Method for applying a global config


var setConfig = function setConfig() {
  var config = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {};
  var Vue = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : _vue__WEBPACK_IMPORTED_MODULE_6__["default"];
  // Ensure we have a `$bvConfig` Object on the Vue prototype
  // We set on Vue and OurVue just in case consumer has not set an alias of `vue`
  Vue.prototype[_constants_config__WEBPACK_IMPORTED_MODULE_3__.PROP_NAME] = _vue__WEBPACK_IMPORTED_MODULE_6__["default"].prototype[_constants_config__WEBPACK_IMPORTED_MODULE_3__.PROP_NAME] = Vue.prototype[_constants_config__WEBPACK_IMPORTED_MODULE_3__.PROP_NAME] || _vue__WEBPACK_IMPORTED_MODULE_6__["default"].prototype[_constants_config__WEBPACK_IMPORTED_MODULE_3__.PROP_NAME] || new BvConfig(); // Apply the config values

  Vue.prototype[_constants_config__WEBPACK_IMPORTED_MODULE_3__.PROP_NAME].setConfig(config);
}; // Method for resetting the user config
// Exported for testing purposes only

var resetConfig = function resetConfig() {
  if (_vue__WEBPACK_IMPORTED_MODULE_6__["default"].prototype[_constants_config__WEBPACK_IMPORTED_MODULE_3__.PROP_NAME] &amp;&amp; _vue__WEBPACK_IMPORTED_MODULE_6__["default"].prototype[_constants_config__WEBPACK_IMPORTED_MODULE_3__.PROP_NAME].resetConfig) {
    _vue__WEBPACK_IMPORTED_MODULE_6__["default"].prototype[_constants_config__WEBPACK_IMPORTED_MODULE_3__.PROP_NAME].resetConfig();
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/config.js":
/*!********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/config.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   getBreakpoints: () =&gt; (/* binding */ getBreakpoints),
/* harmony export */   getBreakpointsCached: () =&gt; (/* binding */ getBreakpointsCached),
/* harmony export */   getBreakpointsDown: () =&gt; (/* binding */ getBreakpointsDown),
/* harmony export */   getBreakpointsDownCached: () =&gt; (/* binding */ getBreakpointsDownCached),
/* harmony export */   getBreakpointsUp: () =&gt; (/* binding */ getBreakpointsUp),
/* harmony export */   getBreakpointsUpCached: () =&gt; (/* binding */ getBreakpointsUpCached),
/* harmony export */   getComponentConfig: () =&gt; (/* binding */ getComponentConfig),
/* harmony export */   getConfig: () =&gt; (/* binding */ getConfig),
/* harmony export */   getConfigValue: () =&gt; (/* binding */ getConfigValue)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/vue/dist/vue.esm.js");
/* harmony import */ var _constants_config__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/config */ "./node_modules/bootstrap-vue/esm/constants/config.js");
/* harmony import */ var _clone_deep__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./clone-deep */ "./node_modules/bootstrap-vue/esm/utils/clone-deep.js");
/* harmony import */ var _memoize__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./memoize */ "./node_modules/bootstrap-vue/esm/utils/memoize.js");



 // --- Constants ---

var VueProto = _vue__WEBPACK_IMPORTED_MODULE_0__["default"].prototype; // --- Getter methods ---
// All methods return a deep clone (immutable) copy of the config value,
// to prevent mutation of the user config object
// Get the current config

var getConfig = function getConfig() {
  var bvConfig = VueProto[_constants_config__WEBPACK_IMPORTED_MODULE_1__.PROP_NAME];
  return bvConfig ? bvConfig.getConfig() : {};
}; // Method to grab a config value based on a dotted/array notation key

var getConfigValue = function getConfigValue(key) {
  var defaultValue = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : undefined;
  var bvConfig = VueProto[_constants_config__WEBPACK_IMPORTED_MODULE_1__.PROP_NAME];
  return bvConfig ? bvConfig.getConfigValue(key, defaultValue) : (0,_clone_deep__WEBPACK_IMPORTED_MODULE_2__.cloneDeep)(defaultValue);
}; // Method to grab a config value for a particular component

var getComponentConfig = function getComponentConfig(key) {
  var propKey = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : null;
  var defaultValue = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : undefined;
  // Return the particular config value for key if specified,
  // otherwise we return the full config (or an empty object if not found)
  return propKey ? getConfigValue("".concat(key, ".").concat(propKey), defaultValue) : getConfigValue(key, {});
}; // Get all breakpoint names

var getBreakpoints = function getBreakpoints() {
  return getConfigValue('breakpoints', _constants_config__WEBPACK_IMPORTED_MODULE_1__.DEFAULT_BREAKPOINT);
}; // Private method for caching breakpoint names

var _getBreakpointsCached = (0,_memoize__WEBPACK_IMPORTED_MODULE_3__.memoize)(function () {
  return getBreakpoints();
}); // Get all breakpoint names (cached)


var getBreakpointsCached = function getBreakpointsCached() {
  return (0,_clone_deep__WEBPACK_IMPORTED_MODULE_2__.cloneDeep)(_getBreakpointsCached());
}; // Get breakpoints with the smallest breakpoint set as ''
// Useful for components that create breakpoint specific props

var getBreakpointsUp = function getBreakpointsUp() {
  var breakpoints = getBreakpoints();
  breakpoints[0] = '';
  return breakpoints;
}; // Get breakpoints with the smallest breakpoint set as '' (cached)
// Useful for components that create breakpoint specific props

var getBreakpointsUpCached = (0,_memoize__WEBPACK_IMPORTED_MODULE_3__.memoize)(function () {
  var breakpoints = getBreakpointsCached();
  breakpoints[0] = '';
  return breakpoints;
}); // Get breakpoints with the largest breakpoint set as ''

var getBreakpointsDown = function getBreakpointsDown() {
  var breakpoints = getBreakpoints();
  breakpoints[breakpoints.length - 1] = '';
  return breakpoints;
}; // Get breakpoints with the largest breakpoint set as '' (cached)
// Useful for components that create breakpoint specific props

/* istanbul ignore next: we don't use this method anywhere, yet */

var getBreakpointsDownCached = function getBreakpointsDownCached() {
  var breakpoints = getBreakpointsCached();
  breakpoints[breakpoints.length - 1] = '';
  return breakpoints;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/create-new-child-component.js":
/*!****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/create-new-child-component.js ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   createNewChildComponent: () =&gt; (/* binding */ createNewChildComponent)
/* harmony export */ });
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

var createNewChildComponent = function createNewChildComponent(parent, Component) {
  var config = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : {};
  var bvEventRoot = parent.$root ? parent.$root.$options.bvEventRoot || parent.$root : null;
  return new Component(_objectSpread(_objectSpread({}, config), {}, {
    parent: parent,
    bvParent: parent,
    bvEventRoot: bvEventRoot
  }));
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/css-escape.js":
/*!************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/css-escape.js ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   cssEscape: () =&gt; (/* binding */ cssEscape)
/* harmony export */ });
/* harmony import */ var _string__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./string */ "./node_modules/bootstrap-vue/esm/utils/string.js");


var escapeChar = function escapeChar(value) {
  return '\\' + value;
}; // The `cssEscape()` util is based on this `CSS.escape()` polyfill:
// https://github.com/mathiasbynens/CSS.escape


var cssEscape = function cssEscape(value) {
  value = (0,_string__WEBPACK_IMPORTED_MODULE_0__.toString)(value);
  var length = value.length;
  var firstCharCode = value.charCodeAt(0);
  return value.split('').reduce(function (result, char, index) {
    var charCode = value.charCodeAt(index); // If the character is NULL (U+0000), use (U+FFFD) as replacement

    if (charCode === 0x0000) {
      return result + "\uFFFD";
    } // If the character ...


    if ( // ... is U+007F OR
    charCode === 0x007f || // ... is in the range [\1-\1F] (U+0001 to U+001F) OR ...
    charCode &gt;= 0x0001 &amp;&amp; charCode &lt;= 0x001f || // ... is the first character and is in the range [0-9] (U+0030 to U+0039) OR ...
    index === 0 &amp;&amp; charCode &gt;= 0x0030 &amp;&amp; charCode &lt;= 0x0039 || // ... is the second character and is in the range [0-9] (U+0030 to U+0039)
    // and the first character is a `-` (U+002D) ...
    index === 1 &amp;&amp; charCode &gt;= 0x0030 &amp;&amp; charCode &lt;= 0x0039 &amp;&amp; firstCharCode === 0x002d) {
      // ... https://drafts.csswg.org/cssom/#escape-a-character-as-code-point
      return result + escapeChar("".concat(charCode.toString(16), " "));
    } // If the character ...


    if ( // ... is the first character AND ...
    index === 0 &amp;&amp; // ... is a `-` (U+002D) AND ...
    charCode === 0x002d &amp;&amp; // ... there is no second character ...
    length === 1) {
      // ... use the escaped character
      return result + escapeChar(char);
    } // If the character ...


    if ( // ... is greater than or equal to U+0080 OR ...
    charCode &gt;= 0x0080 || // ... is `-` (U+002D) OR ...
    charCode === 0x002d || // ... is `_` (U+005F) OR ...
    charCode === 0x005f || // ... is in the range [0-9] (U+0030 to U+0039) OR ...
    charCode &gt;= 0x0030 &amp;&amp; charCode &lt;= 0x0039 || // ... is in the range [A-Z] (U+0041 to U+005A) OR ...
    charCode &gt;= 0x0041 &amp;&amp; charCode &lt;= 0x005a || // ... is in the range [a-z] (U+0061 to U+007A) ...
    charCode &gt;= 0x0061 &amp;&amp; charCode &lt;= 0x007a) {
      // ... use the character itself
      return result + char;
    } // Otherwise use the escaped character
    // See: https://drafts.csswg.org/cssom/#escape-a-character


    return result + escapeChar(char);
  }, '');
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/date.js":
/*!******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/date.js ***!
  \******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   addYears: () =&gt; (/* binding */ addYears),
/* harmony export */   constrainDate: () =&gt; (/* binding */ constrainDate),
/* harmony export */   createDate: () =&gt; (/* binding */ createDate),
/* harmony export */   createDateFormatter: () =&gt; (/* binding */ createDateFormatter),
/* harmony export */   datesEqual: () =&gt; (/* binding */ datesEqual),
/* harmony export */   firstDateOfMonth: () =&gt; (/* binding */ firstDateOfMonth),
/* harmony export */   formatYMD: () =&gt; (/* binding */ formatYMD),
/* harmony export */   lastDateOfMonth: () =&gt; (/* binding */ lastDateOfMonth),
/* harmony export */   oneDecadeAgo: () =&gt; (/* binding */ oneDecadeAgo),
/* harmony export */   oneDecadeAhead: () =&gt; (/* binding */ oneDecadeAhead),
/* harmony export */   oneMonthAgo: () =&gt; (/* binding */ oneMonthAgo),
/* harmony export */   oneMonthAhead: () =&gt; (/* binding */ oneMonthAhead),
/* harmony export */   oneYearAgo: () =&gt; (/* binding */ oneYearAgo),
/* harmony export */   oneYearAhead: () =&gt; (/* binding */ oneYearAhead),
/* harmony export */   parseYMD: () =&gt; (/* binding */ parseYMD),
/* harmony export */   resolveLocale: () =&gt; (/* binding */ resolveLocale)
/* harmony export */ });
/* harmony import */ var _constants_date__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../constants/date */ "./node_modules/bootstrap-vue/esm/constants/date.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _array__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _identity__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _number__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
function _slicedToArray(arr, i) { return _arrayWithHoles(arr) || _iterableToArrayLimit(arr, i) || _unsupportedIterableToArray(arr, i) || _nonIterableRest(); }

function _nonIterableRest() { throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method."); }

function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === "string") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === "Object" &amp;&amp; o.constructor) n = o.constructor.name; if (n === "Map" || n === "Set") return Array.from(o); if (n === "Arguments" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }

function _arrayLikeToArray(arr, len) { if (len == null || len &gt; arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i &lt; len; i++) { arr2[i] = arr[i]; } return arr2; }

function _iterableToArrayLimit(arr, i) { var _i = arr == null ? null : typeof Symbol !== "undefined" &amp;&amp; arr[Symbol.iterator] || arr["@@iterator"]; if (_i == null) return; var _arr = []; var _n = true; var _d = false; var _s, _e; try { for (_i = _i.call(arr); !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"] != null) _i["return"](); } finally { if (_d) throw _e; } } return _arr; }

function _arrayWithHoles(arr) { if (Array.isArray(arr)) return arr; }

function _construct(Parent, args, Class) { if (_isNativeReflectConstruct()) { _construct = Reflect.construct; } else { _construct = function _construct(Parent, args, Class) { var a = [null]; a.push.apply(a, args); var Constructor = Function.bind.apply(Parent, a); var instance = new Constructor(); if (Class) _setPrototypeOf(instance, Class.prototype); return instance; }; } return _construct.apply(null, arguments); }

function _isNativeReflectConstruct() { if (typeof Reflect === "undefined" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === "function") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }

function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }

// Date utility functions





 // --- Date utility methods ---
// Create or clone a date (`new Date(...)` shortcut)

var createDate = function createDate() {
  for (var _len = arguments.length, args = new Array(_len), _key = 0; _key &lt; _len; _key++) {
    args[_key] = arguments[_key];
  }

  return _construct(Date, args);
}; // Parse a date sting, or Date object, into a Date object (with no time information)

var parseYMD = function parseYMD(date) {
  if ((0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isString)(date) &amp;&amp; _constants_regex__WEBPACK_IMPORTED_MODULE_1__.RX_DATE.test(date.trim())) {
    var _date$split$map = date.split(_constants_regex__WEBPACK_IMPORTED_MODULE_1__.RX_DATE_SPLIT).map(function (v) {
      return (0,_number__WEBPACK_IMPORTED_MODULE_2__.toInteger)(v, 1);
    }),
        _date$split$map2 = _slicedToArray(_date$split$map, 3),
        year = _date$split$map2[0],
        month = _date$split$map2[1],
        day = _date$split$map2[2];

    return createDate(year, month - 1, day);
  } else if ((0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isDate)(date)) {
    return createDate(date.getFullYear(), date.getMonth(), date.getDate());
  }

  return null;
}; // Format a date object as `YYYY-MM-DD` format

var formatYMD = function formatYMD(date) {
  date = parseYMD(date);

  if (!date) {
    return null;
  }

  var year = date.getFullYear();
  var month = "0".concat(date.getMonth() + 1).slice(-2);
  var day = "0".concat(date.getDate()).slice(-2);
  return "".concat(year, "-").concat(month, "-").concat(day);
}; // Given a locale (or locales), resolve the browser available locale

var resolveLocale = function resolveLocale(locales)
/* istanbul ignore next */
{
  var calendar = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : _constants_date__WEBPACK_IMPORTED_MODULE_3__.CALENDAR_GREGORY;
  locales = (0,_array__WEBPACK_IMPORTED_MODULE_4__.concat)(locales).filter(_identity__WEBPACK_IMPORTED_MODULE_5__.identity);
  var fmt = new Intl.DateTimeFormat(locales, {
    calendar: calendar
  });
  return fmt.resolvedOptions().locale;
}; // Create a `Intl.DateTimeFormat` formatter function

var createDateFormatter = function createDateFormatter(locale, options)
/* istanbul ignore next */
{
  var dtf = new Intl.DateTimeFormat(locale, options);
  return dtf.format;
}; // Determine if two dates are the same date (ignoring time portion)

var datesEqual = function datesEqual(date1, date2) {
  // Returns true of the date portion of two date objects are equal
  // We don't compare the time portion
  return formatYMD(date1) === formatYMD(date2);
}; // --- Date "math" utility methods (for BCalendar component mainly) ---

var firstDateOfMonth = function firstDateOfMonth(date) {
  date = createDate(date);
  date.setDate(1);
  return date;
};
var lastDateOfMonth = function lastDateOfMonth(date) {
  date = createDate(date);
  date.setMonth(date.getMonth() + 1);
  date.setDate(0);
  return date;
};
var addYears = function addYears(date, numberOfYears) {
  date = createDate(date);
  var month = date.getMonth();
  date.setFullYear(date.getFullYear() + numberOfYears); // Handle Feb 29th for leap years

  if (date.getMonth() !== month) {
    date.setDate(0);
  }

  return date;
};
var oneMonthAgo = function oneMonthAgo(date) {
  date = createDate(date);
  var month = date.getMonth();
  date.setMonth(month - 1); // Handle when days in month are different

  if (date.getMonth() === month) {
    date.setDate(0);
  }

  return date;
};
var oneMonthAhead = function oneMonthAhead(date) {
  date = createDate(date);
  var month = date.getMonth();
  date.setMonth(month + 1); // Handle when days in month are different

  if (date.getMonth() === (month + 2) % 12) {
    date.setDate(0);
  }

  return date;
};
var oneYearAgo = function oneYearAgo(date) {
  return addYears(date, -1);
};
var oneYearAhead = function oneYearAhead(date) {
  return addYears(date, 1);
};
var oneDecadeAgo = function oneDecadeAgo(date) {
  return addYears(date, -10);
};
var oneDecadeAhead = function oneDecadeAhead(date) {
  return addYears(date, 10);
}; // Helper function to constrain a date between two values
// Always returns a `Date` object or `null` if no date passed

var constrainDate = function constrainDate(date) {
  var min = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : null;
  var max = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : null;
  // Ensure values are `Date` objects (or `null`)
  date = parseYMD(date);
  min = parseYMD(min) || date;
  max = parseYMD(max) || date; // Return a new `Date` object (or `null`)

  return date ? date &lt; min ? min : date &gt; max ? max : date : null;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/dom.js":
/*!*****************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/dom.js ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   MutationObs: () =&gt; (/* binding */ MutationObs),
/* harmony export */   addClass: () =&gt; (/* binding */ addClass),
/* harmony export */   attemptBlur: () =&gt; (/* binding */ attemptBlur),
/* harmony export */   attemptFocus: () =&gt; (/* binding */ attemptFocus),
/* harmony export */   closest: () =&gt; (/* binding */ closest),
/* harmony export */   closestEl: () =&gt; (/* binding */ closestEl),
/* harmony export */   contains: () =&gt; (/* binding */ contains),
/* harmony export */   getActiveElement: () =&gt; (/* binding */ getActiveElement),
/* harmony export */   getAttr: () =&gt; (/* binding */ getAttr),
/* harmony export */   getBCR: () =&gt; (/* binding */ getBCR),
/* harmony export */   getById: () =&gt; (/* binding */ getById),
/* harmony export */   getCS: () =&gt; (/* binding */ getCS),
/* harmony export */   getSel: () =&gt; (/* binding */ getSel),
/* harmony export */   getStyle: () =&gt; (/* binding */ getStyle),
/* harmony export */   getTabables: () =&gt; (/* binding */ getTabables),
/* harmony export */   hasAttr: () =&gt; (/* binding */ hasAttr),
/* harmony export */   hasClass: () =&gt; (/* binding */ hasClass),
/* harmony export */   isActiveElement: () =&gt; (/* binding */ isActiveElement),
/* harmony export */   isDisabled: () =&gt; (/* binding */ isDisabled),
/* harmony export */   isElement: () =&gt; (/* binding */ isElement),
/* harmony export */   isTag: () =&gt; (/* binding */ isTag),
/* harmony export */   isVisible: () =&gt; (/* binding */ isVisible),
/* harmony export */   matches: () =&gt; (/* binding */ matches),
/* harmony export */   matchesEl: () =&gt; (/* binding */ matchesEl),
/* harmony export */   offset: () =&gt; (/* binding */ offset),
/* harmony export */   position: () =&gt; (/* binding */ position),
/* harmony export */   reflow: () =&gt; (/* binding */ reflow),
/* harmony export */   removeAttr: () =&gt; (/* binding */ removeAttr),
/* harmony export */   removeClass: () =&gt; (/* binding */ removeClass),
/* harmony export */   removeNode: () =&gt; (/* binding */ removeNode),
/* harmony export */   removeStyle: () =&gt; (/* binding */ removeStyle),
/* harmony export */   requestAF: () =&gt; (/* binding */ requestAF),
/* harmony export */   select: () =&gt; (/* binding */ select),
/* harmony export */   selectAll: () =&gt; (/* binding */ selectAll),
/* harmony export */   setAttr: () =&gt; (/* binding */ setAttr),
/* harmony export */   setStyle: () =&gt; (/* binding */ setStyle)
/* harmony export */ });
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_safe_types__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../constants/safe-types */ "./node_modules/bootstrap-vue/esm/constants/safe-types.js");
/* harmony import */ var _array__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _number__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./number */ "./node_modules/bootstrap-vue/esm/utils/number.js");
/* harmony import */ var _string__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./string */ "./node_modules/bootstrap-vue/esm/utils/string.js");





 // --- Constants ---

var ELEMENT_PROTO = _constants_safe_types__WEBPACK_IMPORTED_MODULE_0__.Element.prototype;
var TABABLE_SELECTOR = ['button', '[href]:not(.disabled)', 'input', 'select', 'textarea', '[tabindex]', '[contenteditable]'].map(function (s) {
  return "".concat(s, ":not(:disabled):not([disabled])");
}).join(', '); // --- Normalization utils ---
// See: https://developer.mozilla.org/en-US/docs/Web/API/Element/matches#Polyfill

/* istanbul ignore next */

var matchesEl = ELEMENT_PROTO.matches || ELEMENT_PROTO.msMatchesSelector || ELEMENT_PROTO.webkitMatchesSelector; // See: https://developer.mozilla.org/en-US/docs/Web/API/Element/closest

/* istanbul ignore next */

var closestEl = ELEMENT_PROTO.closest || function (sel) {
  var el = this;

  do {
    // Use our "patched" matches function
    if (matches(el, sel)) {
      return el;
    }

    el = el.parentElement || el.parentNode;
  } while (!(0,_inspect__WEBPACK_IMPORTED_MODULE_1__.isNull)(el) &amp;&amp; el.nodeType === Node.ELEMENT_NODE);

  return null;
}; // `requestAnimationFrame()` convenience method

/* istanbul ignore next: JSDOM always returns the first option */

var requestAF = (_constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.requestAnimationFrame || _constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.webkitRequestAnimationFrame || _constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.mozRequestAnimationFrame || _constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.msRequestAnimationFrame || _constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.oRequestAnimationFrame || // Fallback, but not a true polyfill
// Only needed for Opera Mini

/* istanbul ignore next */
function (cb) {
  return setTimeout(cb, 16);
}).bind(_constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW);
var MutationObs = _constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.MutationObserver || _constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.WebKitMutationObserver || _constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.MozMutationObserver || null; // --- Utils ---
// Remove a node from DOM

var removeNode = function removeNode(el) {
  return el &amp;&amp; el.parentNode &amp;&amp; el.parentNode.removeChild(el);
}; // Determine if an element is an HTML element

var isElement = function isElement(el) {
  return !!(el &amp;&amp; el.nodeType === Node.ELEMENT_NODE);
}; // Get the currently active HTML element

var getActiveElement = function getActiveElement() {
  var excludes = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : [];
  var activeElement = _constants_env__WEBPACK_IMPORTED_MODULE_2__.DOCUMENT.activeElement;
  return activeElement &amp;&amp; !excludes.some(function (el) {
    return el === activeElement;
  }) ? activeElement : null;
}; // Returns `true` if a tag's name equals `name`

var isTag = function isTag(tag, name) {
  return (0,_string__WEBPACK_IMPORTED_MODULE_3__.toString)(tag).toLowerCase() === (0,_string__WEBPACK_IMPORTED_MODULE_3__.toString)(name).toLowerCase();
}; // Determine if an HTML element is the currently active element

var isActiveElement = function isActiveElement(el) {
  return isElement(el) &amp;&amp; el === getActiveElement();
}; // Determine if an HTML element is visible - Faster than CSS check

var isVisible = function isVisible(el) {
  if (!isElement(el) || !el.parentNode || !contains(_constants_env__WEBPACK_IMPORTED_MODULE_2__.DOCUMENT.body, el)) {
    // Note this can fail for shadow dom elements since they
    // are not a direct descendant of document.body
    return false;
  }

  if (getStyle(el, 'display') === 'none') {
    // We do this check to help with vue-test-utils when using v-show

    /* istanbul ignore next */
    return false;
  } // All browsers support getBoundingClientRect(), except JSDOM as it returns all 0's for values :(
  // So any tests that need isVisible will fail in JSDOM
  // Except when we override the getBCR prototype in some tests


  var bcr = getBCR(el);
  return !!(bcr &amp;&amp; bcr.height &gt; 0 &amp;&amp; bcr.width &gt; 0);
}; // Determine if an element is disabled

var isDisabled = function isDisabled(el) {
  return !isElement(el) || el.disabled || hasAttr(el, 'disabled') || hasClass(el, 'disabled');
}; // Cause/wait-for an element to reflow its content (adjusting its height/width)

var reflow = function reflow(el) {
  // Requesting an elements offsetHight will trigger a reflow of the element content

  /* istanbul ignore next: reflow doesn't happen in JSDOM */
  return isElement(el) &amp;&amp; el.offsetHeight;
}; // Select all elements matching selector. Returns `[]` if none found

var selectAll = function selectAll(selector, root) {
  return (0,_array__WEBPACK_IMPORTED_MODULE_4__.from)((isElement(root) ? root : _constants_env__WEBPACK_IMPORTED_MODULE_2__.DOCUMENT).querySelectorAll(selector));
}; // Select a single element, returns `null` if not found

var select = function select(selector, root) {
  return (isElement(root) ? root : _constants_env__WEBPACK_IMPORTED_MODULE_2__.DOCUMENT).querySelector(selector) || null;
}; // Determine if an element matches a selector

var matches = function matches(el, selector) {
  return isElement(el) ? matchesEl.call(el, selector) : false;
}; // Finds closest element matching selector. Returns `null` if not found

var closest = function closest(selector, root) {
  var includeRoot = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : false;

  if (!isElement(root)) {
    return null;
  }

  var el = closestEl.call(root, selector); // Native closest behaviour when `includeRoot` is truthy,
  // else emulate jQuery closest and return `null` if match is
  // the passed in root element when `includeRoot` is falsey

  return includeRoot ? el : el === root ? null : el;
}; // Returns true if the parent element contains the child element

var contains = function contains(parent, child) {
  return parent &amp;&amp; (0,_inspect__WEBPACK_IMPORTED_MODULE_1__.isFunction)(parent.contains) ? parent.contains(child) : false;
}; // Get an element given an ID

var getById = function getById(id) {
  return _constants_env__WEBPACK_IMPORTED_MODULE_2__.DOCUMENT.getElementById(/^#/.test(id) ? id.slice(1) : id) || null;
}; // Add a class to an element

var addClass = function addClass(el, className) {
  // We are checking for `el.classList` existence here since IE 11
  // returns `undefined` for some elements (e.g. SVG elements)
  // See https://github.com/bootstrap-vue/bootstrap-vue/issues/2713
  if (className &amp;&amp; isElement(el) &amp;&amp; el.classList) {
    el.classList.add(className);
  }
}; // Remove a class from an element

var removeClass = function removeClass(el, className) {
  // We are checking for `el.classList` existence here since IE 11
  // returns `undefined` for some elements (e.g. SVG elements)
  // See https://github.com/bootstrap-vue/bootstrap-vue/issues/2713
  if (className &amp;&amp; isElement(el) &amp;&amp; el.classList) {
    el.classList.remove(className);
  }
}; // Test if an element has a class

var hasClass = function hasClass(el, className) {
  // We are checking for `el.classList` existence here since IE 11
  // returns `undefined` for some elements (e.g. SVG elements)
  // See https://github.com/bootstrap-vue/bootstrap-vue/issues/2713
  if (className &amp;&amp; isElement(el) &amp;&amp; el.classList) {
    return el.classList.contains(className);
  }

  return false;
}; // Set an attribute on an element

var setAttr = function setAttr(el, attr, value) {
  if (attr &amp;&amp; isElement(el)) {
    el.setAttribute(attr, value);
  }
}; // Remove an attribute from an element

var removeAttr = function removeAttr(el, attr) {
  if (attr &amp;&amp; isElement(el)) {
    el.removeAttribute(attr);
  }
}; // Get an attribute value from an element
// Returns `null` if not found

var getAttr = function getAttr(el, attr) {
  return attr &amp;&amp; isElement(el) ? el.getAttribute(attr) : null;
}; // Determine if an attribute exists on an element
// Returns `true` or `false`, or `null` if element not found

var hasAttr = function hasAttr(el, attr) {
  return attr &amp;&amp; isElement(el) ? el.hasAttribute(attr) : null;
}; // Set an style property on an element

var setStyle = function setStyle(el, prop, value) {
  if (prop &amp;&amp; isElement(el)) {
    el.style[prop] = value;
  }
}; // Remove an style property from an element

var removeStyle = function removeStyle(el, prop) {
  if (prop &amp;&amp; isElement(el)) {
    el.style[prop] = '';
  }
}; // Get an style property value from an element
// Returns `null` if not found

var getStyle = function getStyle(el, prop) {
  return prop &amp;&amp; isElement(el) ? el.style[prop] || null : null;
}; // Return the Bounding Client Rect of an element
// Returns `null` if not an element

/* istanbul ignore next: getBoundingClientRect() doesn't work in JSDOM */

var getBCR = function getBCR(el) {
  return isElement(el) ? el.getBoundingClientRect() : null;
}; // Get computed style object for an element

/* istanbul ignore next: getComputedStyle() doesn't work in JSDOM */

var getCS = function getCS(el) {
  var getComputedStyle = _constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.getComputedStyle;
  return getComputedStyle &amp;&amp; isElement(el) ? getComputedStyle(el) : {};
}; // Returns a `Selection` object representing the range of text selected
// Returns `null` if no window support is given

/* istanbul ignore next: getSelection() doesn't work in JSDOM */

var getSel = function getSel() {
  var getSelection = _constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.getSelection;
  return getSelection ? _constants_env__WEBPACK_IMPORTED_MODULE_2__.WINDOW.getSelection() : null;
}; // Return an element's offset with respect to document element
// https://j11y.io/jquery/#v=git&amp;fn=jQuery.fn.offset

var offset = function offset(el)
/* istanbul ignore next: getBoundingClientRect(), getClientRects() doesn't work in JSDOM */
{
  var _offset = {
    top: 0,
    left: 0
  };

  if (!isElement(el) || el.getClientRects().length === 0) {
    return _offset;
  }

  var bcr = getBCR(el);

  if (bcr) {
    var win = el.ownerDocument.defaultView;
    _offset.top = bcr.top + win.pageYOffset;
    _offset.left = bcr.left + win.pageXOffset;
  }

  return _offset;
}; // Return an element's offset with respect to to its offsetParent
// https://j11y.io/jquery/#v=git&amp;fn=jQuery.fn.position

var position = function position(el)
/* istanbul ignore next: getBoundingClientRect() doesn't work in JSDOM */
{
  var _offset = {
    top: 0,
    left: 0
  };

  if (!isElement(el)) {
    return _offset;
  }

  var parentOffset = {
    top: 0,
    left: 0
  };
  var elStyles = getCS(el);

  if (elStyles.position === 'fixed') {
    _offset = getBCR(el) || _offset;
  } else {
    _offset = offset(el);
    var doc = el.ownerDocument;
    var offsetParent = el.offsetParent || doc.documentElement;

    while (offsetParent &amp;&amp; (offsetParent === doc.body || offsetParent === doc.documentElement) &amp;&amp; getCS(offsetParent).position === 'static') {
      offsetParent = offsetParent.parentNode;
    }

    if (offsetParent &amp;&amp; offsetParent !== el &amp;&amp; offsetParent.nodeType === Node.ELEMENT_NODE) {
      parentOffset = offset(offsetParent);
      var offsetParentStyles = getCS(offsetParent);
      parentOffset.top += (0,_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(offsetParentStyles.borderTopWidth, 0);
      parentOffset.left += (0,_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(offsetParentStyles.borderLeftWidth, 0);
    }
  }

  return {
    top: _offset.top - parentOffset.top - (0,_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(elStyles.marginTop, 0),
    left: _offset.left - parentOffset.left - (0,_number__WEBPACK_IMPORTED_MODULE_5__.toFloat)(elStyles.marginLeft, 0)
  };
}; // Find all tabable elements in the given element
// Assumes users have not used `tabindex` &gt; `0` on elements

var getTabables = function getTabables() {
  var rootEl = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : document;
  return selectAll(TABABLE_SELECTOR, rootEl).filter(isVisible).filter(function (el) {
    return el.tabIndex &gt; -1 &amp;&amp; !el.disabled;
  });
}; // Attempt to focus an element, and return `true` if successful

var attemptFocus = function attemptFocus(el) {
  var options = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

  try {
    el.focus(options);
  } catch (_unused) {}

  return isActiveElement(el);
}; // Attempt to blur an element, and return `true` if successful

var attemptBlur = function attemptBlur(el) {
  try {
    el.blur();
  } catch (_unused2) {}

  return !isActiveElement(el);
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/element-to-vue-instance-registry.js":
/*!**********************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/element-to-vue-instance-registry.js ***!
  \**********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   getInstanceFromElement: () =&gt; (/* binding */ getInstanceFromElement),
/* harmony export */   registerElementToInstance: () =&gt; (/* binding */ registerElementToInstance),
/* harmony export */   removeElementToInstance: () =&gt; (/* binding */ removeElementToInstance)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");

var registry = null;

if (_vue__WEBPACK_IMPORTED_MODULE_0__.isVue3) {
  registry = new WeakMap();
}

var registerElementToInstance = function registerElementToInstance(element, instance) {
  if (!_vue__WEBPACK_IMPORTED_MODULE_0__.isVue3) {
    return;
  }

  registry.set(element, instance);
};
var removeElementToInstance = function removeElementToInstance(element) {
  if (!_vue__WEBPACK_IMPORTED_MODULE_0__.isVue3) {
    return;
  }

  registry.delete(element);
};
var getInstanceFromElement = function getInstanceFromElement(element) {
  if (!_vue__WEBPACK_IMPORTED_MODULE_0__.isVue3) {
    return element.__vue__;
  }

  var currentElement = element;

  while (currentElement) {
    if (registry.has(currentElement)) {
      /* istanbul ignore next */
      return registry.get(currentElement);
    }

    currentElement = currentElement.parentNode;
  }

  return null;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/env.js":
/*!*****************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/env.js ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   getEnv: () =&gt; (/* binding */ getEnv),
/* harmony export */   getNoWarn: () =&gt; (/* binding */ getNoWarn)
/* harmony export */ });
/* provided dependency */ var process = __webpack_require__(/*! process/browser.js */ "./node_modules/process/browser.js");
/**
 * Utilities to get information about the current environment
 */
var getEnv = function getEnv(key) {
  var fallback = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : null;
  var env = typeof process !== 'undefined' &amp;&amp; process ? process.env || {} : {};

  if (!key) {
    /* istanbul ignore next */
    return env;
  }

  return env[key] || fallback;
};
var getNoWarn = function getNoWarn() {
  return getEnv('BOOTSTRAP_VUE_NO_WARN') || getEnv('NODE_ENV') === 'production';
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/events.js":
/*!********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/events.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   eventOff: () =&gt; (/* binding */ eventOff),
/* harmony export */   eventOn: () =&gt; (/* binding */ eventOn),
/* harmony export */   eventOnOff: () =&gt; (/* binding */ eventOnOff),
/* harmony export */   getRootActionEventName: () =&gt; (/* binding */ getRootActionEventName),
/* harmony export */   getRootEventName: () =&gt; (/* binding */ getRootEventName),
/* harmony export */   parseEventOptions: () =&gt; (/* binding */ parseEventOptions),
/* harmony export */   stopEvent: () =&gt; (/* binding */ stopEvent)
/* harmony export */ });
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _string__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./string */ "./node_modules/bootstrap-vue/esm/utils/string.js");




 // --- Utils ---
// Normalize event options based on support of passive option
// Exported only for testing purposes

var parseEventOptions = function parseEventOptions(options) {
  /* istanbul ignore else: can't test in JSDOM, as it supports passive */
  if (_constants_env__WEBPACK_IMPORTED_MODULE_0__.HAS_PASSIVE_EVENT_SUPPORT) {
    return (0,_inspect__WEBPACK_IMPORTED_MODULE_1__.isObject)(options) ? options : {
      capture: !!options || false
    };
  } else {
    // Need to translate to actual Boolean value
    return !!((0,_inspect__WEBPACK_IMPORTED_MODULE_1__.isObject)(options) ? options.capture : options);
  }
}; // Attach an event listener to an element

var eventOn = function eventOn(el, eventName, handler, options) {
  if (el &amp;&amp; el.addEventListener) {
    el.addEventListener(eventName, handler, parseEventOptions(options));
  }
}; // Remove an event listener from an element

var eventOff = function eventOff(el, eventName, handler, options) {
  if (el &amp;&amp; el.removeEventListener) {
    el.removeEventListener(eventName, handler, parseEventOptions(options));
  }
}; // Utility method to add/remove a event listener based on first argument (boolean)
// It passes all other arguments to the `eventOn()` or `eventOff` method

var eventOnOff = function eventOnOff(on) {
  var method = on ? eventOn : eventOff;

  for (var _len = arguments.length, args = new Array(_len &gt; 1 ? _len - 1 : 0), _key = 1; _key &lt; _len; _key++) {
    args[_key - 1] = arguments[_key];
  }

  method.apply(void 0, args);
}; // Utility method to prevent the default event handling and propagation

var stopEvent = function stopEvent(event) {
  var _ref = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {},
      _ref$preventDefault = _ref.preventDefault,
      preventDefault = _ref$preventDefault === void 0 ? true : _ref$preventDefault,
      _ref$propagation = _ref.propagation,
      propagation = _ref$propagation === void 0 ? true : _ref$propagation,
      _ref$immediatePropaga = _ref.immediatePropagation,
      immediatePropagation = _ref$immediatePropaga === void 0 ? false : _ref$immediatePropaga;

  if (preventDefault) {
    event.preventDefault();
  }

  if (propagation) {
    event.stopPropagation();
  }

  if (immediatePropagation) {
    event.stopImmediatePropagation();
  }
}; // Helper method to convert a component/directive name to a base event name
// `getBaseEventName('BNavigationItem')` =&gt; 'navigation-item'
// `getBaseEventName('BVToggle')` =&gt; 'toggle'

var getBaseEventName = function getBaseEventName(value) {
  return (0,_string__WEBPACK_IMPORTED_MODULE_2__.kebabCase)(value.replace(_constants_regex__WEBPACK_IMPORTED_MODULE_3__.RX_BV_PREFIX, ''));
}; // Get a root event name by component/directive and event name
// `getBaseEventName('BModal', 'show')` =&gt; 'bv::modal::show'


var getRootEventName = function getRootEventName(name, eventName) {
  return [_constants_events__WEBPACK_IMPORTED_MODULE_4__.ROOT_EVENT_NAME_PREFIX, getBaseEventName(name), eventName].join(_constants_events__WEBPACK_IMPORTED_MODULE_4__.ROOT_EVENT_NAME_SEPARATOR);
}; // Get a root action event name by component/directive and action name
// `getRootActionEventName('BModal', 'show')` =&gt; 'bv::show::modal'

var getRootActionEventName = function getRootActionEventName(name, actionName) {
  return [_constants_events__WEBPACK_IMPORTED_MODULE_4__.ROOT_EVENT_NAME_PREFIX, actionName, getBaseEventName(name)].join(_constants_events__WEBPACK_IMPORTED_MODULE_4__.ROOT_EVENT_NAME_SEPARATOR);
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/get-event-root.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/get-event-root.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   getEventRoot: () =&gt; (/* binding */ getEventRoot)
/* harmony export */ });
var getEventRoot = function getEventRoot(vm) {
  return vm.$root.$options.bvEventRoot || vm.$root;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/get-instance-from-directive.js":
/*!*****************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/get-instance-from-directive.js ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   getInstanceFromDirective: () =&gt; (/* binding */ getInstanceFromDirective)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");

var getInstanceFromDirective = function getInstanceFromDirective(vnode, bindings) {
  return _vue__WEBPACK_IMPORTED_MODULE_0__.isVue3 ? bindings.instance : vnode.context;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/get-scope-id.js":
/*!**************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/get-scope-id.js ***!
  \**************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   getScopeId: () =&gt; (/* binding */ getScopeId)
/* harmony export */ });
// This method returns a component's scoped style attribute name: `data-v-xxxxxxx`
// The `_scopeId` options property is added by vue-loader when using scoped styles
// and will be `undefined` if no scoped styles are in use
var getScopeId = function getScopeId(vm) {
  var defaultValue = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : null;
  return vm ? vm.$options._scopeId || defaultValue : defaultValue;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/get.js":
/*!*****************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/get.js ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   get: () =&gt; (/* binding */ get),
/* harmony export */   getRaw: () =&gt; (/* binding */ getRaw)
/* harmony export */ });
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _identity__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");



/**
 * Get property defined by dot/array notation in string, returns undefined if not found
 *
 * @link https://gist.github.com/jeneg/9767afdcca45601ea44930ea03e0febf#gistcomment-1935901
 *
 * @param {Object} obj
 * @param {string|Array} path
 * @return {*}
 */

var getRaw = function getRaw(obj, path) {
  var defaultValue = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : undefined;
  // Handle array of path values
  path = (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isArray)(path) ? path.join('.') : path; // If no path or no object passed

  if (!path || !(0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(obj)) {
    return defaultValue;
  } // Handle edge case where user has dot(s) in top-level item field key
  // See https://github.com/bootstrap-vue/bootstrap-vue/issues/2762
  // Switched to `in` operator vs `hasOwnProperty` to handle obj.prototype getters
  // https://github.com/bootstrap-vue/bootstrap-vue/issues/3463


  if (path in obj) {
    return obj[path];
  } // Handle string array notation (numeric indices only)


  path = String(path).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_1__.RX_ARRAY_NOTATION, '.$1');
  var steps = path.split('.').filter(_identity__WEBPACK_IMPORTED_MODULE_2__.identity); // Handle case where someone passes a string of only dots

  if (steps.length === 0) {
    return defaultValue;
  } // Traverse path in object to find result
  // Switched to `in` operator vs `hasOwnProperty` to handle obj.prototype getters
  // https://github.com/bootstrap-vue/bootstrap-vue/issues/3463


  return steps.every(function (step) {
    return (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(obj) &amp;&amp; step in obj &amp;&amp; !(0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isUndefinedOrNull)(obj = obj[step]);
  }) ? obj : (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isNull)(obj) ? null : defaultValue;
};
/**
 * Get property defined by dot/array notation in string.
 *
 * @link https://gist.github.com/jeneg/9767afdcca45601ea44930ea03e0febf#gistcomment-1935901
 *
 * @param {Object} obj
 * @param {string|Array} path
 * @param {*} defaultValue (optional)
 * @return {*}
 */

var get = function get(obj, path) {
  var defaultValue = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : null;
  var value = getRaw(obj, path);
  return (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isUndefinedOrNull)(value) ? defaultValue : value;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/html.js":
/*!******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/html.js ***!
  \******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   htmlOrText: () =&gt; (/* binding */ htmlOrText),
/* harmony export */   stripTags: () =&gt; (/* binding */ stripTags)
/* harmony export */ });
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
 // Removes anything that looks like an HTML tag from the supplied string

var stripTags = function stripTags() {
  var text = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : '';
  return String(text).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_0__.RX_HTML_TAGS, '');
}; // Generate a `domProps` object for either `innerHTML`, `textContent` or an empty object

var htmlOrText = function htmlOrText(innerHTML, textContent) {
  return innerHTML ? {
    innerHTML: innerHTML
  } : textContent ? {
    textContent: textContent
  } : {};
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/identity.js":
/*!**********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/identity.js ***!
  \**********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   identity: () =&gt; (/* binding */ identity)
/* harmony export */ });
var identity = function identity(x) {
  return x;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/inspect.js":
/*!*********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/inspect.js ***!
  \*********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   isArray: () =&gt; (/* binding */ isArray),
/* harmony export */   isBoolean: () =&gt; (/* binding */ isBoolean),
/* harmony export */   isDate: () =&gt; (/* binding */ isDate),
/* harmony export */   isEmptyString: () =&gt; (/* binding */ isEmptyString),
/* harmony export */   isEvent: () =&gt; (/* binding */ isEvent),
/* harmony export */   isFile: () =&gt; (/* binding */ isFile),
/* harmony export */   isFunction: () =&gt; (/* binding */ isFunction),
/* harmony export */   isNull: () =&gt; (/* binding */ isNull),
/* harmony export */   isNumber: () =&gt; (/* binding */ isNumber),
/* harmony export */   isNumeric: () =&gt; (/* binding */ isNumeric),
/* harmony export */   isObject: () =&gt; (/* binding */ isObject),
/* harmony export */   isPlainObject: () =&gt; (/* binding */ isPlainObject),
/* harmony export */   isPrimitive: () =&gt; (/* binding */ isPrimitive),
/* harmony export */   isPromise: () =&gt; (/* binding */ isPromise),
/* harmony export */   isRegExp: () =&gt; (/* binding */ isRegExp),
/* harmony export */   isString: () =&gt; (/* binding */ isString),
/* harmony export */   isUndefined: () =&gt; (/* binding */ isUndefined),
/* harmony export */   isUndefinedOrNull: () =&gt; (/* binding */ isUndefinedOrNull),
/* harmony export */   isUndefinedOrNullOrEmpty: () =&gt; (/* binding */ isUndefinedOrNullOrEmpty),
/* harmony export */   toRawType: () =&gt; (/* binding */ toRawType),
/* harmony export */   toRawTypeLC: () =&gt; (/* binding */ toRawTypeLC),
/* harmony export */   toType: () =&gt; (/* binding */ toType)
/* harmony export */ });
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _constants_safe_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/safe-types */ "./node_modules/bootstrap-vue/esm/constants/safe-types.js");
function _typeof(obj) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj &amp;&amp; "function" == typeof Symbol &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj; }, _typeof(obj); }


 // --- Convenience inspection utilities ---

var toType = function toType(value) {
  return _typeof(value);
};
var toRawType = function toRawType(value) {
  return Object.prototype.toString.call(value).slice(8, -1);
};
var toRawTypeLC = function toRawTypeLC(value) {
  return toRawType(value).toLowerCase();
};
var isUndefined = function isUndefined(value) {
  return value === undefined;
};
var isNull = function isNull(value) {
  return value === null;
};
var isEmptyString = function isEmptyString(value) {
  return value === '';
};
var isUndefinedOrNull = function isUndefinedOrNull(value) {
  return isUndefined(value) || isNull(value);
};
var isUndefinedOrNullOrEmpty = function isUndefinedOrNullOrEmpty(value) {
  return isUndefinedOrNull(value) || isEmptyString(value);
};
var isFunction = function isFunction(value) {
  return toType(value) === 'function';
};
var isBoolean = function isBoolean(value) {
  return toType(value) === 'boolean';
};
var isString = function isString(value) {
  return toType(value) === 'string';
};
var isNumber = function isNumber(value) {
  return toType(value) === 'number';
};
var isNumeric = function isNumeric(value) {
  return _constants_regex__WEBPACK_IMPORTED_MODULE_0__.RX_NUMBER.test(String(value));
};
var isPrimitive = function isPrimitive(value) {
  return isBoolean(value) || isString(value) || isNumber(value);
};
var isArray = function isArray(value) {
  return Array.isArray(value);
}; // Quick object check
// This is primarily used to tell Objects from primitive values
// when we know the value is a JSON-compliant type
// Note object could be a complex type like array, Date, etc.

var isObject = function isObject(obj) {
  return obj !== null &amp;&amp; _typeof(obj) === 'object';
}; // Strict object type check
// Only returns true for plain JavaScript objects

var isPlainObject = function isPlainObject(obj) {
  return Object.prototype.toString.call(obj) === '[object Object]';
};
var isDate = function isDate(value) {
  return value instanceof Date;
};
var isEvent = function isEvent(value) {
  return value instanceof Event;
};
var isFile = function isFile(value) {
  return value instanceof _constants_safe_types__WEBPACK_IMPORTED_MODULE_1__.File;
};
var isRegExp = function isRegExp(value) {
  return toRawType(value) === 'RegExp';
};
var isPromise = function isPromise(value) {
  return !isUndefinedOrNull(value) &amp;&amp; isFunction(value.then) &amp;&amp; isFunction(value.catch);
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/locale.js":
/*!********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/locale.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   isLocaleRTL: () =&gt; (/* binding */ isLocaleRTL)
/* harmony export */ });
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _array__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _string__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
// Localization utilities


 // Languages that are RTL

var RTL_LANGS = ['ar', 'az', 'ckb', 'fa', 'he', 'ks', 'lrc', 'mzn', 'ps', 'sd', 'te', 'ug', 'ur', 'yi'].map(function (locale) {
  return locale.toLowerCase();
}); // Returns true if the locale is RTL

var isLocaleRTL = function isLocaleRTL(locale) {
  // Determines if the locale is RTL (only single locale supported)
  var parts = (0,_string__WEBPACK_IMPORTED_MODULE_0__.toString)(locale).toLowerCase().replace(_constants_regex__WEBPACK_IMPORTED_MODULE_1__.RX_STRIP_LOCALE_MODS, '').split('-');
  var locale1 = parts.slice(0, 2).join('-');
  var locale2 = parts[0];
  return (0,_array__WEBPACK_IMPORTED_MODULE_2__.arrayIncludes)(RTL_LANGS, locale1) || (0,_array__WEBPACK_IMPORTED_MODULE_2__.arrayIncludes)(RTL_LANGS, locale2);
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js":
/*!*************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/loose-equal.js ***!
  \*************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   looseEqual: () =&gt; (/* binding */ looseEqual)
/* harmony export */ });
/* harmony import */ var _object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");

 // Assumes both a and b are arrays!
// Handles when arrays are "sparse" (array.every(...) doesn't handle sparse)

var compareArrays = function compareArrays(a, b) {
  if (a.length !== b.length) {
    return false;
  }

  var equal = true;

  for (var i = 0; equal &amp;&amp; i &lt; a.length; i++) {
    equal = looseEqual(a[i], b[i]);
  }

  return equal;
};
/**
 * Check if two values are loosely equal - that is,
 * if they are plain objects, do they have the same shape?
 * Returns boolean true or false
 */


var looseEqual = function looseEqual(a, b) {
  if (a === b) {
    return true;
  }

  var aValidType = (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isDate)(a);
  var bValidType = (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isDate)(b);

  if (aValidType || bValidType) {
    return aValidType &amp;&amp; bValidType ? a.getTime() === b.getTime() : false;
  }

  aValidType = (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isArray)(a);
  bValidType = (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isArray)(b);

  if (aValidType || bValidType) {
    return aValidType &amp;&amp; bValidType ? compareArrays(a, b) : false;
  }

  aValidType = (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(a);
  bValidType = (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(b);

  if (aValidType || bValidType) {
    /* istanbul ignore if: this if will probably never be called */
    if (!aValidType || !bValidType) {
      return false;
    }

    var aKeysCount = (0,_object__WEBPACK_IMPORTED_MODULE_1__.keys)(a).length;
    var bKeysCount = (0,_object__WEBPACK_IMPORTED_MODULE_1__.keys)(b).length;

    if (aKeysCount !== bKeysCount) {
      return false;
    }

    for (var key in a) {
      var aHasKey = (0,_object__WEBPACK_IMPORTED_MODULE_1__.hasOwnProperty)(a, key);
      var bHasKey = (0,_object__WEBPACK_IMPORTED_MODULE_1__.hasOwnProperty)(b, key);

      if (aHasKey &amp;&amp; !bHasKey || !aHasKey &amp;&amp; bHasKey || !looseEqual(a[key], b[key])) {
        return false;
      }
    }
  }

  return String(a) === String(b);
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/loose-index-of.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/loose-index-of.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   looseIndexOf: () =&gt; (/* binding */ looseIndexOf)
/* harmony export */ });
/* harmony import */ var _loose_equal__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./loose-equal */ "./node_modules/bootstrap-vue/esm/utils/loose-equal.js");
 // Assumes that the first argument is an array

var looseIndexOf = function looseIndexOf(array, value) {
  for (var i = 0; i &lt; array.length; i++) {
    if ((0,_loose_equal__WEBPACK_IMPORTED_MODULE_0__.looseEqual)(array[i], value)) {
      return i;
    }
  }

  return -1;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/math.js":
/*!******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/math.js ***!
  \******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   mathAbs: () =&gt; (/* binding */ mathAbs),
/* harmony export */   mathCeil: () =&gt; (/* binding */ mathCeil),
/* harmony export */   mathFloor: () =&gt; (/* binding */ mathFloor),
/* harmony export */   mathMax: () =&gt; (/* binding */ mathMax),
/* harmony export */   mathMin: () =&gt; (/* binding */ mathMin),
/* harmony export */   mathPow: () =&gt; (/* binding */ mathPow),
/* harmony export */   mathRound: () =&gt; (/* binding */ mathRound)
/* harmony export */ });
// Math utilty functions
var mathMin = Math.min;
var mathMax = Math.max;
var mathAbs = Math.abs;
var mathCeil = Math.ceil;
var mathFloor = Math.floor;
var mathPow = Math.pow;
var mathRound = Math.round;

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/memoize.js":
/*!*********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/memoize.js ***!
  \*********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   memoize: () =&gt; (/* binding */ memoize)
/* harmony export */ });
/* harmony import */ var _object__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./object */ "./node_modules/bootstrap-vue/esm/utils/object.js");

var memoize = function memoize(fn) {
  var cache = (0,_object__WEBPACK_IMPORTED_MODULE_0__.create)(null);
  return function () {
    for (var _len = arguments.length, args = new Array(_len), _key = 0; _key &lt; _len; _key++) {
      args[_key] = arguments[_key];
    }

    var argsKey = JSON.stringify(args);
    return cache[argsKey] = cache[argsKey] || fn.apply(null, args);
  };
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/model.js":
/*!*******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/model.js ***!
  \*******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   makeModelMixin: () =&gt; (/* binding */ makeModelMixin)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");
/* harmony import */ var _constants_events__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/events */ "./node_modules/bootstrap-vue/esm/constants/events.js");
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _props__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./props */ "./node_modules/bootstrap-vue/esm/utils/props.js");
function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





var makeModelMixin = function makeModelMixin(prop) {
  var _ref = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {},
      _ref$type = _ref.type,
      type = _ref$type === void 0 ? _constants_props__WEBPACK_IMPORTED_MODULE_0__.PROP_TYPE_ANY : _ref$type,
      _ref$defaultValue = _ref.defaultValue,
      defaultValue = _ref$defaultValue === void 0 ? undefined : _ref$defaultValue,
      _ref$validator = _ref.validator,
      validator = _ref$validator === void 0 ? undefined : _ref$validator,
      _ref$event = _ref.event,
      event = _ref$event === void 0 ? _constants_events__WEBPACK_IMPORTED_MODULE_1__.EVENT_NAME_INPUT : _ref$event;

  var props = _defineProperty({}, prop, (0,_props__WEBPACK_IMPORTED_MODULE_2__.makeProp)(type, defaultValue, validator)); // @vue/component


  var mixin = (0,_vue__WEBPACK_IMPORTED_MODULE_3__.extend)({
    model: {
      prop: prop,
      event: event
    },
    props: props
  });
  return {
    mixin: mixin,
    props: props,
    prop: prop,
    event: event
  };
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/noop.js":
/*!******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/noop.js ***!
  \******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   noop: () =&gt; (/* binding */ noop)
/* harmony export */ });
var noop = function noop() {};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/normalize-slot.js":
/*!****************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/normalize-slot.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   hasNormalizedSlot: () =&gt; (/* binding */ hasNormalizedSlot),
/* harmony export */   normalizeSlot: () =&gt; (/* binding */ normalizeSlot)
/* harmony export */ });
/* harmony import */ var _array__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./array */ "./node_modules/bootstrap-vue/esm/utils/array.js");
/* harmony import */ var _identity__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");


 // Note for functional components:
// In functional components, `slots` is a function so it must be called
// first before passing to the below methods. `scopedSlots` is always an
// object and may be undefined (for Vue &lt; 2.6.x)

/**
 * Returns true if either scoped or unscoped named slot exists
 *
 * @param {String, Array} name or name[]
 * @param {Object} scopedSlots
 * @param {Object} slots
 * @returns {Array|undefined} VNodes
 */

var hasNormalizedSlot = function hasNormalizedSlot(names) {
  var $scopedSlots = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
  var $slots = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : {};
  // Ensure names is an array
  names = (0,_array__WEBPACK_IMPORTED_MODULE_0__.concat)(names).filter(_identity__WEBPACK_IMPORTED_MODULE_1__.identity); // Returns true if the either a $scopedSlot or $slot exists with the specified name

  return names.some(function (name) {
    return $scopedSlots[name] || $slots[name];
  });
};
/**
 * Returns VNodes for named slot either scoped or unscoped
 *
 * @param {String, Array} name or name[]
 * @param {String} scope
 * @param {Object} scopedSlots
 * @param {Object} slots
 * @returns {Array|undefined} VNodes
 */

var normalizeSlot = function normalizeSlot(names) {
  var scope = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
  var $scopedSlots = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : {};
  var $slots = arguments.length &gt; 3 &amp;&amp; arguments[3] !== undefined ? arguments[3] : {};
  // Ensure names is an array
  names = (0,_array__WEBPACK_IMPORTED_MODULE_0__.concat)(names).filter(_identity__WEBPACK_IMPORTED_MODULE_1__.identity);
  var slot;

  for (var i = 0; i &lt; names.length &amp;&amp; !slot; i++) {
    var name = names[i];
    slot = $scopedSlots[name] || $slots[name];
  } // Note: in Vue 2.6.x, all named slots are also scoped slots


  return (0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isFunction)(slot) ? slot(scope) : slot;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/number.js":
/*!********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/number.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   toFixed: () =&gt; (/* binding */ toFixed),
/* harmony export */   toFloat: () =&gt; (/* binding */ toFloat),
/* harmony export */   toInteger: () =&gt; (/* binding */ toInteger)
/* harmony export */ });
// Number utilities
// Converts a value (string, number, etc.) to an integer number
// Assumes radix base 10
var toInteger = function toInteger(value) {
  var defaultValue = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : NaN;
  var integer = parseInt(value, 10);
  return isNaN(integer) ? defaultValue : integer;
}; // Converts a value (string, number, etc.) to a number

var toFloat = function toFloat(value) {
  var defaultValue = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : NaN;
  var float = parseFloat(value);
  return isNaN(float) ? defaultValue : float;
}; // Converts a value (string, number, etc.) to a string
// representation with `precision` digits after the decimal
// Returns the string 'NaN' if the value cannot be converted

var toFixed = function toFixed(val, precision) {
  return toFloat(val).toFixed(toInteger(precision, 0));
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/object.js":
/*!********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/object.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   assign: () =&gt; (/* binding */ assign),
/* harmony export */   clone: () =&gt; (/* binding */ clone),
/* harmony export */   create: () =&gt; (/* binding */ create),
/* harmony export */   defineProperties: () =&gt; (/* binding */ defineProperties),
/* harmony export */   defineProperty: () =&gt; (/* binding */ defineProperty),
/* harmony export */   freeze: () =&gt; (/* binding */ freeze),
/* harmony export */   getOwnPropertyDescriptor: () =&gt; (/* binding */ getOwnPropertyDescriptor),
/* harmony export */   getOwnPropertyNames: () =&gt; (/* binding */ getOwnPropertyNames),
/* harmony export */   getOwnPropertySymbols: () =&gt; (/* binding */ getOwnPropertySymbols),
/* harmony export */   getPrototypeOf: () =&gt; (/* binding */ getPrototypeOf),
/* harmony export */   hasOwnProperty: () =&gt; (/* binding */ hasOwnProperty),
/* harmony export */   is: () =&gt; (/* binding */ is),
/* harmony export */   isFrozen: () =&gt; (/* binding */ isFrozen),
/* harmony export */   keys: () =&gt; (/* binding */ keys),
/* harmony export */   mergeDeep: () =&gt; (/* binding */ mergeDeep),
/* harmony export */   omit: () =&gt; (/* binding */ omit),
/* harmony export */   pick: () =&gt; (/* binding */ pick),
/* harmony export */   readonlyDescriptor: () =&gt; (/* binding */ readonlyDescriptor),
/* harmony export */   sortKeys: () =&gt; (/* binding */ sortKeys),
/* harmony export */   toString: () =&gt; (/* binding */ toString)
/* harmony export */ });
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

 // --- Static ---

var assign = function assign() {
  return Object.assign.apply(Object, arguments);
};
var create = function create(proto, optionalProps) {
  return Object.create(proto, optionalProps);
};
var defineProperties = function defineProperties(obj, props) {
  return Object.defineProperties(obj, props);
};
var defineProperty = function defineProperty(obj, prop, descriptor) {
  return Object.defineProperty(obj, prop, descriptor);
};
var freeze = function freeze(obj) {
  return Object.freeze(obj);
};
var getOwnPropertyNames = function getOwnPropertyNames(obj) {
  return Object.getOwnPropertyNames(obj);
};
var getOwnPropertyDescriptor = function getOwnPropertyDescriptor(obj, prop) {
  return Object.getOwnPropertyDescriptor(obj, prop);
};
var getOwnPropertySymbols = function getOwnPropertySymbols(obj) {
  return Object.getOwnPropertySymbols(obj);
};
var getPrototypeOf = function getPrototypeOf(obj) {
  return Object.getPrototypeOf(obj);
};
var is = function is(value1, value2) {
  return Object.is(value1, value2);
};
var isFrozen = function isFrozen(obj) {
  return Object.isFrozen(obj);
};
var keys = function keys(obj) {
  return Object.keys(obj);
}; // --- "Instance" ---

var hasOwnProperty = function hasOwnProperty(obj, prop) {
  return Object.prototype.hasOwnProperty.call(obj, prop);
};
var toString = function toString(obj) {
  return Object.prototype.toString.call(obj);
}; // --- Utilities ---
// Shallow copy an object

var clone = function clone(obj) {
  return _objectSpread({}, obj);
}; // Return a shallow copy of object with the specified properties only
// See: https://gist.github.com/bisubus/2da8af7e801ffd813fab7ac221aa7afc

var pick = function pick(obj, props) {
  return keys(obj).filter(function (key) {
    return props.indexOf(key) !== -1;
  }).reduce(function (result, key) {
    return _objectSpread(_objectSpread({}, result), {}, _defineProperty({}, key, obj[key]));
  }, {});
}; // Return a shallow copy of object with the specified properties omitted
// See: https://gist.github.com/bisubus/2da8af7e801ffd813fab7ac221aa7afc

var omit = function omit(obj, props) {
  return keys(obj).filter(function (key) {
    return props.indexOf(key) === -1;
  }).reduce(function (result, key) {
    return _objectSpread(_objectSpread({}, result), {}, _defineProperty({}, key, obj[key]));
  }, {});
}; // Merges two object deeply together
// See: https://gist.github.com/Salakar/1d7137de9cb8b704e48a

var mergeDeep = function mergeDeep(target, source) {
  if ((0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(target) &amp;&amp; (0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(source)) {
    keys(source).forEach(function (key) {
      if ((0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(source[key])) {
        if (!target[key] || !(0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(target[key])) {
          target[key] = source[key];
        }

        mergeDeep(target[key], source[key]);
      } else {
        assign(target, _defineProperty({}, key, source[key]));
      }
    });
  }

  return target;
}; // Returns a shallow copy of the object with keys in sorted order

var sortKeys = function sortKeys(obj) {
  return keys(obj).sort().reduce(function (result, key) {
    return _objectSpread(_objectSpread({}, result), {}, _defineProperty({}, key, obj[key]));
  }, {});
}; // Convenience method to create a read-only descriptor

var readonlyDescriptor = function readonlyDescriptor() {
  return {
    enumerable: true,
    configurable: false,
    writable: false
  };
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/observe-dom.js":
/*!*************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/observe-dom.js ***!
  \*************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   observeDom: () =&gt; (/* binding */ observeDom)
/* harmony export */ });
/* harmony import */ var _dom__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _warn__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }



/**
 * Observe a DOM element changes, falls back to eventListener mode
 * @param {Element} el The DOM element to observe
 * @param {Function} callback callback to be called on change
 * @param {object} [options={childList: true, subtree: true}] observe options
 * @see https://stackoverflow.com/questions/3219758
 */

var observeDom = function observeDom(el, callback, options)
/* istanbul ignore next: difficult to test in JSDOM */
{
  // Handle cases where we might be passed a Vue instance
  el = el ? el.$el || el : null; // Early exit when we have no element

  /* istanbul ignore next: difficult to test in JSDOM */

  if (!(0,_dom__WEBPACK_IMPORTED_MODULE_0__.isElement)(el)) {
    return null;
  } // Exit and throw a warning when `MutationObserver` isn't available


  if ((0,_warn__WEBPACK_IMPORTED_MODULE_1__.warnNoMutationObserverSupport)('observeDom')) {
    return null;
  } // Define a new observer


  var obs = new _dom__WEBPACK_IMPORTED_MODULE_0__.MutationObs(function (mutations) {
    var changed = false; // A mutation can contain several change records, so we loop
    // through them to see what has changed
    // We break out of the loop early if any "significant" change
    // has been detected

    for (var i = 0; i &lt; mutations.length &amp;&amp; !changed; i++) {
      // The mutation record
      var mutation = mutations[i]; // Mutation type

      var type = mutation.type; // DOM node (could be any DOM node type - HTMLElement, Text, comment, etc.)

      var target = mutation.target; // Detect whether a change happened based on type and target

      if (type === 'characterData' &amp;&amp; target.nodeType === Node.TEXT_NODE) {
        // We ignore nodes that are not TEXT (i.e. comments, etc.)
        // as they don't change layout
        changed = true;
      } else if (type === 'attributes') {
        changed = true;
      } else if (type === 'childList' &amp;&amp; (mutation.addedNodes.length &gt; 0 || mutation.removedNodes.length &gt; 0)) {
        // This includes HTMLElement and text nodes being
        // added/removed/re-arranged
        changed = true;
      }
    } // We only call the callback if a change that could affect
    // layout/size truly happened


    if (changed) {
      callback();
    }
  }); // Have the observer observe foo for changes in children, etc

  obs.observe(el, _objectSpread({
    childList: true,
    subtree: true
  }, options)); // We return a reference to the observer so that `obs.disconnect()`
  // can be called if necessary
  // To reduce overhead when the root element is hidden

  return obs;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/plugins.js":
/*!*********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/plugins.js ***!
  \*********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   checkMultipleVue: () =&gt; (/* binding */ checkMultipleVue),
/* harmony export */   installFactory: () =&gt; (/* binding */ installFactory),
/* harmony export */   installFactoryNoConfig: () =&gt; (/* binding */ installFactoryNoConfig),
/* harmony export */   pluginFactory: () =&gt; (/* binding */ pluginFactory),
/* harmony export */   pluginFactoryNoConfig: () =&gt; (/* binding */ pluginFactoryNoConfig),
/* harmony export */   registerComponent: () =&gt; (/* binding */ registerComponent),
/* harmony export */   registerComponents: () =&gt; (/* binding */ registerComponents),
/* harmony export */   registerDirective: () =&gt; (/* binding */ registerDirective),
/* harmony export */   registerDirectives: () =&gt; (/* binding */ registerDirectives),
/* harmony export */   registerPlugins: () =&gt; (/* binding */ registerPlugins),
/* harmony export */   vueUse: () =&gt; (/* binding */ vueUse)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/vue/dist/vue.esm.js");
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _config_set__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./config-set */ "./node_modules/bootstrap-vue/esm/utils/config-set.js");
/* harmony import */ var _warn__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./warn */ "./node_modules/bootstrap-vue/esm/utils/warn.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }





/**
 * Checks if there are multiple instances of Vue, and warns (once) about possible issues.
 * @param {object} Vue
 */

var checkMultipleVue = function () {
  var checkMultipleVueWarned = false;
  var MULTIPLE_VUE_WARNING = ['Multiple instances of Vue detected!', 'You may need to set up an alias for Vue in your bundler config.', 'See: https://bootstrap-vue.org/docs#using-module-bundlers'].join('\n');
  return function (Vue) {
    /* istanbul ignore next */
    if (!checkMultipleVueWarned &amp;&amp; _vue__WEBPACK_IMPORTED_MODULE_0__["default"] !== Vue &amp;&amp; !_constants_env__WEBPACK_IMPORTED_MODULE_1__.IS_JSDOM) {
      (0,_warn__WEBPACK_IMPORTED_MODULE_2__.warn)(MULTIPLE_VUE_WARNING);
    }

    checkMultipleVueWarned = true;
  };
}();
/**
 * Plugin install factory function.
 * @param {object} { components, directives }
 * @returns {function} plugin install function
 */

var installFactory = function installFactory() {
  var _ref = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {},
      components = _ref.components,
      directives = _ref.directives,
      plugins = _ref.plugins;

  var install = function install(Vue) {
    var config = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

    if (install.installed) {
      /* istanbul ignore next */
      return;
    }

    install.installed = true;
    checkMultipleVue(Vue);
    (0,_config_set__WEBPACK_IMPORTED_MODULE_3__.setConfig)(config, Vue);
    registerComponents(Vue, components);
    registerDirectives(Vue, directives);
    registerPlugins(Vue, plugins);
  };

  install.installed = false;
  return install;
};
/**
 * Plugin install factory function (no plugin config option).
 * @param {object} { components, directives }
 * @returns {function} plugin install function
 */

var installFactoryNoConfig = function installFactoryNoConfig() {
  var _ref2 = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {},
      components = _ref2.components,
      directives = _ref2.directives,
      plugins = _ref2.plugins;

  var install = function install(Vue) {
    if (install.installed) {
      /* istanbul ignore next */
      return;
    }

    install.installed = true;
    checkMultipleVue(Vue);
    registerComponents(Vue, components);
    registerDirectives(Vue, directives);
    registerPlugins(Vue, plugins);
  };

  install.installed = false;
  return install;
};
/**
 * Plugin object factory function.
 * @param {object} { components, directives, plugins }
 * @returns {object} plugin install object
 */

var pluginFactory = function pluginFactory() {
  var options = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {};
  var extend = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
  return _objectSpread(_objectSpread({}, extend), {}, {
    install: installFactory(options)
  });
};
/**
 * Plugin object factory function (no config option).
 * @param {object} { components, directives, plugins }
 * @returns {object} plugin install object
 */

var pluginFactoryNoConfig = function pluginFactoryNoConfig() {
  var options = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {};
  var extend = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
  return _objectSpread(_objectSpread({}, extend), {}, {
    install: installFactoryNoConfig(options)
  });
};
/**
 * Load a group of plugins.
 * @param {object} Vue
 * @param {object} Plugin definitions
 */

var registerPlugins = function registerPlugins(Vue) {
  var plugins = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

  for (var plugin in plugins) {
    if (plugin &amp;&amp; plugins[plugin]) {
      Vue.use(plugins[plugin]);
    }
  }
};
/**
 * Load a component.
 * @param {object} Vue
 * @param {string} Component name
 * @param {object} Component definition
 */

var registerComponent = function registerComponent(Vue, name, def) {
  if (Vue &amp;&amp; name &amp;&amp; def) {
    Vue.component(name, def);
  }
};
/**
 * Load a group of components.
 * @param {object} Vue
 * @param {object} Object of component definitions
 */

var registerComponents = function registerComponents(Vue) {
  var components = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

  for (var component in components) {
    registerComponent(Vue, component, components[component]);
  }
};
/**
 * Load a directive.
 * @param {object} Vue
 * @param {string} Directive name
 * @param {object} Directive definition
 */

var registerDirective = function registerDirective(Vue, name, def) {
  if (Vue &amp;&amp; name &amp;&amp; def) {
    // Ensure that any leading V is removed from the
    // name, as Vue adds it automatically
    Vue.directive(name.replace(/^VB/, 'B'), def);
  }
};
/**
 * Load a group of directives.
 * @param {object} Vue
 * @param {object} Object of directive definitions
 */

var registerDirectives = function registerDirectives(Vue) {
  var directives = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

  for (var directive in directives) {
    registerDirective(Vue, directive, directives[directive]);
  }
};
/**
 * Install plugin if window.Vue available
 * @param {object} Plugin definition
 */

var vueUse = function vueUse(VuePlugin) {
  /* istanbul ignore next */
  if (_constants_env__WEBPACK_IMPORTED_MODULE_1__.HAS_WINDOW_SUPPORT &amp;&amp; window.Vue) {
    window.Vue.use(VuePlugin);
  }
  /* istanbul ignore next */


  if (_constants_env__WEBPACK_IMPORTED_MODULE_1__.HAS_WINDOW_SUPPORT &amp;&amp; VuePlugin.NAME) {
    window[VuePlugin.NAME] = VuePlugin;
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/props.js":
/*!*******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/props.js ***!
  \*******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   copyProps: () =&gt; (/* binding */ copyProps),
/* harmony export */   hasPropFunction: () =&gt; (/* binding */ hasPropFunction),
/* harmony export */   makeProp: () =&gt; (/* binding */ makeProp),
/* harmony export */   makePropConfigurable: () =&gt; (/* binding */ makePropConfigurable),
/* harmony export */   makePropsConfigurable: () =&gt; (/* binding */ makePropsConfigurable),
/* harmony export */   pluckProps: () =&gt; (/* binding */ pluckProps),
/* harmony export */   prefixPropName: () =&gt; (/* binding */ prefixPropName),
/* harmony export */   suffixPropName: () =&gt; (/* binding */ suffixPropName),
/* harmony export */   unprefixPropName: () =&gt; (/* binding */ unprefixPropName)
/* harmony export */ });
/* harmony import */ var _constants_props__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/props */ "./node_modules/bootstrap-vue/esm/constants/props.js");
/* harmony import */ var _clone_deep__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./clone-deep */ "./node_modules/bootstrap-vue/esm/utils/clone-deep.js");
/* harmony import */ var _config__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./config */ "./node_modules/bootstrap-vue/esm/utils/config.js");
/* harmony import */ var _identity__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./identity */ "./node_modules/bootstrap-vue/esm/utils/identity.js");
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _object__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _string__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./string */ "./node_modules/bootstrap-vue/esm/utils/string.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }







 // Prefix a property

var prefixPropName = function prefixPropName(prefix, value) {
  return prefix + (0,_string__WEBPACK_IMPORTED_MODULE_0__.upperFirst)(value);
}; // Remove a prefix from a property

var unprefixPropName = function unprefixPropName(prefix, value) {
  return (0,_string__WEBPACK_IMPORTED_MODULE_0__.lowerFirst)(value.replace(prefix, ''));
}; // Suffix can be a falsey value so nothing is appended to string
// (helps when looping over props &amp; some shouldn't change)
// Use data last parameters to allow for currying

var suffixPropName = function suffixPropName(suffix, value) {
  return value + (suffix ? (0,_string__WEBPACK_IMPORTED_MODULE_0__.upperFirst)(suffix) : '');
}; // Generates a prop object

var makeProp = function makeProp() {
  var type = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : _constants_props__WEBPACK_IMPORTED_MODULE_1__.PROP_TYPE_ANY;
  var value = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : undefined;
  var requiredOrValidator = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : undefined;
  var validator = arguments.length &gt; 3 &amp;&amp; arguments[3] !== undefined ? arguments[3] : undefined;
  var required = requiredOrValidator === true;
  validator = required ? validator : requiredOrValidator;
  return _objectSpread(_objectSpread(_objectSpread({}, type ? {
    type: type
  } : {}), required ? {
    required: required
  } : (0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isUndefined)(value) ? {} : {
    default: (0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isObject)(value) ? function () {
      return value;
    } : value
  }), (0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isUndefined)(validator) ? {} : {
    validator: validator
  });
}; // Copies props from one array/object to a new array/object
// Prop values are also cloned as new references to prevent possible
// mutation of original prop object values
// Optionally accepts a function to transform the prop name

var copyProps = function copyProps(props) {
  var transformFn = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : _identity__WEBPACK_IMPORTED_MODULE_3__.identity;

  if ((0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isArray)(props)) {
    return props.map(transformFn);
  }

  var copied = {};

  for (var prop in props) {
    /* istanbul ignore else */
    if ((0,_object__WEBPACK_IMPORTED_MODULE_4__.hasOwnProperty)(props, prop)) {
      // If the prop value is an object, do a shallow clone
      // to prevent potential mutations to the original object
      copied[transformFn(prop)] = (0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isObject)(props[prop]) ? (0,_object__WEBPACK_IMPORTED_MODULE_4__.clone)(props[prop]) : props[prop];
    }
  }

  return copied;
}; // Given an array of properties or an object of property keys,
// plucks all the values off the target object, returning a new object
// that has props that reference the original prop values

var pluckProps = function pluckProps(keysToPluck, objToPluck) {
  var transformFn = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : _identity__WEBPACK_IMPORTED_MODULE_3__.identity;
  return ((0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isArray)(keysToPluck) ? keysToPluck.slice() : (0,_object__WEBPACK_IMPORTED_MODULE_4__.keys)(keysToPluck)).reduce(function (memo, prop) {
    memo[transformFn(prop)] = objToPluck[prop];
    return memo;
  }, {});
}; // Make a prop object configurable by global configuration
// Replaces the current `default` key of each prop with a `getComponentConfig()`
// call that falls back to the current default value of the prop

var makePropConfigurable = function makePropConfigurable(prop, key, componentKey) {
  return _objectSpread(_objectSpread({}, (0,_clone_deep__WEBPACK_IMPORTED_MODULE_5__.cloneDeep)(prop)), {}, {
    default: function bvConfigurablePropDefault() {
      var value = (0,_config__WEBPACK_IMPORTED_MODULE_6__.getComponentConfig)(componentKey, key, prop.default);
      return (0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isFunction)(value) ? value() : value;
    }
  });
}; // Make a props object configurable by global configuration
// Replaces the current `default` key of each prop with a `getComponentConfig()`
// call that falls back to the current default value of the prop

var makePropsConfigurable = function makePropsConfigurable(props, componentKey) {
  return (0,_object__WEBPACK_IMPORTED_MODULE_4__.keys)(props).reduce(function (result, key) {
    return _objectSpread(_objectSpread({}, result), {}, _defineProperty({}, key, makePropConfigurable(props[key], key, componentKey)));
  }, {});
}; // Get function name we use in `makePropConfigurable()`
// for the prop default value override to compare
// against in `hasPropFunction()`

var configurablePropDefaultFnName = makePropConfigurable({}, '', '').default.name; // Detect wether the given value is currently a function
// and isn't the props default function

var hasPropFunction = function hasPropFunction(fn) {
  return (0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isFunction)(fn) &amp;&amp; fn.name &amp;&amp; fn.name !== configurablePropDefaultFnName;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/router.js":
/*!********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/router.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   computeHref: () =&gt; (/* binding */ computeHref),
/* harmony export */   computeRel: () =&gt; (/* binding */ computeRel),
/* harmony export */   computeTag: () =&gt; (/* binding */ computeTag),
/* harmony export */   isLink: () =&gt; (/* binding */ isLink),
/* harmony export */   isRouterLink: () =&gt; (/* binding */ isRouterLink),
/* harmony export */   parseQuery: () =&gt; (/* binding */ parseQuery),
/* harmony export */   stringifyQueryObj: () =&gt; (/* binding */ stringifyQueryObj)
/* harmony export */ });
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _dom__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./dom */ "./node_modules/bootstrap-vue/esm/utils/dom.js");
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _object__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _safe_vue_instance__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./safe-vue-instance */ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js");
/* harmony import */ var _string__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./string */ "./node_modules/bootstrap-vue/esm/utils/string.js");






var ANCHOR_TAG = 'a'; // Method to replace reserved chars

var encodeReserveReplacer = function encodeReserveReplacer(c) {
  return '%' + c.charCodeAt(0).toString(16);
}; // Fixed encodeURIComponent which is more conformant to RFC3986:
// - escapes [!'()*]
// - preserve commas


var encode = function encode(str) {
  return encodeURIComponent((0,_string__WEBPACK_IMPORTED_MODULE_0__.toString)(str)).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_1__.RX_ENCODE_REVERSE, encodeReserveReplacer).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_1__.RX_ENCODED_COMMA, ',');
};

var decode = decodeURIComponent; // Stringifies an object of query parameters
// See: https://github.com/vuejs/vue-router/blob/dev/src/util/query.js

var stringifyQueryObj = function stringifyQueryObj(obj) {
  if (!(0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isPlainObject)(obj)) {
    return '';
  }

  var query = (0,_object__WEBPACK_IMPORTED_MODULE_3__.keys)(obj).map(function (key) {
    var value = obj[key];

    if ((0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isUndefined)(value)) {
      return '';
    } else if ((0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isNull)(value)) {
      return encode(key);
    } else if ((0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isArray)(value)) {
      return value.reduce(function (results, value2) {
        if ((0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isNull)(value2)) {
          results.push(encode(key));
        } else if (!(0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isUndefined)(value2)) {
          // Faster than string interpolation
          results.push(encode(key) + '=' + encode(value2));
        }

        return results;
      }, []).join('&amp;');
    } // Faster than string interpolation


    return encode(key) + '=' + encode(value);
  })
  /* must check for length, as we only want to filter empty strings, not things that look falsey! */
  .filter(function (x) {
    return x.length &gt; 0;
  }).join('&amp;');
  return query ? "?".concat(query) : '';
};
var parseQuery = function parseQuery(query) {
  var parsed = {};
  query = (0,_string__WEBPACK_IMPORTED_MODULE_0__.toString)(query).trim().replace(_constants_regex__WEBPACK_IMPORTED_MODULE_1__.RX_QUERY_START, '');

  if (!query) {
    return parsed;
  }

  query.split('&amp;').forEach(function (param) {
    var parts = param.replace(_constants_regex__WEBPACK_IMPORTED_MODULE_1__.RX_PLUS, ' ').split('=');
    var key = decode(parts.shift());
    var value = parts.length &gt; 0 ? decode(parts.join('=')) : null;

    if ((0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isUndefined)(parsed[key])) {
      parsed[key] = value;
    } else if ((0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isArray)(parsed[key])) {
      parsed[key].push(value);
    } else {
      parsed[key] = [parsed[key], value];
    }
  });
  return parsed;
};
var isLink = function isLink(props) {
  return !!(props.href || props.to);
};
var isRouterLink = function isRouterLink(tag) {
  return !!(tag &amp;&amp; !(0,_dom__WEBPACK_IMPORTED_MODULE_4__.isTag)(tag, 'a'));
};
var computeTag = function computeTag(_ref, thisOrParent) {
  var to = _ref.to,
      disabled = _ref.disabled,
      routerComponentName = _ref.routerComponentName;
  var hasRouter = !!(0,_safe_vue_instance__WEBPACK_IMPORTED_MODULE_5__.safeVueInstance)(thisOrParent).$router;
  var hasNuxt = !!(0,_safe_vue_instance__WEBPACK_IMPORTED_MODULE_5__.safeVueInstance)(thisOrParent).$nuxt;

  if (!hasRouter || hasRouter &amp;&amp; (disabled || !to)) {
    return ANCHOR_TAG;
  } // TODO:
  //   Check registered components for existence of user supplied router link component name
  //   We would need to check PascalCase, kebab-case, and camelCase versions of name:
  //   const name = routerComponentName
  //   const names = [name, PascalCase(name), KebabCase(name), CamelCase(name)]
  //   exists = names.some(name =&gt; !!thisOrParent.$options.components[name])
  //   And may want to cache the result for performance or we just let the render fail
  //   if the component is not registered


  return routerComponentName || (hasNuxt ? 'nuxt-link' : 'router-link');
};
var computeRel = function computeRel() {
  var _ref2 = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {},
      target = _ref2.target,
      rel = _ref2.rel;

  return target === '_blank' &amp;&amp; (0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isNull)(rel) ? 'noopener' : rel || null;
};
var computeHref = function computeHref() {
  var _ref3 = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : {},
      href = _ref3.href,
      to = _ref3.to;

  var tag = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : ANCHOR_TAG;
  var fallback = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : '#';
  var toFallback = arguments.length &gt; 3 &amp;&amp; arguments[3] !== undefined ? arguments[3] : '/';

  // Return `href` when explicitly provided
  if (href) {
    return href;
  } // We've checked for `$router` in `computeTag()`, so `isRouterLink()` indicates a live router
  // When deferring to Vue Router's `&lt;router-link&gt;`, don't use the `href` attribute at all
  // We return `null`, and then remove `href` from the attributes passed to `&lt;router-link&gt;`


  if (isRouterLink(tag)) {
    return null;
  } // Fallback to `to` prop (if `to` is a string)


  if ((0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isString)(to)) {
    return to || toFallback;
  } // Fallback to `to.path' + `to.query` + `to.hash` prop (if `to` is an object)


  if ((0,_inspect__WEBPACK_IMPORTED_MODULE_2__.isPlainObject)(to) &amp;&amp; (to.path || to.query || to.hash)) {
    var path = (0,_string__WEBPACK_IMPORTED_MODULE_0__.toString)(to.path);
    var query = stringifyQueryObj(to.query);
    var hash = (0,_string__WEBPACK_IMPORTED_MODULE_0__.toString)(to.hash);
    hash = !hash || hash.charAt(0) === '#' ? hash : "#".concat(hash);
    return "".concat(path).concat(query).concat(hash) || toFallback;
  } // If nothing is provided return the fallback


  return fallback;
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js":
/*!*******************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/safe-vue-instance.js ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   safeVueInstance: () =&gt; (/* binding */ safeVueInstance)
/* harmony export */ });
/* harmony import */ var _vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../vue */ "./node_modules/bootstrap-vue/esm/vue.js");

function safeVueInstance(target) {
  if (!_vue__WEBPACK_IMPORTED_MODULE_0__.isVue3) {
    return target;
  }

  return new Proxy(target, {
    get: function get(target, prop) {
      return prop in target ? target[prop] : undefined;
    }
  });
}

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/stable-sort.js":
/*!*************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/stable-sort.js ***!
  \*************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   stableSort: () =&gt; (/* binding */ stableSort)
/* harmony export */ });
/*
 * Consistent and stable sort function across JavaScript platforms
 *
 * Inconsistent sorts can cause SSR problems between client and server
 * such as in &lt;b-table&gt; if sortBy is applied to the data on server side render.
 * Chrome and V8 native sorts are inconsistent/unstable
 *
 * This function uses native sort with fallback to index compare when the a and b
 * compare returns 0
 *
 * Algorithm based on:
 * https://stackoverflow.com/questions/1427608/fast-stable-sorting-algorithm-implementation-in-javascript/45422645#45422645
 *
 * @param {array} array to sort
 * @param {function} sort compare function
 * @return {array}
 */
var stableSort = function stableSort(array, compareFn) {
  // Using `.bind(compareFn)` on the wrapped anonymous function improves
  // performance by avoiding the function call setup. We don't use an arrow
  // function here as it binds `this` to the `stableSort` context rather than
  // the `compareFn` context, which wouldn't give us the performance increase.
  return array.map(function (a, index) {
    return [index, a];
  }).sort(function (a, b) {
    return this(a[1], b[1]) || a[0] - b[0];
  }.bind(compareFn)).map(function (e) {
    return e[1];
  });
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/string.js":
/*!********************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/string.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   escapeRegExp: () =&gt; (/* binding */ escapeRegExp),
/* harmony export */   kebabCase: () =&gt; (/* binding */ kebabCase),
/* harmony export */   lowerCase: () =&gt; (/* binding */ lowerCase),
/* harmony export */   lowerFirst: () =&gt; (/* binding */ lowerFirst),
/* harmony export */   pascalCase: () =&gt; (/* binding */ pascalCase),
/* harmony export */   startCase: () =&gt; (/* binding */ startCase),
/* harmony export */   toString: () =&gt; (/* binding */ toString),
/* harmony export */   trim: () =&gt; (/* binding */ trim),
/* harmony export */   trimLeft: () =&gt; (/* binding */ trimLeft),
/* harmony export */   trimRight: () =&gt; (/* binding */ trimRight),
/* harmony export */   upperCase: () =&gt; (/* binding */ upperCase),
/* harmony export */   upperFirst: () =&gt; (/* binding */ upperFirst)
/* harmony export */ });
/* harmony import */ var _constants_regex__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../constants/regex */ "./node_modules/bootstrap-vue/esm/constants/regex.js");
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
// String utilities

 // --- Utilities ---
// Converts PascalCase or camelCase to kebab-case

var kebabCase = function kebabCase(str) {
  return str.replace(_constants_regex__WEBPACK_IMPORTED_MODULE_0__.RX_HYPHENATE, '-$1').toLowerCase();
}; // Converts a kebab-case or camelCase string to PascalCase

var pascalCase = function pascalCase(str) {
  str = kebabCase(str).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_0__.RX_UN_KEBAB, function (_, c) {
    return c ? c.toUpperCase() : '';
  });
  return str.charAt(0).toUpperCase() + str.slice(1);
}; // Converts a string, including strings in camelCase or snake_case, into Start Case
// It keeps original single quote and hyphen in the word
// https://github.com/UrbanCompass/to-start-case

var startCase = function startCase(str) {
  return str.replace(_constants_regex__WEBPACK_IMPORTED_MODULE_0__.RX_UNDERSCORE, ' ').replace(_constants_regex__WEBPACK_IMPORTED_MODULE_0__.RX_LOWER_UPPER, function (str, $1, $2) {
    return $1 + ' ' + $2;
  }).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_0__.RX_START_SPACE_WORD, function (str, $1, $2) {
    return $1 + $2.toUpperCase();
  });
}; // Lowercases the first letter of a string and returns a new string

var lowerFirst = function lowerFirst(str) {
  str = (0,_inspect__WEBPACK_IMPORTED_MODULE_1__.isString)(str) ? str.trim() : String(str);
  return str.charAt(0).toLowerCase() + str.slice(1);
}; // Uppercases the first letter of a string and returns a new string

var upperFirst = function upperFirst(str) {
  str = (0,_inspect__WEBPACK_IMPORTED_MODULE_1__.isString)(str) ? str.trim() : String(str);
  return str.charAt(0).toUpperCase() + str.slice(1);
}; // Escape characters to be used in building a regular expression

var escapeRegExp = function escapeRegExp(str) {
  return str.replace(_constants_regex__WEBPACK_IMPORTED_MODULE_0__.RX_REGEXP_REPLACE, '\\$&amp;');
}; // Convert a value to a string that can be rendered
// `undefined`/`null` will be converted to `''`
// Plain objects and arrays will be JSON stringified

var toString = function toString(val) {
  var spaces = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 2;
  return (0,_inspect__WEBPACK_IMPORTED_MODULE_1__.isUndefinedOrNull)(val) ? '' : (0,_inspect__WEBPACK_IMPORTED_MODULE_1__.isArray)(val) || (0,_inspect__WEBPACK_IMPORTED_MODULE_1__.isPlainObject)(val) &amp;&amp; val.toString === Object.prototype.toString ? JSON.stringify(val, null, spaces) : String(val);
}; // Remove leading white space from a string

var trimLeft = function trimLeft(str) {
  return toString(str).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_0__.RX_TRIM_LEFT, '');
}; // Remove Trailing white space from a string

var trimRight = function trimRight(str) {
  return toString(str).replace(_constants_regex__WEBPACK_IMPORTED_MODULE_0__.RX_TRIM_RIGHT, '');
}; // Remove leading and trailing white space from a string

var trim = function trim(str) {
  return toString(str).trim();
}; // Lower case a string

var lowerCase = function lowerCase(str) {
  return toString(str).toLowerCase();
}; // Upper case a string

var upperCase = function upperCase(str) {
  return toString(str).toUpperCase();
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/stringify-object-values.js":
/*!*************************************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/stringify-object-values.js ***!
  \*************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   stringifyObjectValues: () =&gt; (/* binding */ stringifyObjectValues)
/* harmony export */ });
/* harmony import */ var _inspect__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./inspect */ "./node_modules/bootstrap-vue/esm/utils/inspect.js");
/* harmony import */ var _object__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./object */ "./node_modules/bootstrap-vue/esm/utils/object.js");
/* harmony import */ var _string__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./string */ "./node_modules/bootstrap-vue/esm/utils/string.js");


 // Recursively stringifies the values of an object, space separated, in an
// SSR safe deterministic way (keys are sorted before stringification)
//
//   ex:
//     { b: 3, c: { z: 'zzz', d: null, e: 2 }, d: [10, 12, 11], a: 'one' }
//   becomes
//     'one 3 2 zzz 10 12 11'
//
// Strings are returned as-is
// Numbers get converted to string
// `null` and `undefined` values are filtered out
// Dates are converted to their native string format

var stringifyObjectValues = function stringifyObjectValues(value) {
  if ((0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isUndefinedOrNull)(value)) {
    return '';
  } // Arrays are also object, and keys just returns the array indexes
  // Date objects we convert to strings


  if ((0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isObject)(value) &amp;&amp; !(0,_inspect__WEBPACK_IMPORTED_MODULE_0__.isDate)(value)) {
    return (0,_object__WEBPACK_IMPORTED_MODULE_1__.keys)(value).sort() // Sort to prevent SSR issues on pre-rendered sorted tables
    .map(function (k) {
      return stringifyObjectValues(value[k]);
    }).filter(function (v) {
      return !!v;
    }) // Ignore empty strings
    .join(' ');
  }

  return (0,_string__WEBPACK_IMPORTED_MODULE_2__.toString)(value);
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/utils/warn.js":
/*!******************************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/utils/warn.js ***!
  \******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   warn: () =&gt; (/* binding */ warn),
/* harmony export */   warnNoMutationObserverSupport: () =&gt; (/* binding */ warnNoMutationObserverSupport),
/* harmony export */   warnNoPromiseSupport: () =&gt; (/* binding */ warnNoPromiseSupport),
/* harmony export */   warnNotClient: () =&gt; (/* binding */ warnNotClient)
/* harmony export */ });
/* harmony import */ var _constants_env__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ../constants/env */ "./node_modules/bootstrap-vue/esm/constants/env.js");
/* harmony import */ var _env__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./env */ "./node_modules/bootstrap-vue/esm/utils/env.js");


/**
 * Log a warning message to the console with BootstrapVue formatting
 * @param {string} message
 */

var warn = function warn(message)
/* istanbul ignore next */
{
  var source = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : null;

  if (!(0,_env__WEBPACK_IMPORTED_MODULE_0__.getNoWarn)()) {
    console.warn("[BootstrapVue warn]: ".concat(source ? "".concat(source, " - ") : '').concat(message));
  }
};
/**
 * Warn when no Promise support is given
 * @param {string} source
 * @returns {boolean} warned
 */

var warnNotClient = function warnNotClient(source) {
  /* istanbul ignore else */
  if (_constants_env__WEBPACK_IMPORTED_MODULE_1__.IS_BROWSER) {
    return false;
  } else {
    warn("".concat(source, ": Can not be called during SSR."));
    return true;
  }
};
/**
 * Warn when no Promise support is given
 * @param {string} source
 * @returns {boolean} warned
 */

var warnNoPromiseSupport = function warnNoPromiseSupport(source) {
  /* istanbul ignore else */
  if (_constants_env__WEBPACK_IMPORTED_MODULE_1__.HAS_PROMISE_SUPPORT) {
    return false;
  } else {
    warn("".concat(source, ": Requires Promise support."));
    return true;
  }
};
/**
 * Warn when no MutationObserver support is given
 * @param {string} source
 * @returns {boolean} warned
 */

var warnNoMutationObserverSupport = function warnNoMutationObserverSupport(source) {
  /* istanbul ignore else */
  if (_constants_env__WEBPACK_IMPORTED_MODULE_1__.HAS_MUTATION_OBSERVER_SUPPORT) {
    return false;
  } else {
    warn("".concat(source, ": Requires MutationObserver support."));
    return true;
  }
};

/***/ }),

/***/ "./node_modules/bootstrap-vue/esm/vue.js":
/*!***********************************************!*\
  !*** ./node_modules/bootstrap-vue/esm/vue.js ***!
  \***********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   COMPONENT_UID_KEY: () =&gt; (/* binding */ COMPONENT_UID_KEY),
/* harmony export */   REF_FOR_KEY: () =&gt; (/* binding */ REF_FOR_KEY),
/* harmony export */   Vue: () =&gt; (/* reexport safe */ vue__WEBPACK_IMPORTED_MODULE_1__["default"]),
/* harmony export */   extend: () =&gt; (/* binding */ extend),
/* harmony export */   isVue3: () =&gt; (/* binding */ isVue3),
/* harmony export */   mergeData: () =&gt; (/* reexport safe */ vue_functional_data_merge__WEBPACK_IMPORTED_MODULE_0__.mergeData),
/* harmony export */   nextTick: () =&gt; (/* binding */ nextTick)
/* harmony export */ });
/* harmony import */ var vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue */ "./node_modules/vue/dist/vue.esm.js");
/* harmony import */ var vue_functional_data_merge__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! vue-functional-data-merge */ "./node_modules/vue-functional-data-merge/dist/lib.esm.js");
function ownKeys(object, enumerableOnly) { var keys = Object.keys(object); if (Object.getOwnPropertySymbols) { var symbols = Object.getOwnPropertySymbols(object); enumerableOnly &amp;&amp; (symbols = symbols.filter(function (sym) { return Object.getOwnPropertyDescriptor(object, sym).enumerable; })), keys.push.apply(keys, symbols); } return keys; }

function _objectSpread(target) { for (var i = 1; i &lt; arguments.length; i++) { var source = null != arguments[i] ? arguments[i] : {}; i % 2 ? ownKeys(Object(source), !0).forEach(function (key) { _defineProperty(target, key, source[key]); }) : Object.getOwnPropertyDescriptors ? Object.defineProperties(target, Object.getOwnPropertyDescriptors(source)) : ownKeys(Object(source)).forEach(function (key) { Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(source, key)); }); } return target; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _objectWithoutProperties(source, excluded) { if (source == null) return {}; var target = _objectWithoutPropertiesLoose(source, excluded); var key, i; if (Object.getOwnPropertySymbols) { var sourceSymbolKeys = Object.getOwnPropertySymbols(source); for (i = 0; i &lt; sourceSymbolKeys.length; i++) { key = sourceSymbolKeys[i]; if (excluded.indexOf(key) &gt;= 0) continue; if (!Object.prototype.propertyIsEnumerable.call(source, key)) continue; target[key] = source[key]; } } return target; }

function _objectWithoutPropertiesLoose(source, excluded) { if (source == null) return {}; var target = {}; var sourceKeys = Object.keys(source); var key, i; for (i = 0; i &lt; sourceKeys.length; i++) { key = sourceKeys[i]; if (excluded.indexOf(key) &gt;= 0) continue; target[key] = source[key]; } return target; }

function _typeof(obj) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol &amp;&amp; "symbol" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj &amp;&amp; "function" == typeof Symbol &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj; }, _typeof(obj); }


 // --- Constants ---

var COMPONENT_UID_KEY = '_uid';
var isVue3 = vue__WEBPACK_IMPORTED_MODULE_1__["default"].version.startsWith('3');
var REF_FOR_KEY = isVue3 ? 'ref_for' : 'refInFor';
var ALLOWED_FIELDS_IN_DATA = ['class', 'staticClass', 'style', 'attrs', 'props', 'domProps', 'on', 'nativeOn', 'directives', 'scopedSlots', 'slot', 'key', 'ref', 'refInFor'];
var extend = vue__WEBPACK_IMPORTED_MODULE_1__["default"].extend.bind(vue__WEBPACK_IMPORTED_MODULE_1__["default"]);

if (isVue3) {
  var originalExtend = vue__WEBPACK_IMPORTED_MODULE_1__["default"].extend;
  var KNOWN_COMPONENTS = ['router-link', 'transition', 'transition-group'];
  var originalVModelDynamicCreated = vue__WEBPACK_IMPORTED_MODULE_1__["default"].vModelDynamic.created;
  var originalVModelDynamicBeforeUpdate = vue__WEBPACK_IMPORTED_MODULE_1__["default"].vModelDynamic.beforeUpdate; // See https://github.com/vuejs/vue-next/pull/4121 for details

  vue__WEBPACK_IMPORTED_MODULE_1__["default"].vModelDynamic.created = function (el, binding, vnode) {
    originalVModelDynamicCreated.call(this, el, binding, vnode);

    if (!el._assign) {
      el._assign = function () {};
    }
  };

  vue__WEBPACK_IMPORTED_MODULE_1__["default"].vModelDynamic.beforeUpdate = function (el, binding, vnode) {
    originalVModelDynamicBeforeUpdate.call(this, el, binding, vnode);

    if (!el._assign) {
      el._assign = function () {};
    }
  };

  extend = function patchedBootstrapVueExtend(definition) {
    if (_typeof(definition) === 'object' &amp;&amp; definition.render &amp;&amp; !definition.__alreadyPatched) {
      var originalRender = definition.render;
      definition.__alreadyPatched = true;

      definition.render = function (h) {
        var patchedH = function patchedH(tag, dataObjOrChildren, rawSlots) {
          var slots = rawSlots === undefined ? [] : [Array.isArray(rawSlots) ? rawSlots.filter(Boolean) : rawSlots];
          var isTag = typeof tag === 'string' &amp;&amp; !KNOWN_COMPONENTS.includes(tag);
          var isSecondArgumentDataObject = dataObjOrChildren &amp;&amp; _typeof(dataObjOrChildren) === 'object' &amp;&amp; !Array.isArray(dataObjOrChildren);

          if (!isSecondArgumentDataObject) {
            return h.apply(void 0, [tag, dataObjOrChildren].concat(slots));
          }

          var attrs = dataObjOrChildren.attrs,
              props = dataObjOrChildren.props,
              restData = _objectWithoutProperties(dataObjOrChildren, ["attrs", "props"]);

          var normalizedData = _objectSpread(_objectSpread({}, restData), {}, {
            attrs: attrs,
            props: isTag ? {} : props
          });

          if (tag === 'router-link' &amp;&amp; !normalizedData.slots &amp;&amp; !normalizedData.scopedSlots) {
            // terrible workaround to fix router-link rendering with compat vue-router
            normalizedData.scopedSlots = {
              $hasNormal: function $hasNormal() {}
            };
          }

          return h.apply(void 0, [tag, normalizedData].concat(slots));
        };

        if (definition.functional) {
          var _ctx$children, _ctx$children$default;

          var ctx = arguments[1];

          var patchedCtx = _objectSpread({}, ctx);

          patchedCtx.data = {
            attrs: _objectSpread({}, ctx.data.attrs || {}),
            props: _objectSpread({}, ctx.data.props || {})
          };
          Object.keys(ctx.data || {}).forEach(function (key) {
            if (ALLOWED_FIELDS_IN_DATA.includes(key)) {
              patchedCtx.data[key] = ctx.data[key];
            } else if (key in ctx.props) {
              patchedCtx.data.props[key] = ctx.data[key];
            } else if (!key.startsWith('on')) {
              patchedCtx.data.attrs[key] = ctx.data[key];
            }
          });
          var IGNORED_CHILDREN_KEYS = ['_ctx'];
          var children = ((_ctx$children = ctx.children) === null || _ctx$children === void 0 ? void 0 : (_ctx$children$default = _ctx$children.default) === null || _ctx$children$default === void 0 ? void 0 : _ctx$children$default.call(_ctx$children)) || ctx.children;

          if (children &amp;&amp; Object.keys(patchedCtx.children).filter(function (k) {
            return !IGNORED_CHILDREN_KEYS.includes(k);
          }).length === 0) {
            delete patchedCtx.children;
          } else {
            patchedCtx.children = children;
          }

          patchedCtx.data.on = ctx.listeners;
          return originalRender.call(this, patchedH, patchedCtx);
        }

        return originalRender.call(this, patchedH);
      };
    }

    return originalExtend.call(this, definition);
  }.bind(vue__WEBPACK_IMPORTED_MODULE_1__["default"]);
}

var nextTick = vue__WEBPACK_IMPORTED_MODULE_1__["default"].nextTick;


/***/ }),

/***/ "./node_modules/buffer/index.js":
/*!**************************************!*\
  !*** ./node_modules/buffer/index.js ***!
  \**************************************/
/***/ ((__unused_webpack_module, exports, __webpack_require__) =&gt; {

"use strict";
/*!
 * The buffer module from node.js, for the browser.
 *
 * @author   Feross Aboukhadijeh &lt;http://feross.org&gt;
 * @license  MIT
 */
/* eslint-disable no-proto */



var base64 = __webpack_require__(/*! base64-js */ "./node_modules/base64-js/index.js")
var ieee754 = __webpack_require__(/*! ieee754 */ "./node_modules/ieee754/index.js")
var isArray = __webpack_require__(/*! isarray */ "./node_modules/isarray/index.js")

exports.Buffer = Buffer
exports.SlowBuffer = SlowBuffer
exports.INSPECT_MAX_BYTES = 50

/**
 * If `Buffer.TYPED_ARRAY_SUPPORT`:
 *   === true    Use Uint8Array implementation (fastest)
 *   === false   Use Object implementation (most compatible, even IE6)
 *
 * Browsers that support typed arrays are IE 10+, Firefox 4+, Chrome 7+, Safari 5.1+,
 * Opera 11.6+, iOS 4.2+.
 *
 * Due to various browser bugs, sometimes the Object implementation will be used even
 * when the browser supports typed arrays.
 *
 * Note:
 *
 *   - Firefox 4-29 lacks support for adding new properties to `Uint8Array` instances,
 *     See: https://bugzilla.mozilla.org/show_bug.cgi?id=695438.
 *
 *   - Chrome 9-10 is missing the `TypedArray.prototype.subarray` function.
 *
 *   - IE10 has a broken `TypedArray.prototype.subarray` function which returns arrays of
 *     incorrect length in some situations.

 * We detect these buggy browsers and set `Buffer.TYPED_ARRAY_SUPPORT` to `false` so they
 * get the Object implementation, which is slower but behaves correctly.
 */
Buffer.TYPED_ARRAY_SUPPORT = __webpack_require__.g.TYPED_ARRAY_SUPPORT !== undefined
  ? __webpack_require__.g.TYPED_ARRAY_SUPPORT
  : typedArraySupport()

/*
 * Export kMaxLength after typed array support is determined.
 */
exports.kMaxLength = kMaxLength()

function typedArraySupport () {
  try {
    var arr = new Uint8Array(1)
    arr.__proto__ = {__proto__: Uint8Array.prototype, foo: function () { return 42 }}
    return arr.foo() === 42 &amp;&amp; // typed array instances can be augmented
        typeof arr.subarray === 'function' &amp;&amp; // chrome 9-10 lack `subarray`
        arr.subarray(1, 1).byteLength === 0 // ie10 has broken `subarray`
  } catch (e) {
    return false
  }
}

function kMaxLength () {
  return Buffer.TYPED_ARRAY_SUPPORT
    ? 0x7fffffff
    : 0x3fffffff
}

function createBuffer (that, length) {
  if (kMaxLength() &lt; length) {
    throw new RangeError('Invalid typed array length')
  }
  if (Buffer.TYPED_ARRAY_SUPPORT) {
    // Return an augmented `Uint8Array` instance, for best performance
    that = new Uint8Array(length)
    that.__proto__ = Buffer.prototype
  } else {
    // Fallback: Return an object instance of the Buffer class
    if (that === null) {
      that = new Buffer(length)
    }
    that.length = length
  }

  return that
}

/**
 * The Buffer constructor returns instances of `Uint8Array` that have their
 * prototype changed to `Buffer.prototype`. Furthermore, `Buffer` is a subclass of
 * `Uint8Array`, so the returned instances will have all the node `Buffer` methods
 * and the `Uint8Array` methods. Square bracket notation works as expected -- it
 * returns a single octet.
 *
 * The `Uint8Array` prototype remains unmodified.
 */

function Buffer (arg, encodingOrOffset, length) {
  if (!Buffer.TYPED_ARRAY_SUPPORT &amp;&amp; !(this instanceof Buffer)) {
    return new Buffer(arg, encodingOrOffset, length)
  }

  // Common case.
  if (typeof arg === 'number') {
    if (typeof encodingOrOffset === 'string') {
      throw new Error(
        'If encoding is specified then the first argument must be a string'
      )
    }
    return allocUnsafe(this, arg)
  }
  return from(this, arg, encodingOrOffset, length)
}

Buffer.poolSize = 8192 // not used by this implementation

// TODO: Legacy, not needed anymore. Remove in next major version.
Buffer._augment = function (arr) {
  arr.__proto__ = Buffer.prototype
  return arr
}

function from (that, value, encodingOrOffset, length) {
  if (typeof value === 'number') {
    throw new TypeError('"value" argument must not be a number')
  }

  if (typeof ArrayBuffer !== 'undefined' &amp;&amp; value instanceof ArrayBuffer) {
    return fromArrayBuffer(that, value, encodingOrOffset, length)
  }

  if (typeof value === 'string') {
    return fromString(that, value, encodingOrOffset)
  }

  return fromObject(that, value)
}

/**
 * Functionally equivalent to Buffer(arg, encoding) but throws a TypeError
 * if value is a number.
 * Buffer.from(str[, encoding])
 * Buffer.from(array)
 * Buffer.from(buffer)
 * Buffer.from(arrayBuffer[, byteOffset[, length]])
 **/
Buffer.from = function (value, encodingOrOffset, length) {
  return from(null, value, encodingOrOffset, length)
}

if (Buffer.TYPED_ARRAY_SUPPORT) {
  Buffer.prototype.__proto__ = Uint8Array.prototype
  Buffer.__proto__ = Uint8Array
  if (typeof Symbol !== 'undefined' &amp;&amp; Symbol.species &amp;&amp;
      Buffer[Symbol.species] === Buffer) {
    // Fix subarray() in ES2016. See: https://github.com/feross/buffer/pull/97
    Object.defineProperty(Buffer, Symbol.species, {
      value: null,
      configurable: true
    })
  }
}

function assertSize (size) {
  if (typeof size !== 'number') {
    throw new TypeError('"size" argument must be a number')
  } else if (size &lt; 0) {
    throw new RangeError('"size" argument must not be negative')
  }
}

function alloc (that, size, fill, encoding) {
  assertSize(size)
  if (size &lt;= 0) {
    return createBuffer(that, size)
  }
  if (fill !== undefined) {
    // Only pay attention to encoding if it's a string. This
    // prevents accidentally sending in a number that would
    // be interpretted as a start offset.
    return typeof encoding === 'string'
      ? createBuffer(that, size).fill(fill, encoding)
      : createBuffer(that, size).fill(fill)
  }
  return createBuffer(that, size)
}

/**
 * Creates a new filled Buffer instance.
 * alloc(size[, fill[, encoding]])
 **/
Buffer.alloc = function (size, fill, encoding) {
  return alloc(null, size, fill, encoding)
}

function allocUnsafe (that, size) {
  assertSize(size)
  that = createBuffer(that, size &lt; 0 ? 0 : checked(size) | 0)
  if (!Buffer.TYPED_ARRAY_SUPPORT) {
    for (var i = 0; i &lt; size; ++i) {
      that[i] = 0
    }
  }
  return that
}

/**
 * Equivalent to Buffer(num), by default creates a non-zero-filled Buffer instance.
 * */
Buffer.allocUnsafe = function (size) {
  return allocUnsafe(null, size)
}
/**
 * Equivalent to SlowBuffer(num), by default creates a non-zero-filled Buffer instance.
 */
Buffer.allocUnsafeSlow = function (size) {
  return allocUnsafe(null, size)
}

function fromString (that, string, encoding) {
  if (typeof encoding !== 'string' || encoding === '') {
    encoding = 'utf8'
  }

  if (!Buffer.isEncoding(encoding)) {
    throw new TypeError('"encoding" must be a valid string encoding')
  }

  var length = byteLength(string, encoding) | 0
  that = createBuffer(that, length)

  var actual = that.write(string, encoding)

  if (actual !== length) {
    // Writing a hex string, for example, that contains invalid characters will
    // cause everything after the first invalid character to be ignored. (e.g.
    // 'abxxcd' will be treated as 'ab')
    that = that.slice(0, actual)
  }

  return that
}

function fromArrayLike (that, array) {
  var length = array.length &lt; 0 ? 0 : checked(array.length) | 0
  that = createBuffer(that, length)
  for (var i = 0; i &lt; length; i += 1) {
    that[i] = array[i] &amp; 255
  }
  return that
}

function fromArrayBuffer (that, array, byteOffset, length) {
  array.byteLength // this throws if `array` is not a valid ArrayBuffer

  if (byteOffset &lt; 0 || array.byteLength &lt; byteOffset) {
    throw new RangeError('\'offset\' is out of bounds')
  }

  if (array.byteLength &lt; byteOffset + (length || 0)) {
    throw new RangeError('\'length\' is out of bounds')
  }

  if (byteOffset === undefined &amp;&amp; length === undefined) {
    array = new Uint8Array(array)
  } else if (length === undefined) {
    array = new Uint8Array(array, byteOffset)
  } else {
    array = new Uint8Array(array, byteOffset, length)
  }

  if (Buffer.TYPED_ARRAY_SUPPORT) {
    // Return an augmented `Uint8Array` instance, for best performance
    that = array
    that.__proto__ = Buffer.prototype
  } else {
    // Fallback: Return an object instance of the Buffer class
    that = fromArrayLike(that, array)
  }
  return that
}

function fromObject (that, obj) {
  if (Buffer.isBuffer(obj)) {
    var len = checked(obj.length) | 0
    that = createBuffer(that, len)

    if (that.length === 0) {
      return that
    }

    obj.copy(that, 0, 0, len)
    return that
  }

  if (obj) {
    if ((typeof ArrayBuffer !== 'undefined' &amp;&amp;
        obj.buffer instanceof ArrayBuffer) || 'length' in obj) {
      if (typeof obj.length !== 'number' || isnan(obj.length)) {
        return createBuffer(that, 0)
      }
      return fromArrayLike(that, obj)
    }

    if (obj.type === 'Buffer' &amp;&amp; isArray(obj.data)) {
      return fromArrayLike(that, obj.data)
    }
  }

  throw new TypeError('First argument must be a string, Buffer, ArrayBuffer, Array, or array-like object.')
}

function checked (length) {
  // Note: cannot use `length &lt; kMaxLength()` here because that fails when
  // length is NaN (which is otherwise coerced to zero.)
  if (length &gt;= kMaxLength()) {
    throw new RangeError('Attempt to allocate Buffer larger than maximum ' +
                         'size: 0x' + kMaxLength().toString(16) + ' bytes')
  }
  return length | 0
}

function SlowBuffer (length) {
  if (+length != length) { // eslint-disable-line eqeqeq
    length = 0
  }
  return Buffer.alloc(+length)
}

Buffer.isBuffer = function isBuffer (b) {
  return !!(b != null &amp;&amp; b._isBuffer)
}

Buffer.compare = function compare (a, b) {
  if (!Buffer.isBuffer(a) || !Buffer.isBuffer(b)) {
    throw new TypeError('Arguments must be Buffers')
  }

  if (a === b) return 0

  var x = a.length
  var y = b.length

  for (var i = 0, len = Math.min(x, y); i &lt; len; ++i) {
    if (a[i] !== b[i]) {
      x = a[i]
      y = b[i]
      break
    }
  }

  if (x &lt; y) return -1
  if (y &lt; x) return 1
  return 0
}

Buffer.isEncoding = function isEncoding (encoding) {
  switch (String(encoding).toLowerCase()) {
    case 'hex':
    case 'utf8':
    case 'utf-8':
    case 'ascii':
    case 'latin1':
    case 'binary':
    case 'base64':
    case 'ucs2':
    case 'ucs-2':
    case 'utf16le':
    case 'utf-16le':
      return true
    default:
      return false
  }
}

Buffer.concat = function concat (list, length) {
  if (!isArray(list)) {
    throw new TypeError('"list" argument must be an Array of Buffers')
  }

  if (list.length === 0) {
    return Buffer.alloc(0)
  }

  var i
  if (length === undefined) {
    length = 0
    for (i = 0; i &lt; list.length; ++i) {
      length += list[i].length
    }
  }

  var buffer = Buffer.allocUnsafe(length)
  var pos = 0
  for (i = 0; i &lt; list.length; ++i) {
    var buf = list[i]
    if (!Buffer.isBuffer(buf)) {
      throw new TypeError('"list" argument must be an Array of Buffers')
    }
    buf.copy(buffer, pos)
    pos += buf.length
  }
  return buffer
}

function byteLength (string, encoding) {
  if (Buffer.isBuffer(string)) {
    return string.length
  }
  if (typeof ArrayBuffer !== 'undefined' &amp;&amp; typeof ArrayBuffer.isView === 'function' &amp;&amp;
      (ArrayBuffer.isView(string) || string instanceof ArrayBuffer)) {
    return string.byteLength
  }
  if (typeof string !== 'string') {
    string = '' + string
  }

  var len = string.length
  if (len === 0) return 0

  // Use a for loop to avoid recursion
  var loweredCase = false
  for (;;) {
    switch (encoding) {
      case 'ascii':
      case 'latin1':
      case 'binary':
        return len
      case 'utf8':
      case 'utf-8':
      case undefined:
        return utf8ToBytes(string).length
      case 'ucs2':
      case 'ucs-2':
      case 'utf16le':
      case 'utf-16le':
        return len * 2
      case 'hex':
        return len &gt;&gt;&gt; 1
      case 'base64':
        return base64ToBytes(string).length
      default:
        if (loweredCase) return utf8ToBytes(string).length // assume utf8
        encoding = ('' + encoding).toLowerCase()
        loweredCase = true
    }
  }
}
Buffer.byteLength = byteLength

function slowToString (encoding, start, end) {
  var loweredCase = false

  // No need to verify that "this.length &lt;= MAX_UINT32" since it's a read-only
  // property of a typed array.

  // This behaves neither like String nor Uint8Array in that we set start/end
  // to their upper/lower bounds if the value passed is out of range.
  // undefined is handled specially as per ECMA-262 6th Edition,
  // Section 13.3.3.7 Runtime Semantics: KeyedBindingInitialization.
  if (start === undefined || start &lt; 0) {
    start = 0
  }
  // Return early if start &gt; this.length. Done here to prevent potential uint32
  // coercion fail below.
  if (start &gt; this.length) {
    return ''
  }

  if (end === undefined || end &gt; this.length) {
    end = this.length
  }

  if (end &lt;= 0) {
    return ''
  }

  // Force coersion to uint32. This will also coerce falsey/NaN values to 0.
  end &gt;&gt;&gt;= 0
  start &gt;&gt;&gt;= 0

  if (end &lt;= start) {
    return ''
  }

  if (!encoding) encoding = 'utf8'

  while (true) {
    switch (encoding) {
      case 'hex':
        return hexSlice(this, start, end)

      case 'utf8':
      case 'utf-8':
        return utf8Slice(this, start, end)

      case 'ascii':
        return asciiSlice(this, start, end)

      case 'latin1':
      case 'binary':
        return latin1Slice(this, start, end)

      case 'base64':
        return base64Slice(this, start, end)

      case 'ucs2':
      case 'ucs-2':
      case 'utf16le':
      case 'utf-16le':
        return utf16leSlice(this, start, end)

      default:
        if (loweredCase) throw new TypeError('Unknown encoding: ' + encoding)
        encoding = (encoding + '').toLowerCase()
        loweredCase = true
    }
  }
}

// The property is used by `Buffer.isBuffer` and `is-buffer` (in Safari 5-7) to detect
// Buffer instances.
Buffer.prototype._isBuffer = true

function swap (b, n, m) {
  var i = b[n]
  b[n] = b[m]
  b[m] = i
}

Buffer.prototype.swap16 = function swap16 () {
  var len = this.length
  if (len % 2 !== 0) {
    throw new RangeError('Buffer size must be a multiple of 16-bits')
  }
  for (var i = 0; i &lt; len; i += 2) {
    swap(this, i, i + 1)
  }
  return this
}

Buffer.prototype.swap32 = function swap32 () {
  var len = this.length
  if (len % 4 !== 0) {
    throw new RangeError('Buffer size must be a multiple of 32-bits')
  }
  for (var i = 0; i &lt; len; i += 4) {
    swap(this, i, i + 3)
    swap(this, i + 1, i + 2)
  }
  return this
}

Buffer.prototype.swap64 = function swap64 () {
  var len = this.length
  if (len % 8 !== 0) {
    throw new RangeError('Buffer size must be a multiple of 64-bits')
  }
  for (var i = 0; i &lt; len; i += 8) {
    swap(this, i, i + 7)
    swap(this, i + 1, i + 6)
    swap(this, i + 2, i + 5)
    swap(this, i + 3, i + 4)
  }
  return this
}

Buffer.prototype.toString = function toString () {
  var length = this.length | 0
  if (length === 0) return ''
  if (arguments.length === 0) return utf8Slice(this, 0, length)
  return slowToString.apply(this, arguments)
}

Buffer.prototype.equals = function equals (b) {
  if (!Buffer.isBuffer(b)) throw new TypeError('Argument must be a Buffer')
  if (this === b) return true
  return Buffer.compare(this, b) === 0
}

Buffer.prototype.inspect = function inspect () {
  var str = ''
  var max = exports.INSPECT_MAX_BYTES
  if (this.length &gt; 0) {
    str = this.toString('hex', 0, max).match(/.{2}/g).join(' ')
    if (this.length &gt; max) str += ' ... '
  }
  return '&lt;Buffer ' + str + '&gt;'
}

Buffer.prototype.compare = function compare (target, start, end, thisStart, thisEnd) {
  if (!Buffer.isBuffer(target)) {
    throw new TypeError('Argument must be a Buffer')
  }

  if (start === undefined) {
    start = 0
  }
  if (end === undefined) {
    end = target ? target.length : 0
  }
  if (thisStart === undefined) {
    thisStart = 0
  }
  if (thisEnd === undefined) {
    thisEnd = this.length
  }

  if (start &lt; 0 || end &gt; target.length || thisStart &lt; 0 || thisEnd &gt; this.length) {
    throw new RangeError('out of range index')
  }

  if (thisStart &gt;= thisEnd &amp;&amp; start &gt;= end) {
    return 0
  }
  if (thisStart &gt;= thisEnd) {
    return -1
  }
  if (start &gt;= end) {
    return 1
  }

  start &gt;&gt;&gt;= 0
  end &gt;&gt;&gt;= 0
  thisStart &gt;&gt;&gt;= 0
  thisEnd &gt;&gt;&gt;= 0

  if (this === target) return 0

  var x = thisEnd - thisStart
  var y = end - start
  var len = Math.min(x, y)

  var thisCopy = this.slice(thisStart, thisEnd)
  var targetCopy = target.slice(start, end)

  for (var i = 0; i &lt; len; ++i) {
    if (thisCopy[i] !== targetCopy[i]) {
      x = thisCopy[i]
      y = targetCopy[i]
      break
    }
  }

  if (x &lt; y) return -1
  if (y &lt; x) return 1
  return 0
}

// Finds either the first index of `val` in `buffer` at offset &gt;= `byteOffset`,
// OR the last index of `val` in `buffer` at offset &lt;= `byteOffset`.
//
// Arguments:
// - buffer - a Buffer to search
// - val - a string, Buffer, or number
// - byteOffset - an index into `buffer`; will be clamped to an int32
// - encoding - an optional encoding, relevant is val is a string
// - dir - true for indexOf, false for lastIndexOf
function bidirectionalIndexOf (buffer, val, byteOffset, encoding, dir) {
  // Empty buffer means no match
  if (buffer.length === 0) return -1

  // Normalize byteOffset
  if (typeof byteOffset === 'string') {
    encoding = byteOffset
    byteOffset = 0
  } else if (byteOffset &gt; 0x7fffffff) {
    byteOffset = 0x7fffffff
  } else if (byteOffset &lt; -0x80000000) {
    byteOffset = -0x80000000
  }
  byteOffset = +byteOffset  // Coerce to Number.
  if (isNaN(byteOffset)) {
    // byteOffset: it it's undefined, null, NaN, "foo", etc, search whole buffer
    byteOffset = dir ? 0 : (buffer.length - 1)
  }

  // Normalize byteOffset: negative offsets start from the end of the buffer
  if (byteOffset &lt; 0) byteOffset = buffer.length + byteOffset
  if (byteOffset &gt;= buffer.length) {
    if (dir) return -1
    else byteOffset = buffer.length - 1
  } else if (byteOffset &lt; 0) {
    if (dir) byteOffset = 0
    else return -1
  }

  // Normalize val
  if (typeof val === 'string') {
    val = Buffer.from(val, encoding)
  }

  // Finally, search either indexOf (if dir is true) or lastIndexOf
  if (Buffer.isBuffer(val)) {
    // Special case: looking for empty string/buffer always fails
    if (val.length === 0) {
      return -1
    }
    return arrayIndexOf(buffer, val, byteOffset, encoding, dir)
  } else if (typeof val === 'number') {
    val = val &amp; 0xFF // Search for a byte value [0-255]
    if (Buffer.TYPED_ARRAY_SUPPORT &amp;&amp;
        typeof Uint8Array.prototype.indexOf === 'function') {
      if (dir) {
        return Uint8Array.prototype.indexOf.call(buffer, val, byteOffset)
      } else {
        return Uint8Array.prototype.lastIndexOf.call(buffer, val, byteOffset)
      }
    }
    return arrayIndexOf(buffer, [ val ], byteOffset, encoding, dir)
  }

  throw new TypeError('val must be string, number or Buffer')
}

function arrayIndexOf (arr, val, byteOffset, encoding, dir) {
  var indexSize = 1
  var arrLength = arr.length
  var valLength = val.length

  if (encoding !== undefined) {
    encoding = String(encoding).toLowerCase()
    if (encoding === 'ucs2' || encoding === 'ucs-2' ||
        encoding === 'utf16le' || encoding === 'utf-16le') {
      if (arr.length &lt; 2 || val.length &lt; 2) {
        return -1
      }
      indexSize = 2
      arrLength /= 2
      valLength /= 2
      byteOffset /= 2
    }
  }

  function read (buf, i) {
    if (indexSize === 1) {
      return buf[i]
    } else {
      return buf.readUInt16BE(i * indexSize)
    }
  }

  var i
  if (dir) {
    var foundIndex = -1
    for (i = byteOffset; i &lt; arrLength; i++) {
      if (read(arr, i) === read(val, foundIndex === -1 ? 0 : i - foundIndex)) {
        if (foundIndex === -1) foundIndex = i
        if (i - foundIndex + 1 === valLength) return foundIndex * indexSize
      } else {
        if (foundIndex !== -1) i -= i - foundIndex
        foundIndex = -1
      }
    }
  } else {
    if (byteOffset + valLength &gt; arrLength) byteOffset = arrLength - valLength
    for (i = byteOffset; i &gt;= 0; i--) {
      var found = true
      for (var j = 0; j &lt; valLength; j++) {
        if (read(arr, i + j) !== read(val, j)) {
          found = false
          break
        }
      }
      if (found) return i
    }
  }

  return -1
}

Buffer.prototype.includes = function includes (val, byteOffset, encoding) {
  return this.indexOf(val, byteOffset, encoding) !== -1
}

Buffer.prototype.indexOf = function indexOf (val, byteOffset, encoding) {
  return bidirectionalIndexOf(this, val, byteOffset, encoding, true)
}

Buffer.prototype.lastIndexOf = function lastIndexOf (val, byteOffset, encoding) {
  return bidirectionalIndexOf(this, val, byteOffset, encoding, false)
}

function hexWrite (buf, string, offset, length) {
  offset = Number(offset) || 0
  var remaining = buf.length - offset
  if (!length) {
    length = remaining
  } else {
    length = Number(length)
    if (length &gt; remaining) {
      length = remaining
    }
  }

  // must be an even number of digits
  var strLen = string.length
  if (strLen % 2 !== 0) throw new TypeError('Invalid hex string')

  if (length &gt; strLen / 2) {
    length = strLen / 2
  }
  for (var i = 0; i &lt; length; ++i) {
    var parsed = parseInt(string.substr(i * 2, 2), 16)
    if (isNaN(parsed)) return i
    buf[offset + i] = parsed
  }
  return i
}

function utf8Write (buf, string, offset, length) {
  return blitBuffer(utf8ToBytes(string, buf.length - offset), buf, offset, length)
}

function asciiWrite (buf, string, offset, length) {
  return blitBuffer(asciiToBytes(string), buf, offset, length)
}

function latin1Write (buf, string, offset, length) {
  return asciiWrite(buf, string, offset, length)
}

function base64Write (buf, string, offset, length) {
  return blitBuffer(base64ToBytes(string), buf, offset, length)
}

function ucs2Write (buf, string, offset, length) {
  return blitBuffer(utf16leToBytes(string, buf.length - offset), buf, offset, length)
}

Buffer.prototype.write = function write (string, offset, length, encoding) {
  // Buffer#write(string)
  if (offset === undefined) {
    encoding = 'utf8'
    length = this.length
    offset = 0
  // Buffer#write(string, encoding)
  } else if (length === undefined &amp;&amp; typeof offset === 'string') {
    encoding = offset
    length = this.length
    offset = 0
  // Buffer#write(string, offset[, length][, encoding])
  } else if (isFinite(offset)) {
    offset = offset | 0
    if (isFinite(length)) {
      length = length | 0
      if (encoding === undefined) encoding = 'utf8'
    } else {
      encoding = length
      length = undefined
    }
  // legacy write(string, encoding, offset, length) - remove in v0.13
  } else {
    throw new Error(
      'Buffer.write(string, encoding, offset[, length]) is no longer supported'
    )
  }

  var remaining = this.length - offset
  if (length === undefined || length &gt; remaining) length = remaining

  if ((string.length &gt; 0 &amp;&amp; (length &lt; 0 || offset &lt; 0)) || offset &gt; this.length) {
    throw new RangeError('Attempt to write outside buffer bounds')
  }

  if (!encoding) encoding = 'utf8'

  var loweredCase = false
  for (;;) {
    switch (encoding) {
      case 'hex':
        return hexWrite(this, string, offset, length)

      case 'utf8':
      case 'utf-8':
        return utf8Write(this, string, offset, length)

      case 'ascii':
        return asciiWrite(this, string, offset, length)

      case 'latin1':
      case 'binary':
        return latin1Write(this, string, offset, length)

      case 'base64':
        // Warning: maxLength not taken into account in base64Write
        return base64Write(this, string, offset, length)

      case 'ucs2':
      case 'ucs-2':
      case 'utf16le':
      case 'utf-16le':
        return ucs2Write(this, string, offset, length)

      default:
        if (loweredCase) throw new TypeError('Unknown encoding: ' + encoding)
        encoding = ('' + encoding).toLowerCase()
        loweredCase = true
    }
  }
}

Buffer.prototype.toJSON = function toJSON () {
  return {
    type: 'Buffer',
    data: Array.prototype.slice.call(this._arr || this, 0)
  }
}

function base64Slice (buf, start, end) {
  if (start === 0 &amp;&amp; end === buf.length) {
    return base64.fromByteArray(buf)
  } else {
    return base64.fromByteArray(buf.slice(start, end))
  }
}

function utf8Slice (buf, start, end) {
  end = Math.min(buf.length, end)
  var res = []

  var i = start
  while (i &lt; end) {
    var firstByte = buf[i]
    var codePoint = null
    var bytesPerSequence = (firstByte &gt; 0xEF) ? 4
      : (firstByte &gt; 0xDF) ? 3
      : (firstByte &gt; 0xBF) ? 2
      : 1

    if (i + bytesPerSequence &lt;= end) {
      var secondByte, thirdByte, fourthByte, tempCodePoint

      switch (bytesPerSequence) {
        case 1:
          if (firstByte &lt; 0x80) {
            codePoint = firstByte
          }
          break
        case 2:
          secondByte = buf[i + 1]
          if ((secondByte &amp; 0xC0) === 0x80) {
            tempCodePoint = (firstByte &amp; 0x1F) &lt;&lt; 0x6 | (secondByte &amp; 0x3F)
            if (tempCodePoint &gt; 0x7F) {
              codePoint = tempCodePoint
            }
          }
          break
        case 3:
          secondByte = buf[i + 1]
          thirdByte = buf[i + 2]
          if ((secondByte &amp; 0xC0) === 0x80 &amp;&amp; (thirdByte &amp; 0xC0) === 0x80) {
            tempCodePoint = (firstByte &amp; 0xF) &lt;&lt; 0xC | (secondByte &amp; 0x3F) &lt;&lt; 0x6 | (thirdByte &amp; 0x3F)
            if (tempCodePoint &gt; 0x7FF &amp;&amp; (tempCodePoint &lt; 0xD800 || tempCodePoint &gt; 0xDFFF)) {
              codePoint = tempCodePoint
            }
          }
          break
        case 4:
          secondByte = buf[i + 1]
          thirdByte = buf[i + 2]
          fourthByte = buf[i + 3]
          if ((secondByte &amp; 0xC0) === 0x80 &amp;&amp; (thirdByte &amp; 0xC0) === 0x80 &amp;&amp; (fourthByte &amp; 0xC0) === 0x80) {
            tempCodePoint = (firstByte &amp; 0xF) &lt;&lt; 0x12 | (secondByte &amp; 0x3F) &lt;&lt; 0xC | (thirdByte &amp; 0x3F) &lt;&lt; 0x6 | (fourthByte &amp; 0x3F)
            if (tempCodePoint &gt; 0xFFFF &amp;&amp; tempCodePoint &lt; 0x110000) {
              codePoint = tempCodePoint
            }
          }
      }
    }

    if (codePoint === null) {
      // we did not generate a valid codePoint so insert a
      // replacement char (U+FFFD) and advance only 1 byte
      codePoint = 0xFFFD
      bytesPerSequence = 1
    } else if (codePoint &gt; 0xFFFF) {
      // encode to utf16 (surrogate pair dance)
      codePoint -= 0x10000
      res.push(codePoint &gt;&gt;&gt; 10 &amp; 0x3FF | 0xD800)
      codePoint = 0xDC00 | codePoint &amp; 0x3FF
    }

    res.push(codePoint)
    i += bytesPerSequence
  }

  return decodeCodePointsArray(res)
}

// Based on http://stackoverflow.com/a/22747272/680742, the browser with
// the lowest limit is Chrome, with 0x10000 args.
// We go 1 magnitude less, for safety
var MAX_ARGUMENTS_LENGTH = 0x1000

function decodeCodePointsArray (codePoints) {
  var len = codePoints.length
  if (len &lt;= MAX_ARGUMENTS_LENGTH) {
    return String.fromCharCode.apply(String, codePoints) // avoid extra slice()
  }

  // Decode in chunks to avoid "call stack size exceeded".
  var res = ''
  var i = 0
  while (i &lt; len) {
    res += String.fromCharCode.apply(
      String,
      codePoints.slice(i, i += MAX_ARGUMENTS_LENGTH)
    )
  }
  return res
}

function asciiSlice (buf, start, end) {
  var ret = ''
  end = Math.min(buf.length, end)

  for (var i = start; i &lt; end; ++i) {
    ret += String.fromCharCode(buf[i] &amp; 0x7F)
  }
  return ret
}

function latin1Slice (buf, start, end) {
  var ret = ''
  end = Math.min(buf.length, end)

  for (var i = start; i &lt; end; ++i) {
    ret += String.fromCharCode(buf[i])
  }
  return ret
}

function hexSlice (buf, start, end) {
  var len = buf.length

  if (!start || start &lt; 0) start = 0
  if (!end || end &lt; 0 || end &gt; len) end = len

  var out = ''
  for (var i = start; i &lt; end; ++i) {
    out += toHex(buf[i])
  }
  return out
}

function utf16leSlice (buf, start, end) {
  var bytes = buf.slice(start, end)
  var res = ''
  for (var i = 0; i &lt; bytes.length; i += 2) {
    res += String.fromCharCode(bytes[i] + bytes[i + 1] * 256)
  }
  return res
}

Buffer.prototype.slice = function slice (start, end) {
  var len = this.length
  start = ~~start
  end = end === undefined ? len : ~~end

  if (start &lt; 0) {
    start += len
    if (start &lt; 0) start = 0
  } else if (start &gt; len) {
    start = len
  }

  if (end &lt; 0) {
    end += len
    if (end &lt; 0) end = 0
  } else if (end &gt; len) {
    end = len
  }

  if (end &lt; start) end = start

  var newBuf
  if (Buffer.TYPED_ARRAY_SUPPORT) {
    newBuf = this.subarray(start, end)
    newBuf.__proto__ = Buffer.prototype
  } else {
    var sliceLen = end - start
    newBuf = new Buffer(sliceLen, undefined)
    for (var i = 0; i &lt; sliceLen; ++i) {
      newBuf[i] = this[i + start]
    }
  }

  return newBuf
}

/*
 * Need to make sure that buffer isn't trying to write out of bounds.
 */
function checkOffset (offset, ext, length) {
  if ((offset % 1) !== 0 || offset &lt; 0) throw new RangeError('offset is not uint')
  if (offset + ext &gt; length) throw new RangeError('Trying to access beyond buffer length')
}

Buffer.prototype.readUIntLE = function readUIntLE (offset, byteLength, noAssert) {
  offset = offset | 0
  byteLength = byteLength | 0
  if (!noAssert) checkOffset(offset, byteLength, this.length)

  var val = this[offset]
  var mul = 1
  var i = 0
  while (++i &lt; byteLength &amp;&amp; (mul *= 0x100)) {
    val += this[offset + i] * mul
  }

  return val
}

Buffer.prototype.readUIntBE = function readUIntBE (offset, byteLength, noAssert) {
  offset = offset | 0
  byteLength = byteLength | 0
  if (!noAssert) {
    checkOffset(offset, byteLength, this.length)
  }

  var val = this[offset + --byteLength]
  var mul = 1
  while (byteLength &gt; 0 &amp;&amp; (mul *= 0x100)) {
    val += this[offset + --byteLength] * mul
  }

  return val
}

Buffer.prototype.readUInt8 = function readUInt8 (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 1, this.length)
  return this[offset]
}

Buffer.prototype.readUInt16LE = function readUInt16LE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 2, this.length)
  return this[offset] | (this[offset + 1] &lt;&lt; 8)
}

Buffer.prototype.readUInt16BE = function readUInt16BE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 2, this.length)
  return (this[offset] &lt;&lt; 8) | this[offset + 1]
}

Buffer.prototype.readUInt32LE = function readUInt32LE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 4, this.length)

  return ((this[offset]) |
      (this[offset + 1] &lt;&lt; 8) |
      (this[offset + 2] &lt;&lt; 16)) +
      (this[offset + 3] * 0x1000000)
}

Buffer.prototype.readUInt32BE = function readUInt32BE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 4, this.length)

  return (this[offset] * 0x1000000) +
    ((this[offset + 1] &lt;&lt; 16) |
    (this[offset + 2] &lt;&lt; 8) |
    this[offset + 3])
}

Buffer.prototype.readIntLE = function readIntLE (offset, byteLength, noAssert) {
  offset = offset | 0
  byteLength = byteLength | 0
  if (!noAssert) checkOffset(offset, byteLength, this.length)

  var val = this[offset]
  var mul = 1
  var i = 0
  while (++i &lt; byteLength &amp;&amp; (mul *= 0x100)) {
    val += this[offset + i] * mul
  }
  mul *= 0x80

  if (val &gt;= mul) val -= Math.pow(2, 8 * byteLength)

  return val
}

Buffer.prototype.readIntBE = function readIntBE (offset, byteLength, noAssert) {
  offset = offset | 0
  byteLength = byteLength | 0
  if (!noAssert) checkOffset(offset, byteLength, this.length)

  var i = byteLength
  var mul = 1
  var val = this[offset + --i]
  while (i &gt; 0 &amp;&amp; (mul *= 0x100)) {
    val += this[offset + --i] * mul
  }
  mul *= 0x80

  if (val &gt;= mul) val -= Math.pow(2, 8 * byteLength)

  return val
}

Buffer.prototype.readInt8 = function readInt8 (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 1, this.length)
  if (!(this[offset] &amp; 0x80)) return (this[offset])
  return ((0xff - this[offset] + 1) * -1)
}

Buffer.prototype.readInt16LE = function readInt16LE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 2, this.length)
  var val = this[offset] | (this[offset + 1] &lt;&lt; 8)
  return (val &amp; 0x8000) ? val | 0xFFFF0000 : val
}

Buffer.prototype.readInt16BE = function readInt16BE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 2, this.length)
  var val = this[offset + 1] | (this[offset] &lt;&lt; 8)
  return (val &amp; 0x8000) ? val | 0xFFFF0000 : val
}

Buffer.prototype.readInt32LE = function readInt32LE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 4, this.length)

  return (this[offset]) |
    (this[offset + 1] &lt;&lt; 8) |
    (this[offset + 2] &lt;&lt; 16) |
    (this[offset + 3] &lt;&lt; 24)
}

Buffer.prototype.readInt32BE = function readInt32BE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 4, this.length)

  return (this[offset] &lt;&lt; 24) |
    (this[offset + 1] &lt;&lt; 16) |
    (this[offset + 2] &lt;&lt; 8) |
    (this[offset + 3])
}

Buffer.prototype.readFloatLE = function readFloatLE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 4, this.length)
  return ieee754.read(this, offset, true, 23, 4)
}

Buffer.prototype.readFloatBE = function readFloatBE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 4, this.length)
  return ieee754.read(this, offset, false, 23, 4)
}

Buffer.prototype.readDoubleLE = function readDoubleLE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 8, this.length)
  return ieee754.read(this, offset, true, 52, 8)
}

Buffer.prototype.readDoubleBE = function readDoubleBE (offset, noAssert) {
  if (!noAssert) checkOffset(offset, 8, this.length)
  return ieee754.read(this, offset, false, 52, 8)
}

function checkInt (buf, value, offset, ext, max, min) {
  if (!Buffer.isBuffer(buf)) throw new TypeError('"buffer" argument must be a Buffer instance')
  if (value &gt; max || value &lt; min) throw new RangeError('"value" argument is out of bounds')
  if (offset + ext &gt; buf.length) throw new RangeError('Index out of range')
}

Buffer.prototype.writeUIntLE = function writeUIntLE (value, offset, byteLength, noAssert) {
  value = +value
  offset = offset | 0
  byteLength = byteLength | 0
  if (!noAssert) {
    var maxBytes = Math.pow(2, 8 * byteLength) - 1
    checkInt(this, value, offset, byteLength, maxBytes, 0)
  }

  var mul = 1
  var i = 0
  this[offset] = value &amp; 0xFF
  while (++i &lt; byteLength &amp;&amp; (mul *= 0x100)) {
    this[offset + i] = (value / mul) &amp; 0xFF
  }

  return offset + byteLength
}

Buffer.prototype.writeUIntBE = function writeUIntBE (value, offset, byteLength, noAssert) {
  value = +value
  offset = offset | 0
  byteLength = byteLength | 0
  if (!noAssert) {
    var maxBytes = Math.pow(2, 8 * byteLength) - 1
    checkInt(this, value, offset, byteLength, maxBytes, 0)
  }

  var i = byteLength - 1
  var mul = 1
  this[offset + i] = value &amp; 0xFF
  while (--i &gt;= 0 &amp;&amp; (mul *= 0x100)) {
    this[offset + i] = (value / mul) &amp; 0xFF
  }

  return offset + byteLength
}

Buffer.prototype.writeUInt8 = function writeUInt8 (value, offset, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) checkInt(this, value, offset, 1, 0xff, 0)
  if (!Buffer.TYPED_ARRAY_SUPPORT) value = Math.floor(value)
  this[offset] = (value &amp; 0xff)
  return offset + 1
}

function objectWriteUInt16 (buf, value, offset, littleEndian) {
  if (value &lt; 0) value = 0xffff + value + 1
  for (var i = 0, j = Math.min(buf.length - offset, 2); i &lt; j; ++i) {
    buf[offset + i] = (value &amp; (0xff &lt;&lt; (8 * (littleEndian ? i : 1 - i)))) &gt;&gt;&gt;
      (littleEndian ? i : 1 - i) * 8
  }
}

Buffer.prototype.writeUInt16LE = function writeUInt16LE (value, offset, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) checkInt(this, value, offset, 2, 0xffff, 0)
  if (Buffer.TYPED_ARRAY_SUPPORT) {
    this[offset] = (value &amp; 0xff)
    this[offset + 1] = (value &gt;&gt;&gt; 8)
  } else {
    objectWriteUInt16(this, value, offset, true)
  }
  return offset + 2
}

Buffer.prototype.writeUInt16BE = function writeUInt16BE (value, offset, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) checkInt(this, value, offset, 2, 0xffff, 0)
  if (Buffer.TYPED_ARRAY_SUPPORT) {
    this[offset] = (value &gt;&gt;&gt; 8)
    this[offset + 1] = (value &amp; 0xff)
  } else {
    objectWriteUInt16(this, value, offset, false)
  }
  return offset + 2
}

function objectWriteUInt32 (buf, value, offset, littleEndian) {
  if (value &lt; 0) value = 0xffffffff + value + 1
  for (var i = 0, j = Math.min(buf.length - offset, 4); i &lt; j; ++i) {
    buf[offset + i] = (value &gt;&gt;&gt; (littleEndian ? i : 3 - i) * 8) &amp; 0xff
  }
}

Buffer.prototype.writeUInt32LE = function writeUInt32LE (value, offset, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) checkInt(this, value, offset, 4, 0xffffffff, 0)
  if (Buffer.TYPED_ARRAY_SUPPORT) {
    this[offset + 3] = (value &gt;&gt;&gt; 24)
    this[offset + 2] = (value &gt;&gt;&gt; 16)
    this[offset + 1] = (value &gt;&gt;&gt; 8)
    this[offset] = (value &amp; 0xff)
  } else {
    objectWriteUInt32(this, value, offset, true)
  }
  return offset + 4
}

Buffer.prototype.writeUInt32BE = function writeUInt32BE (value, offset, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) checkInt(this, value, offset, 4, 0xffffffff, 0)
  if (Buffer.TYPED_ARRAY_SUPPORT) {
    this[offset] = (value &gt;&gt;&gt; 24)
    this[offset + 1] = (value &gt;&gt;&gt; 16)
    this[offset + 2] = (value &gt;&gt;&gt; 8)
    this[offset + 3] = (value &amp; 0xff)
  } else {
    objectWriteUInt32(this, value, offset, false)
  }
  return offset + 4
}

Buffer.prototype.writeIntLE = function writeIntLE (value, offset, byteLength, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) {
    var limit = Math.pow(2, 8 * byteLength - 1)

    checkInt(this, value, offset, byteLength, limit - 1, -limit)
  }

  var i = 0
  var mul = 1
  var sub = 0
  this[offset] = value &amp; 0xFF
  while (++i &lt; byteLength &amp;&amp; (mul *= 0x100)) {
    if (value &lt; 0 &amp;&amp; sub === 0 &amp;&amp; this[offset + i - 1] !== 0) {
      sub = 1
    }
    this[offset + i] = ((value / mul) &gt;&gt; 0) - sub &amp; 0xFF
  }

  return offset + byteLength
}

Buffer.prototype.writeIntBE = function writeIntBE (value, offset, byteLength, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) {
    var limit = Math.pow(2, 8 * byteLength - 1)

    checkInt(this, value, offset, byteLength, limit - 1, -limit)
  }

  var i = byteLength - 1
  var mul = 1
  var sub = 0
  this[offset + i] = value &amp; 0xFF
  while (--i &gt;= 0 &amp;&amp; (mul *= 0x100)) {
    if (value &lt; 0 &amp;&amp; sub === 0 &amp;&amp; this[offset + i + 1] !== 0) {
      sub = 1
    }
    this[offset + i] = ((value / mul) &gt;&gt; 0) - sub &amp; 0xFF
  }

  return offset + byteLength
}

Buffer.prototype.writeInt8 = function writeInt8 (value, offset, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) checkInt(this, value, offset, 1, 0x7f, -0x80)
  if (!Buffer.TYPED_ARRAY_SUPPORT) value = Math.floor(value)
  if (value &lt; 0) value = 0xff + value + 1
  this[offset] = (value &amp; 0xff)
  return offset + 1
}

Buffer.prototype.writeInt16LE = function writeInt16LE (value, offset, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) checkInt(this, value, offset, 2, 0x7fff, -0x8000)
  if (Buffer.TYPED_ARRAY_SUPPORT) {
    this[offset] = (value &amp; 0xff)
    this[offset + 1] = (value &gt;&gt;&gt; 8)
  } else {
    objectWriteUInt16(this, value, offset, true)
  }
  return offset + 2
}

Buffer.prototype.writeInt16BE = function writeInt16BE (value, offset, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) checkInt(this, value, offset, 2, 0x7fff, -0x8000)
  if (Buffer.TYPED_ARRAY_SUPPORT) {
    this[offset] = (value &gt;&gt;&gt; 8)
    this[offset + 1] = (value &amp; 0xff)
  } else {
    objectWriteUInt16(this, value, offset, false)
  }
  return offset + 2
}

Buffer.prototype.writeInt32LE = function writeInt32LE (value, offset, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) checkInt(this, value, offset, 4, 0x7fffffff, -0x80000000)
  if (Buffer.TYPED_ARRAY_SUPPORT) {
    this[offset] = (value &amp; 0xff)
    this[offset + 1] = (value &gt;&gt;&gt; 8)
    this[offset + 2] = (value &gt;&gt;&gt; 16)
    this[offset + 3] = (value &gt;&gt;&gt; 24)
  } else {
    objectWriteUInt32(this, value, offset, true)
  }
  return offset + 4
}

Buffer.prototype.writeInt32BE = function writeInt32BE (value, offset, noAssert) {
  value = +value
  offset = offset | 0
  if (!noAssert) checkInt(this, value, offset, 4, 0x7fffffff, -0x80000000)
  if (value &lt; 0) value = 0xffffffff + value + 1
  if (Buffer.TYPED_ARRAY_SUPPORT) {
    this[offset] = (value &gt;&gt;&gt; 24)
    this[offset + 1] = (value &gt;&gt;&gt; 16)
    this[offset + 2] = (value &gt;&gt;&gt; 8)
    this[offset + 3] = (value &amp; 0xff)
  } else {
    objectWriteUInt32(this, value, offset, false)
  }
  return offset + 4
}

function checkIEEE754 (buf, value, offset, ext, max, min) {
  if (offset + ext &gt; buf.length) throw new RangeError('Index out of range')
  if (offset &lt; 0) throw new RangeError('Index out of range')
}

function writeFloat (buf, value, offset, littleEndian, noAssert) {
  if (!noAssert) {
    checkIEEE754(buf, value, offset, 4, 3.4028234663852886e+38, -3.4028234663852886e+38)
  }
  ieee754.write(buf, value, offset, littleEndian, 23, 4)
  return offset + 4
}

Buffer.prototype.writeFloatLE = function writeFloatLE (value, offset, noAssert) {
  return writeFloat(this, value, offset, true, noAssert)
}

Buffer.prototype.writeFloatBE = function writeFloatBE (value, offset, noAssert) {
  return writeFloat(this, value, offset, false, noAssert)
}

function writeDouble (buf, value, offset, littleEndian, noAssert) {
  if (!noAssert) {
    checkIEEE754(buf, value, offset, 8, 1.7976931348623157E+308, -1.7976931348623157E+308)
  }
  ieee754.write(buf, value, offset, littleEndian, 52, 8)
  return offset + 8
}

Buffer.prototype.writeDoubleLE = function writeDoubleLE (value, offset, noAssert) {
  return writeDouble(this, value, offset, true, noAssert)
}

Buffer.prototype.writeDoubleBE = function writeDoubleBE (value, offset, noAssert) {
  return writeDouble(this, value, offset, false, noAssert)
}

// copy(targetBuffer, targetStart=0, sourceStart=0, sourceEnd=buffer.length)
Buffer.prototype.copy = function copy (target, targetStart, start, end) {
  if (!start) start = 0
  if (!end &amp;&amp; end !== 0) end = this.length
  if (targetStart &gt;= target.length) targetStart = target.length
  if (!targetStart) targetStart = 0
  if (end &gt; 0 &amp;&amp; end &lt; start) end = start

  // Copy 0 bytes; we're done
  if (end === start) return 0
  if (target.length === 0 || this.length === 0) return 0

  // Fatal error conditions
  if (targetStart &lt; 0) {
    throw new RangeError('targetStart out of bounds')
  }
  if (start &lt; 0 || start &gt;= this.length) throw new RangeError('sourceStart out of bounds')
  if (end &lt; 0) throw new RangeError('sourceEnd out of bounds')

  // Are we oob?
  if (end &gt; this.length) end = this.length
  if (target.length - targetStart &lt; end - start) {
    end = target.length - targetStart + start
  }

  var len = end - start
  var i

  if (this === target &amp;&amp; start &lt; targetStart &amp;&amp; targetStart &lt; end) {
    // descending copy from end
    for (i = len - 1; i &gt;= 0; --i) {
      target[i + targetStart] = this[i + start]
    }
  } else if (len &lt; 1000 || !Buffer.TYPED_ARRAY_SUPPORT) {
    // ascending copy from start
    for (i = 0; i &lt; len; ++i) {
      target[i + targetStart] = this[i + start]
    }
  } else {
    Uint8Array.prototype.set.call(
      target,
      this.subarray(start, start + len),
      targetStart
    )
  }

  return len
}

// Usage:
//    buffer.fill(number[, offset[, end]])
//    buffer.fill(buffer[, offset[, end]])
//    buffer.fill(string[, offset[, end]][, encoding])
Buffer.prototype.fill = function fill (val, start, end, encoding) {
  // Handle string cases:
  if (typeof val === 'string') {
    if (typeof start === 'string') {
      encoding = start
      start = 0
      end = this.length
    } else if (typeof end === 'string') {
      encoding = end
      end = this.length
    }
    if (val.length === 1) {
      var code = val.charCodeAt(0)
      if (code &lt; 256) {
        val = code
      }
    }
    if (encoding !== undefined &amp;&amp; typeof encoding !== 'string') {
      throw new TypeError('encoding must be a string')
    }
    if (typeof encoding === 'string' &amp;&amp; !Buffer.isEncoding(encoding)) {
      throw new TypeError('Unknown encoding: ' + encoding)
    }
  } else if (typeof val === 'number') {
    val = val &amp; 255
  }

  // Invalid ranges are not set to a default, so can range check early.
  if (start &lt; 0 || this.length &lt; start || this.length &lt; end) {
    throw new RangeError('Out of range index')
  }

  if (end &lt;= start) {
    return this
  }

  start = start &gt;&gt;&gt; 0
  end = end === undefined ? this.length : end &gt;&gt;&gt; 0

  if (!val) val = 0

  var i
  if (typeof val === 'number') {
    for (i = start; i &lt; end; ++i) {
      this[i] = val
    }
  } else {
    var bytes = Buffer.isBuffer(val)
      ? val
      : utf8ToBytes(new Buffer(val, encoding).toString())
    var len = bytes.length
    for (i = 0; i &lt; end - start; ++i) {
      this[i + start] = bytes[i % len]
    }
  }

  return this
}

// HELPER FUNCTIONS
// ================

var INVALID_BASE64_RE = /[^+\/0-9A-Za-z-_]/g

function base64clean (str) {
  // Node strips out invalid characters like \n and \t from the string, base64-js does not
  str = stringtrim(str).replace(INVALID_BASE64_RE, '')
  // Node converts strings with length &lt; 2 to ''
  if (str.length &lt; 2) return ''
  // Node allows for non-padded base64 strings (missing trailing ===), base64-js does not
  while (str.length % 4 !== 0) {
    str = str + '='
  }
  return str
}

function stringtrim (str) {
  if (str.trim) return str.trim()
  return str.replace(/^\s+|\s+$/g, '')
}

function toHex (n) {
  if (n &lt; 16) return '0' + n.toString(16)
  return n.toString(16)
}

function utf8ToBytes (string, units) {
  units = units || Infinity
  var codePoint
  var length = string.length
  var leadSurrogate = null
  var bytes = []

  for (var i = 0; i &lt; length; ++i) {
    codePoint = string.charCodeAt(i)

    // is surrogate component
    if (codePoint &gt; 0xD7FF &amp;&amp; codePoint &lt; 0xE000) {
      // last char was a lead
      if (!leadSurrogate) {
        // no lead yet
        if (codePoint &gt; 0xDBFF) {
          // unexpected trail
          if ((units -= 3) &gt; -1) bytes.push(0xEF, 0xBF, 0xBD)
          continue
        } else if (i + 1 === length) {
          // unpaired lead
          if ((units -= 3) &gt; -1) bytes.push(0xEF, 0xBF, 0xBD)
          continue
        }

        // valid lead
        leadSurrogate = codePoint

        continue
      }

      // 2 leads in a row
      if (codePoint &lt; 0xDC00) {
        if ((units -= 3) &gt; -1) bytes.push(0xEF, 0xBF, 0xBD)
        leadSurrogate = codePoint
        continue
      }

      // valid surrogate pair
      codePoint = (leadSurrogate - 0xD800 &lt;&lt; 10 | codePoint - 0xDC00) + 0x10000
    } else if (leadSurrogate) {
      // valid bmp char, but last char was a lead
      if ((units -= 3) &gt; -1) bytes.push(0xEF, 0xBF, 0xBD)
    }

    leadSurrogate = null

    // encode utf8
    if (codePoint &lt; 0x80) {
      if ((units -= 1) &lt; 0) break
      bytes.push(codePoint)
    } else if (codePoint &lt; 0x800) {
      if ((units -= 2) &lt; 0) break
      bytes.push(
        codePoint &gt;&gt; 0x6 | 0xC0,
        codePoint &amp; 0x3F | 0x80
      )
    } else if (codePoint &lt; 0x10000) {
      if ((units -= 3) &lt; 0) break
      bytes.push(
        codePoint &gt;&gt; 0xC | 0xE0,
        codePoint &gt;&gt; 0x6 &amp; 0x3F | 0x80,
        codePoint &amp; 0x3F | 0x80
      )
    } else if (codePoint &lt; 0x110000) {
      if ((units -= 4) &lt; 0) break
      bytes.push(
        codePoint &gt;&gt; 0x12 | 0xF0,
        codePoint &gt;&gt; 0xC &amp; 0x3F | 0x80,
        codePoint &gt;&gt; 0x6 &amp; 0x3F | 0x80,
        codePoint &amp; 0x3F | 0x80
      )
    } else {
      throw new Error('Invalid code point')
    }
  }

  return bytes
}

function asciiToBytes (str) {
  var byteArray = []
  for (var i = 0; i &lt; str.length; ++i) {
    // Node's code seems to be doing this and not &amp; 0x7F..
    byteArray.push(str.charCodeAt(i) &amp; 0xFF)
  }
  return byteArray
}

function utf16leToBytes (str, units) {
  var c, hi, lo
  var byteArray = []
  for (var i = 0; i &lt; str.length; ++i) {
    if ((units -= 2) &lt; 0) break

    c = str.charCodeAt(i)
    hi = c &gt;&gt; 8
    lo = c % 256
    byteArray.push(lo)
    byteArray.push(hi)
  }

  return byteArray
}

function base64ToBytes (str) {
  return base64.toByteArray(base64clean(str))
}

function blitBuffer (src, dst, offset, length) {
  for (var i = 0; i &lt; length; ++i) {
    if ((i + offset &gt;= dst.length) || (i &gt;= src.length)) break
    dst[i + offset] = src[i]
  }
  return i
}

function isnan (val) {
  return val !== val // eslint-disable-line no-self-compare
}


/***/ }),

/***/ "./node_modules/ieee754/index.js":
/*!***************************************!*\
  !*** ./node_modules/ieee754/index.js ***!
  \***************************************/
/***/ ((__unused_webpack_module, exports) =&gt; {

/*! ieee754. BSD-3-Clause License. Feross Aboukhadijeh &lt;https://feross.org/opensource&gt; */
exports.read = function (buffer, offset, isLE, mLen, nBytes) {
  var e, m
  var eLen = (nBytes * 8) - mLen - 1
  var eMax = (1 &lt;&lt; eLen) - 1
  var eBias = eMax &gt;&gt; 1
  var nBits = -7
  var i = isLE ? (nBytes - 1) : 0
  var d = isLE ? -1 : 1
  var s = buffer[offset + i]

  i += d

  e = s &amp; ((1 &lt;&lt; (-nBits)) - 1)
  s &gt;&gt;= (-nBits)
  nBits += eLen
  for (; nBits &gt; 0; e = (e * 256) + buffer[offset + i], i += d, nBits -= 8) {}

  m = e &amp; ((1 &lt;&lt; (-nBits)) - 1)
  e &gt;&gt;= (-nBits)
  nBits += mLen
  for (; nBits &gt; 0; m = (m * 256) + buffer[offset + i], i += d, nBits -= 8) {}

  if (e === 0) {
    e = 1 - eBias
  } else if (e === eMax) {
    return m ? NaN : ((s ? -1 : 1) * Infinity)
  } else {
    m = m + Math.pow(2, mLen)
    e = e - eBias
  }
  return (s ? -1 : 1) * m * Math.pow(2, e - mLen)
}

exports.write = function (buffer, value, offset, isLE, mLen, nBytes) {
  var e, m, c
  var eLen = (nBytes * 8) - mLen - 1
  var eMax = (1 &lt;&lt; eLen) - 1
  var eBias = eMax &gt;&gt; 1
  var rt = (mLen === 23 ? Math.pow(2, -24) - Math.pow(2, -77) : 0)
  var i = isLE ? 0 : (nBytes - 1)
  var d = isLE ? 1 : -1
  var s = value &lt; 0 || (value === 0 &amp;&amp; 1 / value &lt; 0) ? 1 : 0

  value = Math.abs(value)

  if (isNaN(value) || value === Infinity) {
    m = isNaN(value) ? 1 : 0
    e = eMax
  } else {
    e = Math.floor(Math.log(value) / Math.LN2)
    if (value * (c = Math.pow(2, -e)) &lt; 1) {
      e--
      c *= 2
    }
    if (e + eBias &gt;= 1) {
      value += rt / c
    } else {
      value += rt * Math.pow(2, 1 - eBias)
    }
    if (value * c &gt;= 2) {
      e++
      c /= 2
    }

    if (e + eBias &gt;= eMax) {
      m = 0
      e = eMax
    } else if (e + eBias &gt;= 1) {
      m = ((value * c) - 1) * Math.pow(2, mLen)
      e = e + eBias
    } else {
      m = value * Math.pow(2, eBias - 1) * Math.pow(2, mLen)
      e = 0
    }
  }

  for (; mLen &gt;= 8; buffer[offset + i] = m &amp; 0xff, i += d, m /= 256, mLen -= 8) {}

  e = (e &lt;&lt; mLen) | m
  eLen += mLen
  for (; eLen &gt; 0; buffer[offset + i] = e &amp; 0xff, i += d, e /= 256, eLen -= 8) {}

  buffer[offset + i - d] |= s * 128
}


/***/ }),

/***/ "./node_modules/isarray/index.js":
/*!***************************************!*\
  !*** ./node_modules/isarray/index.js ***!
  \***************************************/
/***/ ((module) =&gt; {

var toString = {}.toString;

module.exports = Array.isArray || function (arr) {
  return toString.call(arr) == '[object Array]';
};


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/bootstrap-vue/dist/bootstrap-vue.css":
/*!********************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/bootstrap-vue/dist/bootstrap-vue.css ***!
  \********************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "@charset \"UTF-8\";\n/*!\n * BootstrapVue Custom CSS (https://bootstrap-vue.org)\n */\n.bv-no-focus-ring:focus {\n  outline: none;\n}\n\n@media (max-width: 575.98px) {\n  .bv-d-xs-down-none {\n    display: none !important;\n  }\n}\n@media (max-width: 767.98px) {\n  .bv-d-sm-down-none {\n    display: none !important;\n  }\n}\n@media (max-width: 991.98px) {\n  .bv-d-md-down-none {\n    display: none !important;\n  }\n}\n@media (max-width: 1199.98px) {\n  .bv-d-lg-down-none {\n    display: none !important;\n  }\n}\n.bv-d-xl-down-none {\n  display: none !important;\n}\n\n.form-control.focus {\n  color: #495057;\n  background-color: #fff;\n  border-color: #80bdff;\n  outline: 0;\n  box-shadow: 0 0 0 0.2rem rgba(0, 123, 255, 0.25);\n}\n.form-control.focus.is-valid {\n  border-color: #28a745;\n  box-shadow: 0 0 0 0.2rem rgba(40, 167, 69, 0.25);\n}\n.form-control.focus.is-invalid {\n  border-color: #dc3545;\n  box-shadow: 0 0 0 0.2rem rgba(220, 53, 69, 0.25);\n}\n\n.b-avatar {\n  display: inline-flex;\n  align-items: center;\n  justify-content: center;\n  vertical-align: middle;\n  flex-shrink: 0;\n  width: 2.5rem;\n  height: 2.5rem;\n  font-size: inherit;\n  font-weight: 400;\n  line-height: 1;\n  max-width: 100%;\n  max-height: auto;\n  text-align: center;\n  overflow: visible;\n  position: relative;\n  transition: color 0.15s ease-in-out, background-color 0.15s ease-in-out, box-shadow 0.15s ease-in-out;\n}\n.b-avatar:focus {\n  outline: 0;\n}\n.b-avatar.btn, .b-avatar[href] {\n  padding: 0;\n  border: 0;\n}\n.b-avatar.btn .b-avatar-img img, .b-avatar[href] .b-avatar-img img {\n  transition: transform 0.15s ease-in-out;\n}\n.b-avatar.btn:not(:disabled):not(.disabled), .b-avatar[href]:not(:disabled):not(.disabled) {\n  cursor: pointer;\n}\n.b-avatar.btn:not(:disabled):not(.disabled):hover .b-avatar-img img, .b-avatar[href]:not(:disabled):not(.disabled):hover .b-avatar-img img {\n  transform: scale(1.15);\n}\n.b-avatar.disabled, .b-avatar:disabled, .b-avatar[disabled] {\n  opacity: 0.65;\n  pointer-events: none;\n}\n.b-avatar .b-avatar-custom,\n.b-avatar .b-avatar-text,\n.b-avatar .b-avatar-img {\n  border-radius: inherit;\n  width: 100%;\n  height: 100%;\n  overflow: hidden;\n  display: flex;\n  justify-content: center;\n  align-items: center;\n  -webkit-mask-image: radial-gradient(white, black);\n  mask-image: radial-gradient(white, black);\n}\n.b-avatar .b-avatar-text {\n  text-transform: uppercase;\n  white-space: nowrap;\n}\n.b-avatar[href] {\n  text-decoration: none;\n}\n.b-avatar &gt; .b-icon {\n  width: 60%;\n  height: auto;\n  max-width: 100%;\n}\n.b-avatar .b-avatar-img img {\n  width: 100%;\n  height: 100%;\n  max-height: auto;\n  border-radius: inherit;\n  -o-object-fit: cover;\n  object-fit: cover;\n}\n.b-avatar .b-avatar-badge {\n  position: absolute;\n  min-height: 1.5em;\n  min-width: 1.5em;\n  padding: 0.25em;\n  line-height: 1;\n  border-radius: 10em;\n  font-size: 70%;\n  font-weight: 700;\n  z-index: 1;\n}\n\n.b-avatar-sm {\n  width: 1.5rem;\n  height: 1.5rem;\n}\n.b-avatar-sm .b-avatar-text {\n  font-size: calc(0.6rem);\n}\n.b-avatar-sm .b-avatar-badge {\n  font-size: calc(0.42rem);\n}\n\n.b-avatar-lg {\n  width: 3.5rem;\n  height: 3.5rem;\n}\n.b-avatar-lg .b-avatar-text {\n  font-size: calc(1.4rem);\n}\n.b-avatar-lg .b-avatar-badge {\n  font-size: calc(0.98rem);\n}\n\n.b-avatar-group .b-avatar-group-inner {\n  display: flex;\n  flex-wrap: wrap;\n}\n.b-avatar-group .b-avatar {\n  border: 1px solid #dee2e6;\n}\n.b-avatar-group a.b-avatar:hover:not(.disabled):not(disabled),\n.b-avatar-group .btn.b-avatar:hover:not(.disabled):not(disabled) {\n  z-index: 1;\n}\n\n.b-calendar {\n  display: inline-flex;\n}\n.b-calendar .b-calendar-inner {\n  min-width: 250px;\n}\n.b-calendar .b-calendar-header,\n.b-calendar .b-calendar-nav {\n  margin-bottom: 0.25rem;\n}\n.b-calendar .b-calendar-nav .btn {\n  padding: 0.25rem;\n}\n.b-calendar output {\n  padding: 0.25rem;\n  font-size: 80%;\n}\n.b-calendar output.readonly {\n  background-color: #e9ecef;\n  opacity: 1;\n}\n.b-calendar .b-calendar-footer {\n  margin-top: 0.5rem;\n}\n.b-calendar .b-calendar-grid {\n  padding: 0;\n  margin: 0;\n  overflow: hidden;\n}\n.b-calendar .b-calendar-grid .row {\n  flex-wrap: nowrap;\n}\n.b-calendar .b-calendar-grid-caption {\n  padding: 0.25rem;\n}\n.b-calendar .b-calendar-grid-body .col[data-date] .btn {\n  width: 32px;\n  height: 32px;\n  font-size: 14px;\n  line-height: 1;\n  margin: 3px auto;\n  padding: 9px 0;\n}\n.b-calendar .btn:disabled, .b-calendar .btn.disabled, .b-calendar .btn[aria-disabled=true] {\n  cursor: default;\n  pointer-events: none;\n}\n\n.card-img-left {\n  border-top-left-radius: calc(0.25rem - 1px);\n  border-bottom-left-radius: calc(0.25rem - 1px);\n}\n\n.card-img-right {\n  border-top-right-radius: calc(0.25rem - 1px);\n  border-bottom-right-radius: calc(0.25rem - 1px);\n}\n\n.dropdown:not(.dropleft) .dropdown-toggle.dropdown-toggle-no-caret::after {\n  display: none !important;\n}\n.dropdown.dropleft .dropdown-toggle.dropdown-toggle-no-caret::before {\n  display: none !important;\n}\n.dropdown .dropdown-menu:focus {\n  outline: none;\n}\n\n.b-dropdown-form {\n  display: inline-block;\n  padding: 0.25rem 1.5rem;\n  width: 100%;\n  clear: both;\n  font-weight: 400;\n}\n.b-dropdown-form:focus {\n  outline: 1px dotted !important;\n  outline: 5px auto -webkit-focus-ring-color !important;\n}\n.b-dropdown-form.disabled, .b-dropdown-form:disabled {\n  outline: 0 !important;\n  color: #adb5bd;\n  pointer-events: none;\n}\n\n.b-dropdown-text {\n  display: inline-block;\n  padding: 0.25rem 1.5rem;\n  margin-bottom: 0;\n  width: 100%;\n  clear: both;\n  font-weight: lighter;\n}\n\n.custom-checkbox.b-custom-control-lg,\n.input-group-lg .custom-checkbox {\n  font-size: 1.25rem;\n  line-height: 1.5;\n  padding-left: 1.875rem;\n}\n.custom-checkbox.b-custom-control-lg .custom-control-label::before,\n.input-group-lg .custom-checkbox .custom-control-label::before {\n  top: 0.3125rem;\n  left: -1.875rem;\n  width: 1.25rem;\n  height: 1.25rem;\n  border-radius: 0.3rem;\n}\n.custom-checkbox.b-custom-control-lg .custom-control-label::after,\n.input-group-lg .custom-checkbox .custom-control-label::after {\n  top: 0.3125rem;\n  left: -1.875rem;\n  width: 1.25rem;\n  height: 1.25rem;\n  background-size: 50% 50%;\n}\n\n.custom-checkbox.b-custom-control-sm,\n.input-group-sm .custom-checkbox {\n  font-size: 0.875rem;\n  line-height: 1.5;\n  padding-left: 1.3125rem;\n}\n.custom-checkbox.b-custom-control-sm .custom-control-label::before,\n.input-group-sm .custom-checkbox .custom-control-label::before {\n  top: 0.21875rem;\n  left: -1.3125rem;\n  width: 0.875rem;\n  height: 0.875rem;\n  border-radius: 0.2rem;\n}\n.custom-checkbox.b-custom-control-sm .custom-control-label::after,\n.input-group-sm .custom-checkbox .custom-control-label::after {\n  top: 0.21875rem;\n  left: -1.3125rem;\n  width: 0.875rem;\n  height: 0.875rem;\n  background-size: 50% 50%;\n}\n\n.custom-switch.b-custom-control-lg,\n.input-group-lg .custom-switch {\n  padding-left: 2.8125rem;\n}\n.custom-switch.b-custom-control-lg .custom-control-label,\n.input-group-lg .custom-switch .custom-control-label {\n  font-size: 1.25rem;\n  line-height: 1.5;\n}\n.custom-switch.b-custom-control-lg .custom-control-label::before,\n.input-group-lg .custom-switch .custom-control-label::before {\n  top: 0.3125rem;\n  height: 1.25rem;\n  left: -2.8125rem;\n  width: 2.1875rem;\n  border-radius: 0.625rem;\n}\n.custom-switch.b-custom-control-lg .custom-control-label::after,\n.input-group-lg .custom-switch .custom-control-label::after {\n  top: calc(\n        0.3125rem + 2px\n      );\n  left: calc(\n        -2.8125rem + 2px\n      );\n  width: calc(\n  1.25rem - 4px\n);\n  height: calc(\n  1.25rem - 4px\n);\n  border-radius: 0.625rem;\n  background-size: 50% 50%;\n}\n.custom-switch.b-custom-control-lg .custom-control-input:checked ~ .custom-control-label::after,\n.input-group-lg .custom-switch .custom-control-input:checked ~ .custom-control-label::after {\n  transform: translateX(0.9375rem);\n}\n\n.custom-switch.b-custom-control-sm,\n.input-group-sm .custom-switch {\n  padding-left: 1.96875rem;\n}\n.custom-switch.b-custom-control-sm .custom-control-label,\n.input-group-sm .custom-switch .custom-control-label {\n  font-size: 0.875rem;\n  line-height: 1.5;\n}\n.custom-switch.b-custom-control-sm .custom-control-label::before,\n.input-group-sm .custom-switch .custom-control-label::before {\n  top: 0.21875rem;\n  left: -1.96875rem;\n  width: 1.53125rem;\n  height: 0.875rem;\n  border-radius: 0.4375rem;\n}\n.custom-switch.b-custom-control-sm .custom-control-label::after,\n.input-group-sm .custom-switch .custom-control-label::after {\n  top: calc(\n        0.21875rem + 2px\n      );\n  left: calc(\n        -1.96875rem + 2px\n      );\n  width: calc(\n  0.875rem - 4px\n);\n  height: calc(\n  0.875rem - 4px\n);\n  border-radius: 0.4375rem;\n  background-size: 50% 50%;\n}\n.custom-switch.b-custom-control-sm .custom-control-input:checked ~ .custom-control-label::after,\n.input-group-sm .custom-switch .custom-control-input:checked ~ .custom-control-label::after {\n  transform: translateX(0.65625rem);\n}\n\n.input-group &gt; .input-group-prepend &gt; .btn-group &gt; .btn,\n.input-group &gt; .input-group-append:not(:last-child) &gt; .btn-group &gt; .btn,\n.input-group &gt; .input-group-append:last-child &gt; .btn-group:not(:last-child):not(.dropdown-toggle) &gt; .btn {\n  border-top-right-radius: 0;\n  border-bottom-right-radius: 0;\n}\n.input-group &gt; .input-group-append &gt; .btn-group &gt; .btn,\n.input-group &gt; .input-group-prepend:not(:first-child) &gt; .btn-group &gt; .btn,\n.input-group &gt; .input-group-prepend:first-child &gt; .btn-group:not(:first-child) &gt; .btn {\n  border-top-left-radius: 0;\n  border-bottom-left-radius: 0;\n}\n\n.b-form-btn-label-control.form-control {\n  display: flex;\n  align-items: stretch;\n  height: auto;\n  padding: 0;\n  background-image: none;\n}\n.input-group .b-form-btn-label-control.form-control {\n  padding: 0;\n}\n\n[dir=rtl] .b-form-btn-label-control.form-control, .b-form-btn-label-control.form-control[dir=rtl] {\n  flex-direction: row-reverse;\n}\n[dir=rtl] .b-form-btn-label-control.form-control &gt; label, .b-form-btn-label-control.form-control[dir=rtl] &gt; label {\n  text-align: right;\n}\n\n.b-form-btn-label-control.form-control &gt; .btn {\n  line-height: 1;\n  font-size: inherit;\n  box-shadow: none !important;\n  border: 0;\n}\n.b-form-btn-label-control.form-control &gt; .btn:disabled {\n  pointer-events: none;\n}\n.b-form-btn-label-control.form-control.is-valid &gt; .btn {\n  color: #28a745;\n}\n.b-form-btn-label-control.form-control.is-invalid &gt; .btn {\n  color: #dc3545;\n}\n.b-form-btn-label-control.form-control &gt; .dropdown-menu {\n  padding: 0.5rem;\n}\n.b-form-btn-label-control.form-control &gt; .form-control {\n  height: auto;\n  min-height: calc(calc(1.5em + 0.75rem + 2px) - 2px);\n  padding-left: 0.25rem;\n  margin: 0;\n  border: 0;\n  outline: 0;\n  background: transparent;\n  word-break: break-word;\n  font-size: inherit;\n  white-space: normal;\n  cursor: pointer;\n}\n.b-form-btn-label-control.form-control &gt; .form-control.form-control-sm {\n  min-height: calc(calc(1.5em + 0.5rem + 2px) - 2px);\n}\n.b-form-btn-label-control.form-control &gt; .form-control.form-control-lg {\n  min-height: calc(calc(1.5em + 1rem + 2px) - 2px);\n}\n.input-group.input-group-sm .b-form-btn-label-control.form-control &gt; .form-control {\n  min-height: calc(calc(1.5em + 0.5rem + 2px) - 2px);\n  padding-top: 0.25rem;\n  padding-bottom: 0.25rem;\n}\n\n.input-group.input-group-lg .b-form-btn-label-control.form-control &gt; .form-control {\n  min-height: calc(calc(1.5em + 1rem + 2px) - 2px);\n  padding-top: 0.5rem;\n  padding-bottom: 0.5rem;\n}\n\n.b-form-btn-label-control.form-control[aria-disabled=true], .b-form-btn-label-control.form-control[aria-readonly=true] {\n  background-color: #e9ecef;\n  opacity: 1;\n}\n.b-form-btn-label-control.form-control[aria-disabled=true] {\n  pointer-events: none;\n}\n.b-form-btn-label-control.form-control[aria-disabled=true] &gt; label {\n  cursor: default;\n}\n\n.b-form-btn-label-control.btn-group &gt; .dropdown-menu {\n  padding: 0.5rem;\n}\n\n.custom-file-label {\n  white-space: nowrap;\n  overflow-x: hidden;\n}\n\n.b-custom-control-lg.custom-file,\n.b-custom-control-lg .custom-file-input,\n.b-custom-control-lg .custom-file-label,\n.input-group-lg.custom-file,\n.input-group-lg .custom-file-input,\n.input-group-lg .custom-file-label {\n  font-size: 1.25rem;\n  height: calc(1.5em + 1rem + 2px);\n}\n.b-custom-control-lg .custom-file-label,\n.b-custom-control-lg .custom-file-label:after,\n.input-group-lg .custom-file-label,\n.input-group-lg .custom-file-label:after {\n  padding: 0.5rem 1rem;\n  line-height: 1.5;\n}\n.b-custom-control-lg .custom-file-label,\n.input-group-lg .custom-file-label {\n  border-radius: 0.3rem;\n}\n.b-custom-control-lg .custom-file-label::after,\n.input-group-lg .custom-file-label::after {\n  font-size: inherit;\n  height: calc(\n  1.5em + 1rem\n);\n  border-radius: 0 0.3rem 0.3rem 0;\n}\n\n.b-custom-control-sm.custom-file,\n.b-custom-control-sm .custom-file-input,\n.b-custom-control-sm .custom-file-label,\n.input-group-sm.custom-file,\n.input-group-sm .custom-file-input,\n.input-group-sm .custom-file-label {\n  font-size: 0.875rem;\n  height: calc(1.5em + 0.5rem + 2px);\n}\n.b-custom-control-sm .custom-file-label,\n.b-custom-control-sm .custom-file-label:after,\n.input-group-sm .custom-file-label,\n.input-group-sm .custom-file-label:after {\n  padding: 0.25rem 0.5rem;\n  line-height: 1.5;\n}\n.b-custom-control-sm .custom-file-label,\n.input-group-sm .custom-file-label {\n  border-radius: 0.2rem;\n}\n.b-custom-control-sm .custom-file-label::after,\n.input-group-sm .custom-file-label::after {\n  font-size: inherit;\n  height: calc(\n  1.5em + 0.5rem\n);\n  border-radius: 0 0.2rem 0.2rem 0;\n}\n\n.was-validated .form-control:invalid, .was-validated .form-control:valid, .form-control.is-invalid, .form-control.is-valid {\n  background-position: right calc(0.375em + 0.1875rem) center;\n}\n\ninput[type=color].form-control {\n  height: calc(1.5em + 0.75rem + 2px);\n  padding: 0.125rem 0.25rem;\n}\n\ninput[type=color].form-control.form-control-sm,\n.input-group-sm input[type=color].form-control {\n  height: calc(1.5em + 0.5rem + 2px);\n  padding: 0.125rem 0.25rem;\n}\n\ninput[type=color].form-control.form-control-lg,\n.input-group-lg input[type=color].form-control {\n  height: calc(1.5em + 1rem + 2px);\n  padding: 0.125rem 0.25rem;\n}\n\ninput[type=color].form-control:disabled {\n  background-color: #adb5bd;\n  opacity: 0.65;\n}\n\n.input-group &gt; .custom-range {\n  position: relative;\n  flex: 1 1 auto;\n  width: 1%;\n  margin-bottom: 0;\n}\n.input-group &gt; .custom-range + .form-control,\n.input-group &gt; .custom-range + .form-control-plaintext,\n.input-group &gt; .custom-range + .custom-select,\n.input-group &gt; .custom-range + .custom-range,\n.input-group &gt; .custom-range + .custom-file {\n  margin-left: -1px;\n}\n.input-group &gt; .form-control + .custom-range,\n.input-group &gt; .form-control-plaintext + .custom-range,\n.input-group &gt; .custom-select + .custom-range,\n.input-group &gt; .custom-range + .custom-range,\n.input-group &gt; .custom-file + .custom-range {\n  margin-left: -1px;\n}\n.input-group &gt; .custom-range:focus {\n  z-index: 3;\n}\n.input-group &gt; .custom-range:not(:last-child) {\n  border-top-right-radius: 0;\n  border-bottom-right-radius: 0;\n}\n.input-group &gt; .custom-range:not(:first-child) {\n  border-top-left-radius: 0;\n  border-bottom-left-radius: 0;\n}\n.input-group &gt; .custom-range {\n  height: calc(1.5em + 0.75rem + 2px);\n  padding: 0 0.75rem;\n  background-color: #fff;\n  background-clip: padding-box;\n  border: 1px solid #ced4da;\n  height: calc(1.5em + 0.75rem + 2px);\n  border-radius: 0.25rem;\n  transition: border-color 0.15s ease-in-out, box-shadow 0.15s ease-in-out;\n}\n@media (prefers-reduced-motion: reduce) {\n  .input-group &gt; .custom-range {\n    transition: none;\n  }\n}\n.input-group &gt; .custom-range:focus {\n  color: #495057;\n  background-color: #fff;\n  border-color: #80bdff;\n  outline: 0;\n  box-shadow: 0 0 0 0.2rem rgba(0, 123, 255, 0.25);\n}\n.input-group &gt; .custom-range:disabled, .input-group &gt; .custom-range[readonly] {\n  background-color: #e9ecef;\n}\n\n.input-group-lg &gt; .custom-range {\n  height: calc(1.5em + 1rem + 2px);\n  padding: 0 1rem;\n  border-radius: 0.3rem;\n}\n\n.input-group-sm &gt; .custom-range {\n  height: calc(1.5em + 0.5rem + 2px);\n  padding: 0 0.5rem;\n  border-radius: 0.2rem;\n}\n\n.was-validated .input-group .custom-range:valid, .input-group .custom-range.is-valid {\n  border-color: #28a745;\n}\n.was-validated .input-group .custom-range:valid:focus, .input-group .custom-range.is-valid:focus {\n  border-color: #28a745;\n  box-shadow: 0 0 0 0.2rem rgba(40, 167, 69, 0.25);\n}\n\n.was-validated .custom-range:valid:focus::-webkit-slider-thumb, .custom-range.is-valid:focus::-webkit-slider-thumb {\n  box-shadow: 0 0 0 1px #fff, 0 0 0 0.2rem #9be7ac;\n}\n.was-validated .custom-range:valid:focus::-moz-range-thumb, .custom-range.is-valid:focus::-moz-range-thumb {\n  box-shadow: 0 0 0 1px #fff, 0 0 0 0.2rem #9be7ac;\n}\n.was-validated .custom-range:valid:focus::-ms-thumb, .custom-range.is-valid:focus::-ms-thumb {\n  box-shadow: 0 0 0 1px #fff, 0 0 0 0.2rem #9be7ac;\n}\n.was-validated .custom-range:valid::-webkit-slider-thumb, .custom-range.is-valid::-webkit-slider-thumb {\n  background-color: #28a745;\n  background-image: none;\n}\n.was-validated .custom-range:valid::-webkit-slider-thumb:active, .custom-range.is-valid::-webkit-slider-thumb:active {\n  background-color: #9be7ac;\n  background-image: none;\n}\n.was-validated .custom-range:valid::-webkit-slider-runnable-track, .custom-range.is-valid::-webkit-slider-runnable-track {\n  background-color: rgba(40, 167, 69, 0.35);\n}\n.was-validated .custom-range:valid::-moz-range-thumb, .custom-range.is-valid::-moz-range-thumb {\n  background-color: #28a745;\n  background-image: none;\n}\n.was-validated .custom-range:valid::-moz-range-thumb:active, .custom-range.is-valid::-moz-range-thumb:active {\n  background-color: #9be7ac;\n  background-image: none;\n}\n.was-validated .custom-range:valid::-moz-range-track, .custom-range.is-valid::-moz-range-track {\n  background: rgba(40, 167, 69, 0.35);\n}\n.was-validated .custom-range:valid ~ .valid-feedback,\n.was-validated .custom-range:valid ~ .valid-tooltip, .custom-range.is-valid ~ .valid-feedback,\n.custom-range.is-valid ~ .valid-tooltip {\n  display: block;\n}\n.was-validated .custom-range:valid::-ms-thumb, .custom-range.is-valid::-ms-thumb {\n  background-color: #28a745;\n  background-image: none;\n}\n.was-validated .custom-range:valid::-ms-thumb:active, .custom-range.is-valid::-ms-thumb:active {\n  background-color: #9be7ac;\n  background-image: none;\n}\n.was-validated .custom-range:valid::-ms-track-lower, .custom-range.is-valid::-ms-track-lower {\n  background: rgba(40, 167, 69, 0.35);\n}\n.was-validated .custom-range:valid::-ms-track-upper, .custom-range.is-valid::-ms-track-upper {\n  background: rgba(40, 167, 69, 0.35);\n}\n\n.was-validated .input-group .custom-range:invalid, .input-group .custom-range.is-invalid {\n  border-color: #dc3545;\n}\n.was-validated .input-group .custom-range:invalid:focus, .input-group .custom-range.is-invalid:focus {\n  border-color: #dc3545;\n  box-shadow: 0 0 0 0.2rem rgba(220, 53, 69, 0.25);\n}\n\n.was-validated .custom-range:invalid:focus::-webkit-slider-thumb, .custom-range.is-invalid:focus::-webkit-slider-thumb {\n  box-shadow: 0 0 0 1px #fff, 0 0 0 0.2rem #f6cdd1;\n}\n.was-validated .custom-range:invalid:focus::-moz-range-thumb, .custom-range.is-invalid:focus::-moz-range-thumb {\n  box-shadow: 0 0 0 1px #fff, 0 0 0 0.2rem #f6cdd1;\n}\n.was-validated .custom-range:invalid:focus::-ms-thumb, .custom-range.is-invalid:focus::-ms-thumb {\n  box-shadow: 0 0 0 1px #fff, 0 0 0 0.2rem #f6cdd1;\n}\n.was-validated .custom-range:invalid::-webkit-slider-thumb, .custom-range.is-invalid::-webkit-slider-thumb {\n  background-color: #dc3545;\n  background-image: none;\n}\n.was-validated .custom-range:invalid::-webkit-slider-thumb:active, .custom-range.is-invalid::-webkit-slider-thumb:active {\n  background-color: #f6cdd1;\n  background-image: none;\n}\n.was-validated .custom-range:invalid::-webkit-slider-runnable-track, .custom-range.is-invalid::-webkit-slider-runnable-track {\n  background-color: rgba(220, 53, 69, 0.35);\n}\n.was-validated .custom-range:invalid::-moz-range-thumb, .custom-range.is-invalid::-moz-range-thumb {\n  background-color: #dc3545;\n  background-image: none;\n}\n.was-validated .custom-range:invalid::-moz-range-thumb:active, .custom-range.is-invalid::-moz-range-thumb:active {\n  background-color: #f6cdd1;\n  background-image: none;\n}\n.was-validated .custom-range:invalid::-moz-range-track, .custom-range.is-invalid::-moz-range-track {\n  background: rgba(220, 53, 69, 0.35);\n}\n.was-validated .custom-range:invalid ~ .invalid-feedback,\n.was-validated .custom-range:invalid ~ .invalid-tooltip, .custom-range.is-invalid ~ .invalid-feedback,\n.custom-range.is-invalid ~ .invalid-tooltip {\n  display: block;\n}\n.was-validated .custom-range:invalid::-ms-thumb, .custom-range.is-invalid::-ms-thumb {\n  background-color: #dc3545;\n  background-image: none;\n}\n.was-validated .custom-range:invalid::-ms-thumb:active, .custom-range.is-invalid::-ms-thumb:active {\n  background-color: #f6cdd1;\n  background-image: none;\n}\n.was-validated .custom-range:invalid::-ms-track-lower, .custom-range.is-invalid::-ms-track-lower {\n  background: rgba(220, 53, 69, 0.35);\n}\n.was-validated .custom-range:invalid::-ms-track-upper, .custom-range.is-invalid::-ms-track-upper {\n  background: rgba(220, 53, 69, 0.35);\n}\n\n.custom-radio.b-custom-control-lg,\n.input-group-lg .custom-radio {\n  font-size: 1.25rem;\n  line-height: 1.5;\n  padding-left: 1.875rem;\n}\n.custom-radio.b-custom-control-lg .custom-control-label::before,\n.input-group-lg .custom-radio .custom-control-label::before {\n  top: 0.3125rem;\n  left: -1.875rem;\n  width: 1.25rem;\n  height: 1.25rem;\n  border-radius: 50%;\n}\n.custom-radio.b-custom-control-lg .custom-control-label::after,\n.input-group-lg .custom-radio .custom-control-label::after {\n  top: 0.3125rem;\n  left: -1.875rem;\n  width: 1.25rem;\n  height: 1.25rem;\n  background: no-repeat 50%/50% 50%;\n}\n\n.custom-radio.b-custom-control-sm,\n.input-group-sm .custom-radio {\n  font-size: 0.875rem;\n  line-height: 1.5;\n  padding-left: 1.3125rem;\n}\n.custom-radio.b-custom-control-sm .custom-control-label::before,\n.input-group-sm .custom-radio .custom-control-label::before {\n  top: 0.21875rem;\n  left: -1.3125rem;\n  width: 0.875rem;\n  height: 0.875rem;\n  border-radius: 50%;\n}\n.custom-radio.b-custom-control-sm .custom-control-label::after,\n.input-group-sm .custom-radio .custom-control-label::after {\n  top: 0.21875rem;\n  left: -1.3125rem;\n  width: 0.875rem;\n  height: 0.875rem;\n  background: no-repeat 50%/50% 50%;\n}\n\n.b-rating {\n  text-align: center;\n}\n.b-rating.d-inline-flex {\n  width: auto;\n}\n.b-rating .b-rating-star,\n.b-rating .b-rating-value {\n  padding: 0 0.25em;\n}\n.b-rating .b-rating-value {\n  min-width: 2.5em;\n}\n.b-rating .b-rating-star {\n  display: inline-flex;\n  justify-content: center;\n  outline: 0;\n}\n.b-rating .b-rating-star .b-rating-icon {\n  display: inline-flex;\n  transition: all 0.15s ease-in-out;\n}\n.b-rating.disabled, .b-rating:disabled {\n  background-color: #e9ecef;\n  color: #6c757d;\n}\n.b-rating:not(.disabled):not(.readonly) .b-rating-star {\n  cursor: pointer;\n}\n.b-rating:not(.disabled):not(.readonly):focus:not(:hover) .b-rating-star.focused .b-rating-icon,\n.b-rating:not(.disabled):not(.readonly) .b-rating-star:hover .b-rating-icon {\n  transform: scale(1.5);\n}\n.b-rating[dir=rtl] .b-rating-star-half {\n  transform: scale(-1, 1);\n}\n\n.b-form-spinbutton {\n  text-align: center;\n  overflow: hidden;\n  background-image: none;\n  padding: 0;\n}\n[dir=rtl] .b-form-spinbutton:not(.flex-column), .b-form-spinbutton[dir=rtl]:not(.flex-column) {\n  flex-direction: row-reverse;\n}\n\n.b-form-spinbutton output {\n  font-size: inherit;\n  outline: 0;\n  border: 0;\n  background-color: transparent;\n  width: auto;\n  margin: 0;\n  padding: 0 0.25rem;\n}\n.b-form-spinbutton output &gt; div,\n.b-form-spinbutton output &gt; bdi {\n  display: block;\n  min-width: 2.25em;\n  height: 1.5em;\n}\n.b-form-spinbutton.flex-column {\n  height: auto;\n  width: auto;\n}\n.b-form-spinbutton.flex-column output {\n  margin: 0 0.25rem;\n  padding: 0.25rem 0;\n}\n.b-form-spinbutton:not(.d-inline-flex):not(.flex-column) {\n  output-width: 100%;\n}\n.b-form-spinbutton.d-inline-flex:not(.flex-column) {\n  width: auto;\n}\n.b-form-spinbutton .btn {\n  line-height: 1;\n  box-shadow: none !important;\n}\n.b-form-spinbutton .btn:disabled {\n  pointer-events: none;\n}\n.b-form-spinbutton .btn:hover:not(:disabled) &gt; div &gt; .b-icon {\n  transform: scale(1.25);\n}\n.b-form-spinbutton.disabled, .b-form-spinbutton.readonly {\n  background-color: #e9ecef;\n}\n.b-form-spinbutton.disabled {\n  pointer-events: none;\n}\n\n.b-form-tags.focus {\n  color: #495057;\n  background-color: #fff;\n  border-color: #80bdff;\n  outline: 0;\n  box-shadow: 0 0 0 0.2rem rgba(0, 123, 255, 0.25);\n}\n.b-form-tags.focus.is-valid {\n  border-color: #28a745;\n  box-shadow: 0 0 0 0.2rem rgba(40, 167, 69, 0.25);\n}\n.b-form-tags.focus.is-invalid {\n  border-color: #dc3545;\n  box-shadow: 0 0 0 0.2rem rgba(220, 53, 69, 0.25);\n}\n.b-form-tags.disabled {\n  background-color: #e9ecef;\n}\n\n.b-form-tags-list {\n  margin-top: -0.25rem;\n}\n.b-form-tags-list .b-form-tags-field,\n.b-form-tags-list .b-form-tag {\n  margin-top: 0.25rem;\n}\n\n.b-form-tags-input {\n  color: #495057;\n}\n\n.b-form-tag {\n  font-size: 75%;\n  font-weight: normal;\n  line-height: 1.5;\n  margin-right: 0.25rem;\n}\n.b-form-tag.disabled {\n  opacity: 0.75;\n}\n.b-form-tag &gt; button.b-form-tag-remove {\n  color: inherit;\n  font-size: 125%;\n  line-height: 1;\n  float: none;\n  margin-left: 0.25rem;\n}\n\n.form-control-sm .b-form-tag {\n  line-height: 1.5;\n}\n\n.form-control-lg .b-form-tag {\n  line-height: 1.5;\n}\n\n.media-aside {\n  display: flex;\n  margin-right: 1rem;\n}\n\n.media-aside-right {\n  margin-right: 0;\n  margin-left: 1rem;\n}\n\n.modal-backdrop {\n  opacity: 0.5;\n}\n\n.b-pagination-pills .page-item .page-link {\n  border-radius: 50rem !important;\n  margin-left: 0.25rem;\n  line-height: 1;\n}\n.b-pagination-pills .page-item:first-child .page-link {\n  margin-left: 0;\n}\n\n.popover.b-popover {\n  display: block;\n  opacity: 1;\n  outline: 0;\n}\n.popover.b-popover.fade:not(.show) {\n  opacity: 0;\n}\n.popover.b-popover.show {\n  opacity: 1;\n}\n\n.b-popover-primary.popover {\n  background-color: #cce5ff;\n  border-color: #b8daff;\n}\n.b-popover-primary.bs-popover-top &gt; .arrow::before, .b-popover-primary.bs-popover-auto[x-placement^=top] &gt; .arrow::before {\n  border-top-color: #b8daff;\n}\n.b-popover-primary.bs-popover-top &gt; .arrow::after, .b-popover-primary.bs-popover-auto[x-placement^=top] &gt; .arrow::after {\n  border-top-color: #cce5ff;\n}\n.b-popover-primary.bs-popover-right &gt; .arrow::before, .b-popover-primary.bs-popover-auto[x-placement^=right] &gt; .arrow::before {\n  border-right-color: #b8daff;\n}\n.b-popover-primary.bs-popover-right &gt; .arrow::after, .b-popover-primary.bs-popover-auto[x-placement^=right] &gt; .arrow::after {\n  border-right-color: #cce5ff;\n}\n.b-popover-primary.bs-popover-bottom &gt; .arrow::before, .b-popover-primary.bs-popover-auto[x-placement^=bottom] &gt; .arrow::before {\n  border-bottom-color: #b8daff;\n}\n.b-popover-primary.bs-popover-bottom &gt; .arrow::after, .b-popover-primary.bs-popover-auto[x-placement^=bottom] &gt; .arrow::after {\n  border-bottom-color: #bdddff;\n}\n.b-popover-primary.bs-popover-bottom .popover-header::before, .b-popover-primary.bs-popover-auto[x-placement^=bottom] .popover-header::before {\n  border-bottom-color: #bdddff;\n}\n.b-popover-primary.bs-popover-left &gt; .arrow::before, .b-popover-primary.bs-popover-auto[x-placement^=left] &gt; .arrow::before {\n  border-left-color: #b8daff;\n}\n.b-popover-primary.bs-popover-left &gt; .arrow::after, .b-popover-primary.bs-popover-auto[x-placement^=left] &gt; .arrow::after {\n  border-left-color: #cce5ff;\n}\n.b-popover-primary .popover-header {\n  color: #212529;\n  background-color: #bdddff;\n  border-bottom-color: #a3d0ff;\n}\n.b-popover-primary .popover-body {\n  color: #004085;\n}\n\n.b-popover-secondary.popover {\n  background-color: #e2e3e5;\n  border-color: #d6d8db;\n}\n.b-popover-secondary.bs-popover-top &gt; .arrow::before, .b-popover-secondary.bs-popover-auto[x-placement^=top] &gt; .arrow::before {\n  border-top-color: #d6d8db;\n}\n.b-popover-secondary.bs-popover-top &gt; .arrow::after, .b-popover-secondary.bs-popover-auto[x-placement^=top] &gt; .arrow::after {\n  border-top-color: #e2e3e5;\n}\n.b-popover-secondary.bs-popover-right &gt; .arrow::before, .b-popover-secondary.bs-popover-auto[x-placement^=right] &gt; .arrow::before {\n  border-right-color: #d6d8db;\n}\n.b-popover-secondary.bs-popover-right &gt; .arrow::after, .b-popover-secondary.bs-popover-auto[x-placement^=right] &gt; .arrow::after {\n  border-right-color: #e2e3e5;\n}\n.b-popover-secondary.bs-popover-bottom &gt; .arrow::before, .b-popover-secondary.bs-popover-auto[x-placement^=bottom] &gt; .arrow::before {\n  border-bottom-color: #d6d8db;\n}\n.b-popover-secondary.bs-popover-bottom &gt; .arrow::after, .b-popover-secondary.bs-popover-auto[x-placement^=bottom] &gt; .arrow::after {\n  border-bottom-color: #dadbde;\n}\n.b-popover-secondary.bs-popover-bottom .popover-header::before, .b-popover-secondary.bs-popover-auto[x-placement^=bottom] .popover-header::before {\n  border-bottom-color: #dadbde;\n}\n.b-popover-secondary.bs-popover-left &gt; .arrow::before, .b-popover-secondary.bs-popover-auto[x-placement^=left] &gt; .arrow::before {\n  border-left-color: #d6d8db;\n}\n.b-popover-secondary.bs-popover-left &gt; .arrow::after, .b-popover-secondary.bs-popover-auto[x-placement^=left] &gt; .arrow::after {\n  border-left-color: #e2e3e5;\n}\n.b-popover-secondary .popover-header {\n  color: #212529;\n  background-color: #dadbde;\n  border-bottom-color: #ccced2;\n}\n.b-popover-secondary .popover-body {\n  color: #383d41;\n}\n\n.b-popover-success.popover {\n  background-color: #d4edda;\n  border-color: #c3e6cb;\n}\n.b-popover-success.bs-popover-top &gt; .arrow::before, .b-popover-success.bs-popover-auto[x-placement^=top] &gt; .arrow::before {\n  border-top-color: #c3e6cb;\n}\n.b-popover-success.bs-popover-top &gt; .arrow::after, .b-popover-success.bs-popover-auto[x-placement^=top] &gt; .arrow::after {\n  border-top-color: #d4edda;\n}\n.b-popover-success.bs-popover-right &gt; .arrow::before, .b-popover-success.bs-popover-auto[x-placement^=right] &gt; .arrow::before {\n  border-right-color: #c3e6cb;\n}\n.b-popover-success.bs-popover-right &gt; .arrow::after, .b-popover-success.bs-popover-auto[x-placement^=right] &gt; .arrow::after {\n  border-right-color: #d4edda;\n}\n.b-popover-success.bs-popover-bottom &gt; .arrow::before, .b-popover-success.bs-popover-auto[x-placement^=bottom] &gt; .arrow::before {\n  border-bottom-color: #c3e6cb;\n}\n.b-popover-success.bs-popover-bottom &gt; .arrow::after, .b-popover-success.bs-popover-auto[x-placement^=bottom] &gt; .arrow::after {\n  border-bottom-color: #c9e8d1;\n}\n.b-popover-success.bs-popover-bottom .popover-header::before, .b-popover-success.bs-popover-auto[x-placement^=bottom] .popover-header::before {\n  border-bottom-color: #c9e8d1;\n}\n.b-popover-success.bs-popover-left &gt; .arrow::before, .b-popover-success.bs-popover-auto[x-placement^=left] &gt; .arrow::before {\n  border-left-color: #c3e6cb;\n}\n.b-popover-success.bs-popover-left &gt; .arrow::after, .b-popover-success.bs-popover-auto[x-placement^=left] &gt; .arrow::after {\n  border-left-color: #d4edda;\n}\n.b-popover-success .popover-header {\n  color: #212529;\n  background-color: #c9e8d1;\n  border-bottom-color: #b7e1c1;\n}\n.b-popover-success .popover-body {\n  color: #155724;\n}\n\n.b-popover-info.popover {\n  background-color: #d1ecf1;\n  border-color: #bee5eb;\n}\n.b-popover-info.bs-popover-top &gt; .arrow::before, .b-popover-info.bs-popover-auto[x-placement^=top] &gt; .arrow::before {\n  border-top-color: #bee5eb;\n}\n.b-popover-info.bs-popover-top &gt; .arrow::after, .b-popover-info.bs-popover-auto[x-placement^=top] &gt; .arrow::after {\n  border-top-color: #d1ecf1;\n}\n.b-popover-info.bs-popover-right &gt; .arrow::before, .b-popover-info.bs-popover-auto[x-placement^=right] &gt; .arrow::before {\n  border-right-color: #bee5eb;\n}\n.b-popover-info.bs-popover-right &gt; .arrow::after, .b-popover-info.bs-popover-auto[x-placement^=right] &gt; .arrow::after {\n  border-right-color: #d1ecf1;\n}\n.b-popover-info.bs-popover-bottom &gt; .arrow::before, .b-popover-info.bs-popover-auto[x-placement^=bottom] &gt; .arrow::before {\n  border-bottom-color: #bee5eb;\n}\n.b-popover-info.bs-popover-bottom &gt; .arrow::after, .b-popover-info.bs-popover-auto[x-placement^=bottom] &gt; .arrow::after {\n  border-bottom-color: #c5e7ed;\n}\n.b-popover-info.bs-popover-bottom .popover-header::before, .b-popover-info.bs-popover-auto[x-placement^=bottom] .popover-header::before {\n  border-bottom-color: #c5e7ed;\n}\n.b-popover-info.bs-popover-left &gt; .arrow::before, .b-popover-info.bs-popover-auto[x-placement^=left] &gt; .arrow::before {\n  border-left-color: #bee5eb;\n}\n.b-popover-info.bs-popover-left &gt; .arrow::after, .b-popover-info.bs-popover-auto[x-placement^=left] &gt; .arrow::after {\n  border-left-color: #d1ecf1;\n}\n.b-popover-info .popover-header {\n  color: #212529;\n  background-color: #c5e7ed;\n  border-bottom-color: #b2dfe7;\n}\n.b-popover-info .popover-body {\n  color: #0c5460;\n}\n\n.b-popover-warning.popover {\n  background-color: #fff3cd;\n  border-color: #ffeeba;\n}\n.b-popover-warning.bs-popover-top &gt; .arrow::before, .b-popover-warning.bs-popover-auto[x-placement^=top] &gt; .arrow::before {\n  border-top-color: #ffeeba;\n}\n.b-popover-warning.bs-popover-top &gt; .arrow::after, .b-popover-warning.bs-popover-auto[x-placement^=top] &gt; .arrow::after {\n  border-top-color: #fff3cd;\n}\n.b-popover-warning.bs-popover-right &gt; .arrow::before, .b-popover-warning.bs-popover-auto[x-placement^=right] &gt; .arrow::before {\n  border-right-color: #ffeeba;\n}\n.b-popover-warning.bs-popover-right &gt; .arrow::after, .b-popover-warning.bs-popover-auto[x-placement^=right] &gt; .arrow::after {\n  border-right-color: #fff3cd;\n}\n.b-popover-warning.bs-popover-bottom &gt; .arrow::before, .b-popover-warning.bs-popover-auto[x-placement^=bottom] &gt; .arrow::before {\n  border-bottom-color: #ffeeba;\n}\n.b-popover-warning.bs-popover-bottom &gt; .arrow::after, .b-popover-warning.bs-popover-auto[x-placement^=bottom] &gt; .arrow::after {\n  border-bottom-color: #ffefbe;\n}\n.b-popover-warning.bs-popover-bottom .popover-header::before, .b-popover-warning.bs-popover-auto[x-placement^=bottom] .popover-header::before {\n  border-bottom-color: #ffefbe;\n}\n.b-popover-warning.bs-popover-left &gt; .arrow::before, .b-popover-warning.bs-popover-auto[x-placement^=left] &gt; .arrow::before {\n  border-left-color: #ffeeba;\n}\n.b-popover-warning.bs-popover-left &gt; .arrow::after, .b-popover-warning.bs-popover-auto[x-placement^=left] &gt; .arrow::after {\n  border-left-color: #fff3cd;\n}\n.b-popover-warning .popover-header {\n  color: #212529;\n  background-color: #ffefbe;\n  border-bottom-color: #ffe9a4;\n}\n.b-popover-warning .popover-body {\n  color: #856404;\n}\n\n.b-popover-danger.popover {\n  background-color: #f8d7da;\n  border-color: #f5c6cb;\n}\n.b-popover-danger.bs-popover-top &gt; .arrow::before, .b-popover-danger.bs-popover-auto[x-placement^=top] &gt; .arrow::before {\n  border-top-color: #f5c6cb;\n}\n.b-popover-danger.bs-popover-top &gt; .arrow::after, .b-popover-danger.bs-popover-auto[x-placement^=top] &gt; .arrow::after {\n  border-top-color: #f8d7da;\n}\n.b-popover-danger.bs-popover-right &gt; .arrow::before, .b-popover-danger.bs-popover-auto[x-placement^=right] &gt; .arrow::before {\n  border-right-color: #f5c6cb;\n}\n.b-popover-danger.bs-popover-right &gt; .arrow::after, .b-popover-danger.bs-popover-auto[x-placement^=right] &gt; .arrow::after {\n  border-right-color: #f8d7da;\n}\n.b-popover-danger.bs-popover-bottom &gt; .arrow::before, .b-popover-danger.bs-popover-auto[x-placement^=bottom] &gt; .arrow::before {\n  border-bottom-color: #f5c6cb;\n}\n.b-popover-danger.bs-popover-bottom &gt; .arrow::after, .b-popover-danger.bs-popover-auto[x-placement^=bottom] &gt; .arrow::after {\n  border-bottom-color: #f6cace;\n}\n.b-popover-danger.bs-popover-bottom .popover-header::before, .b-popover-danger.bs-popover-auto[x-placement^=bottom] .popover-header::before {\n  border-bottom-color: #f6cace;\n}\n.b-popover-danger.bs-popover-left &gt; .arrow::before, .b-popover-danger.bs-popover-auto[x-placement^=left] &gt; .arrow::before {\n  border-left-color: #f5c6cb;\n}\n.b-popover-danger.bs-popover-left &gt; .arrow::after, .b-popover-danger.bs-popover-auto[x-placement^=left] &gt; .arrow::after {\n  border-left-color: #f8d7da;\n}\n.b-popover-danger .popover-header {\n  color: #212529;\n  background-color: #f6cace;\n  border-bottom-color: #f2b4ba;\n}\n.b-popover-danger .popover-body {\n  color: #721c24;\n}\n\n.b-popover-light.popover {\n  background-color: #fefefe;\n  border-color: #fdfdfe;\n}\n.b-popover-light.bs-popover-top &gt; .arrow::before, .b-popover-light.bs-popover-auto[x-placement^=top] &gt; .arrow::before {\n  border-top-color: #fdfdfe;\n}\n.b-popover-light.bs-popover-top &gt; .arrow::after, .b-popover-light.bs-popover-auto[x-placement^=top] &gt; .arrow::after {\n  border-top-color: #fefefe;\n}\n.b-popover-light.bs-popover-right &gt; .arrow::before, .b-popover-light.bs-popover-auto[x-placement^=right] &gt; .arrow::before {\n  border-right-color: #fdfdfe;\n}\n.b-popover-light.bs-popover-right &gt; .arrow::after, .b-popover-light.bs-popover-auto[x-placement^=right] &gt; .arrow::after {\n  border-right-color: #fefefe;\n}\n.b-popover-light.bs-popover-bottom &gt; .arrow::before, .b-popover-light.bs-popover-auto[x-placement^=bottom] &gt; .arrow::before {\n  border-bottom-color: #fdfdfe;\n}\n.b-popover-light.bs-popover-bottom &gt; .arrow::after, .b-popover-light.bs-popover-auto[x-placement^=bottom] &gt; .arrow::after {\n  border-bottom-color: #f6f6f6;\n}\n.b-popover-light.bs-popover-bottom .popover-header::before, .b-popover-light.bs-popover-auto[x-placement^=bottom] .popover-header::before {\n  border-bottom-color: #f6f6f6;\n}\n.b-popover-light.bs-popover-left &gt; .arrow::before, .b-popover-light.bs-popover-auto[x-placement^=left] &gt; .arrow::before {\n  border-left-color: #fdfdfe;\n}\n.b-popover-light.bs-popover-left &gt; .arrow::after, .b-popover-light.bs-popover-auto[x-placement^=left] &gt; .arrow::after {\n  border-left-color: #fefefe;\n}\n.b-popover-light .popover-header {\n  color: #212529;\n  background-color: #f6f6f6;\n  border-bottom-color: #eaeaea;\n}\n.b-popover-light .popover-body {\n  color: #818182;\n}\n\n.b-popover-dark.popover {\n  background-color: #d6d8d9;\n  border-color: #c6c8ca;\n}\n.b-popover-dark.bs-popover-top &gt; .arrow::before, .b-popover-dark.bs-popover-auto[x-placement^=top] &gt; .arrow::before {\n  border-top-color: #c6c8ca;\n}\n.b-popover-dark.bs-popover-top &gt; .arrow::after, .b-popover-dark.bs-popover-auto[x-placement^=top] &gt; .arrow::after {\n  border-top-color: #d6d8d9;\n}\n.b-popover-dark.bs-popover-right &gt; .arrow::before, .b-popover-dark.bs-popover-auto[x-placement^=right] &gt; .arrow::before {\n  border-right-color: #c6c8ca;\n}\n.b-popover-dark.bs-popover-right &gt; .arrow::after, .b-popover-dark.bs-popover-auto[x-placement^=right] &gt; .arrow::after {\n  border-right-color: #d6d8d9;\n}\n.b-popover-dark.bs-popover-bottom &gt; .arrow::before, .b-popover-dark.bs-popover-auto[x-placement^=bottom] &gt; .arrow::before {\n  border-bottom-color: #c6c8ca;\n}\n.b-popover-dark.bs-popover-bottom &gt; .arrow::after, .b-popover-dark.bs-popover-auto[x-placement^=bottom] &gt; .arrow::after {\n  border-bottom-color: #ced0d2;\n}\n.b-popover-dark.bs-popover-bottom .popover-header::before, .b-popover-dark.bs-popover-auto[x-placement^=bottom] .popover-header::before {\n  border-bottom-color: #ced0d2;\n}\n.b-popover-dark.bs-popover-left &gt; .arrow::before, .b-popover-dark.bs-popover-auto[x-placement^=left] &gt; .arrow::before {\n  border-left-color: #c6c8ca;\n}\n.b-popover-dark.bs-popover-left &gt; .arrow::after, .b-popover-dark.bs-popover-auto[x-placement^=left] &gt; .arrow::after {\n  border-left-color: #d6d8d9;\n}\n.b-popover-dark .popover-header {\n  color: #212529;\n  background-color: #ced0d2;\n  border-bottom-color: #c1c4c5;\n}\n.b-popover-dark .popover-body {\n  color: #1b1e21;\n}\n\n.b-sidebar-outer {\n  position: fixed;\n  top: 0;\n  left: 0;\n  right: 0;\n  height: 0;\n  overflow: visible;\n  z-index: calc(1030 + 5);\n}\n\n.b-sidebar-backdrop {\n  position: fixed;\n  top: 0;\n  left: 0;\n  z-index: -1;\n  width: 100vw;\n  height: 100vh;\n  opacity: 0.6;\n}\n\n.b-sidebar {\n  display: flex;\n  flex-direction: column;\n  position: fixed;\n  top: 0;\n  width: 320px;\n  max-width: 100%;\n  height: 100vh;\n  max-height: 100%;\n  margin: 0;\n  outline: 0;\n  transform: translateX(0);\n}\n.b-sidebar.slide {\n  transition: transform 0.3s ease-in-out;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-sidebar.slide {\n    transition: none;\n  }\n}\n.b-sidebar:not(.b-sidebar-right) {\n  left: 0;\n  right: auto;\n}\n.b-sidebar:not(.b-sidebar-right).slide:not(.show) {\n  transform: translateX(-100%);\n}\n.b-sidebar:not(.b-sidebar-right) &gt; .b-sidebar-header .close {\n  margin-left: auto;\n}\n.b-sidebar.b-sidebar-right {\n  left: auto;\n  right: 0;\n}\n.b-sidebar.b-sidebar-right.slide:not(.show) {\n  transform: translateX(100%);\n}\n.b-sidebar.b-sidebar-right &gt; .b-sidebar-header .close {\n  margin-right: auto;\n}\n.b-sidebar &gt; .b-sidebar-header {\n  font-size: 1.5rem;\n  padding: 0.5rem 1rem;\n  display: flex;\n  flex-direction: row;\n  flex-grow: 0;\n  align-items: center;\n}\n[dir=rtl] .b-sidebar &gt; .b-sidebar-header {\n  flex-direction: row-reverse;\n}\n\n.b-sidebar &gt; .b-sidebar-header .close {\n  float: none;\n  font-size: 1.5rem;\n}\n.b-sidebar &gt; .b-sidebar-body {\n  flex-grow: 1;\n  height: 100%;\n  overflow-y: auto;\n}\n.b-sidebar &gt; .b-sidebar-footer {\n  flex-grow: 0;\n}\n\n.b-skeleton-wrapper {\n  cursor: wait;\n}\n\n.b-skeleton {\n  position: relative;\n  overflow: hidden;\n  background-color: rgba(0, 0, 0, 0.12);\n  cursor: wait;\n  -webkit-mask-image: radial-gradient(white, black);\n  mask-image: radial-gradient(white, black);\n}\n.b-skeleton::before {\n  content: \"Â&nbsp;\";\n}\n\n.b-skeleton-text {\n  height: 1rem;\n  margin-bottom: 0.25rem;\n  border-radius: 0.25rem;\n}\n\n.b-skeleton-button {\n  width: 75px;\n  padding: 0.375rem 0.75rem;\n  font-size: 1rem;\n  line-height: 1.5;\n  border-radius: 0.25rem;\n}\n\n.b-skeleton-avatar {\n  width: 2.5em;\n  height: 2.5em;\n  border-radius: 50%;\n}\n\n.b-skeleton-input {\n  height: calc(1.5em + 0.75rem + 2px);\n  padding: 0.375rem 0.75rem;\n  line-height: 1.5;\n  border: #ced4da solid 1px;\n  border-radius: 0.25rem;\n}\n\n.b-skeleton-icon-wrapper svg {\n  color: rgba(0, 0, 0, 0.12);\n}\n\n.b-skeleton-img {\n  height: 100%;\n  width: 100%;\n}\n\n.b-skeleton-animate-wave::after {\n  content: \"\";\n  position: absolute;\n  top: 0;\n  right: 0;\n  bottom: 0;\n  left: 0;\n  z-index: 0;\n  background: linear-gradient(90deg, transparent, rgba(255, 255, 255, 0.4), transparent);\n  animation: b-skeleton-animate-wave 1.75s linear infinite;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-skeleton-animate-wave::after {\n    background: none;\n    animation: none;\n  }\n}\n\n@keyframes b-skeleton-animate-wave {\n  from {\n    transform: translateX(-100%);\n  }\n  to {\n    transform: translateX(100%);\n  }\n}\n.b-skeleton-animate-fade {\n  animation: b-skeleton-animate-fade 0.875s ease-in-out alternate infinite;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-skeleton-animate-fade {\n    animation: none;\n  }\n}\n\n@keyframes b-skeleton-animate-fade {\n  0% {\n    opacity: 1;\n  }\n  100% {\n    opacity: 0.4;\n  }\n}\n.b-skeleton-animate-throb {\n  animation: b-skeleton-animate-throb 0.875s ease-in alternate infinite;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-skeleton-animate-throb {\n    animation: none;\n  }\n}\n\n@keyframes b-skeleton-animate-throb {\n  0% {\n    transform: scale(1);\n  }\n  100% {\n    transform: scale(0.975);\n  }\n}\n.table.b-table.b-table-fixed {\n  table-layout: fixed;\n}\n.table.b-table.b-table-no-border-collapse {\n  border-collapse: separate;\n  border-spacing: 0;\n}\n.table.b-table[aria-busy=true] {\n  opacity: 0.55;\n}\n.table.b-table &gt; tbody &gt; tr.b-table-details &gt; td {\n  border-top: none !important;\n}\n.table.b-table &gt; caption {\n  caption-side: bottom;\n}\n.table.b-table.b-table-caption-top &gt; caption {\n  caption-side: top !important;\n}\n.table.b-table &gt; tbody &gt; .table-active,\n.table.b-table &gt; tbody &gt; .table-active &gt; th,\n.table.b-table &gt; tbody &gt; .table-active &gt; td {\n  background-color: rgba(0, 0, 0, 0.075);\n}\n.table.b-table.table-hover &gt; tbody &gt; tr.table-active:hover td,\n.table.b-table.table-hover &gt; tbody &gt; tr.table-active:hover th {\n  color: #212529;\n  background-image: linear-gradient(rgba(0, 0, 0, 0.075), rgba(0, 0, 0, 0.075));\n  background-repeat: no-repeat;\n}\n.table.b-table &gt; tbody &gt; .bg-active,\n.table.b-table &gt; tbody &gt; .bg-active &gt; th,\n.table.b-table &gt; tbody &gt; .bg-active &gt; td {\n  background-color: rgba(255, 255, 255, 0.075) !important;\n}\n.table.b-table.table-hover.table-dark &gt; tbody &gt; tr.bg-active:hover td,\n.table.b-table.table-hover.table-dark &gt; tbody &gt; tr.bg-active:hover th {\n  color: #fff;\n  background-image: linear-gradient(rgba(255, 255, 255, 0.075), rgba(255, 255, 255, 0.075));\n  background-repeat: no-repeat;\n}\n\n.b-table-sticky-header,\n.table-responsive,\n[class*=table-responsive-] {\n  margin-bottom: 1rem;\n}\n.b-table-sticky-header &gt; .table,\n.table-responsive &gt; .table,\n[class*=table-responsive-] &gt; .table {\n  margin-bottom: 0;\n}\n\n.b-table-sticky-header {\n  overflow-y: auto;\n  max-height: 300px;\n}\n\n@media print {\n  .b-table-sticky-header {\n    overflow-y: visible !important;\n    max-height: none !important;\n  }\n}\n@supports (position: sticky) {\n  .b-table-sticky-header &gt; .table.b-table &gt; thead &gt; tr &gt; th {\n    position: sticky;\n    top: 0;\n    z-index: 2;\n  }\n\n  .b-table-sticky-header &gt; .table.b-table &gt; thead &gt; tr &gt; .b-table-sticky-column,\n.b-table-sticky-header &gt; .table.b-table &gt; tbody &gt; tr &gt; .b-table-sticky-column,\n.b-table-sticky-header &gt; .table.b-table &gt; tfoot &gt; tr &gt; .b-table-sticky-column,\n.table-responsive &gt; .table.b-table &gt; thead &gt; tr &gt; .b-table-sticky-column,\n.table-responsive &gt; .table.b-table &gt; tbody &gt; tr &gt; .b-table-sticky-column,\n.table-responsive &gt; .table.b-table &gt; tfoot &gt; tr &gt; .b-table-sticky-column,\n[class*=table-responsive-] &gt; .table.b-table &gt; thead &gt; tr &gt; .b-table-sticky-column,\n[class*=table-responsive-] &gt; .table.b-table &gt; tbody &gt; tr &gt; .b-table-sticky-column,\n[class*=table-responsive-] &gt; .table.b-table &gt; tfoot &gt; tr &gt; .b-table-sticky-column {\n    position: sticky;\n    left: 0;\n  }\n  .b-table-sticky-header &gt; .table.b-table &gt; thead &gt; tr &gt; .b-table-sticky-column,\n.table-responsive &gt; .table.b-table &gt; thead &gt; tr &gt; .b-table-sticky-column,\n[class*=table-responsive-] &gt; .table.b-table &gt; thead &gt; tr &gt; .b-table-sticky-column {\n    z-index: 5;\n  }\n  .b-table-sticky-header &gt; .table.b-table &gt; tbody &gt; tr &gt; .b-table-sticky-column,\n.b-table-sticky-header &gt; .table.b-table &gt; tfoot &gt; tr &gt; .b-table-sticky-column,\n.table-responsive &gt; .table.b-table &gt; tbody &gt; tr &gt; .b-table-sticky-column,\n.table-responsive &gt; .table.b-table &gt; tfoot &gt; tr &gt; .b-table-sticky-column,\n[class*=table-responsive-] &gt; .table.b-table &gt; tbody &gt; tr &gt; .b-table-sticky-column,\n[class*=table-responsive-] &gt; .table.b-table &gt; tfoot &gt; tr &gt; .b-table-sticky-column {\n    z-index: 2;\n  }\n\n  .table.b-table &gt; thead &gt; tr &gt; .table-b-table-default,\n.table.b-table &gt; tbody &gt; tr &gt; .table-b-table-default,\n.table.b-table &gt; tfoot &gt; tr &gt; .table-b-table-default {\n    color: #212529;\n    background-color: #fff;\n  }\n  .table.b-table.table-dark &gt; thead &gt; tr &gt; .bg-b-table-default,\n.table.b-table.table-dark &gt; tbody &gt; tr &gt; .bg-b-table-default,\n.table.b-table.table-dark &gt; tfoot &gt; tr &gt; .bg-b-table-default {\n    color: #fff;\n    background-color: #343a40;\n  }\n  .table.b-table.table-striped &gt; tbody &gt; tr:nth-of-type(odd) &gt; .table-b-table-default {\n    background-image: linear-gradient(rgba(0, 0, 0, 0.05), rgba(0, 0, 0, 0.05));\n    background-repeat: no-repeat;\n  }\n  .table.b-table.table-striped.table-dark &gt; tbody &gt; tr:nth-of-type(odd) &gt; .bg-b-table-default {\n    background-image: linear-gradient(rgba(255, 255, 255, 0.05), rgba(255, 255, 255, 0.05));\n    background-repeat: no-repeat;\n  }\n  .table.b-table.table-hover &gt; tbody &gt; tr:hover &gt; .table-b-table-default {\n    color: #212529;\n    background-image: linear-gradient(rgba(0, 0, 0, 0.075), rgba(0, 0, 0, 0.075));\n    background-repeat: no-repeat;\n  }\n  .table.b-table.table-hover.table-dark &gt; tbody &gt; tr:hover &gt; .bg-b-table-default {\n    color: #fff;\n    background-image: linear-gradient(rgba(255, 255, 255, 0.075), rgba(255, 255, 255, 0.075));\n    background-repeat: no-repeat;\n  }\n}\n.table.b-table &gt; thead &gt; tr &gt; [aria-sort],\n.table.b-table &gt; tfoot &gt; tr &gt; [aria-sort] {\n  cursor: pointer;\n  background-image: none;\n  background-repeat: no-repeat;\n  background-size: 0.65em 1em;\n}\n.table.b-table &gt; thead &gt; tr &gt; [aria-sort]:not(.b-table-sort-icon-left),\n.table.b-table &gt; tfoot &gt; tr &gt; [aria-sort]:not(.b-table-sort-icon-left) {\n  background-position: right calc(0.75rem / 2) center;\n  padding-right: calc(0.75rem + 0.65em);\n}\n.table.b-table &gt; thead &gt; tr &gt; [aria-sort].b-table-sort-icon-left,\n.table.b-table &gt; tfoot &gt; tr &gt; [aria-sort].b-table-sort-icon-left {\n  background-position: left calc(0.75rem / 2) center;\n  padding-left: calc(0.75rem + 0.65em);\n}\n.table.b-table &gt; thead &gt; tr &gt; [aria-sort=none],\n.table.b-table &gt; tfoot &gt; tr &gt; [aria-sort=none] {\n  background-image: url(\"data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' width='101' height='101' view-box='0 0 101 101' preserveAspectRatio='none'%3e%3cpath fill='black' opacity='.3' d='M51 1l25 23 24 22H1l25-22zM51 101l25-23 24-22H1l25 22z'/%3e%3c/svg%3e\");\n}\n.table.b-table &gt; thead &gt; tr &gt; [aria-sort=ascending],\n.table.b-table &gt; tfoot &gt; tr &gt; [aria-sort=ascending] {\n  background-image: url(\"data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' width='101' height='101' view-box='0 0 101 101' preserveAspectRatio='none'%3e%3cpath fill='black' d='M51 1l25 23 24 22H1l25-22z'/%3e%3cpath fill='black' opacity='.3' d='M51 101l25-23 24-22H1l25 22z'/%3e%3c/svg%3e\");\n}\n.table.b-table &gt; thead &gt; tr &gt; [aria-sort=descending],\n.table.b-table &gt; tfoot &gt; tr &gt; [aria-sort=descending] {\n  background-image: url(\"data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' width='101' height='101' view-box='0 0 101 101' preserveAspectRatio='none'%3e%3cpath fill='black' opacity='.3' d='M51 1l25 23 24 22H1l25-22z'/%3e%3cpath fill='black' d='M51 101l25-23 24-22H1l25 22z'/%3e%3c/svg%3e\");\n}\n.table.b-table.table-dark &gt; thead &gt; tr &gt; [aria-sort=none], .table.b-table.table-dark &gt; tfoot &gt; tr &gt; [aria-sort=none],\n.table.b-table &gt; .thead-dark &gt; tr &gt; [aria-sort=none] {\n  background-image: url(\"data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' width='101' height='101' view-box='0 0 101 101' preserveAspectRatio='none'%3e%3cpath fill='white' opacity='.3' d='M51 1l25 23 24 22H1l25-22zM51 101l25-23 24-22H1l25 22z'/%3e%3c/svg%3e\");\n}\n.table.b-table.table-dark &gt; thead &gt; tr &gt; [aria-sort=ascending], .table.b-table.table-dark &gt; tfoot &gt; tr &gt; [aria-sort=ascending],\n.table.b-table &gt; .thead-dark &gt; tr &gt; [aria-sort=ascending] {\n  background-image: url(\"data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' width='101' height='101' view-box='0 0 101 101' preserveAspectRatio='none'%3e%3cpath fill='white' d='M51 1l25 23 24 22H1l25-22z'/%3e%3cpath fill='white' opacity='.3' d='M51 101l25-23 24-22H1l25 22z'/%3e%3c/svg%3e\");\n}\n.table.b-table.table-dark &gt; thead &gt; tr &gt; [aria-sort=descending], .table.b-table.table-dark &gt; tfoot &gt; tr &gt; [aria-sort=descending],\n.table.b-table &gt; .thead-dark &gt; tr &gt; [aria-sort=descending] {\n  background-image: url(\"data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' width='101' height='101' view-box='0 0 101 101' preserveAspectRatio='none'%3e%3cpath fill='white' opacity='.3' d='M51 1l25 23 24 22H1l25-22z'/%3e%3cpath fill='white' d='M51 101l25-23 24-22H1l25 22z'/%3e%3c/svg%3e\");\n}\n.table.b-table &gt; thead &gt; tr &gt; .table-dark[aria-sort=none],\n.table.b-table &gt; tfoot &gt; tr &gt; .table-dark[aria-sort=none] {\n  background-image: url(\"data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' width='101' height='101' view-box='0 0 101 101' preserveAspectRatio='none'%3e%3cpath fill='white' opacity='.3' d='M51 1l25 23 24 22H1l25-22zM51 101l25-23 24-22H1l25 22z'/%3e%3c/svg%3e\");\n}\n.table.b-table &gt; thead &gt; tr &gt; .table-dark[aria-sort=ascending],\n.table.b-table &gt; tfoot &gt; tr &gt; .table-dark[aria-sort=ascending] {\n  background-image: url(\"data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' width='101' height='101' view-box='0 0 101 101' preserveAspectRatio='none'%3e%3cpath fill='white' d='M51 1l25 23 24 22H1l25-22z'/%3e%3cpath fill='white' opacity='.3' d='M51 101l25-23 24-22H1l25 22z'/%3e%3c/svg%3e\");\n}\n.table.b-table &gt; thead &gt; tr &gt; .table-dark[aria-sort=descending],\n.table.b-table &gt; tfoot &gt; tr &gt; .table-dark[aria-sort=descending] {\n  background-image: url(\"data:image/svg+xml,%3csvg xmlns='http://www.w3.org/2000/svg' width='101' height='101' view-box='0 0 101 101' preserveAspectRatio='none'%3e%3cpath fill='white' opacity='.3' d='M51 1l25 23 24 22H1l25-22z'/%3e%3cpath fill='white' d='M51 101l25-23 24-22H1l25 22z'/%3e%3c/svg%3e\");\n}\n.table.b-table.table-sm &gt; thead &gt; tr &gt; [aria-sort]:not(.b-table-sort-icon-left),\n.table.b-table.table-sm &gt; tfoot &gt; tr &gt; [aria-sort]:not(.b-table-sort-icon-left) {\n  background-position: right calc(0.3rem / 2) center;\n  padding-right: calc(0.3rem + 0.65em);\n}\n.table.b-table.table-sm &gt; thead &gt; tr &gt; [aria-sort].b-table-sort-icon-left,\n.table.b-table.table-sm &gt; tfoot &gt; tr &gt; [aria-sort].b-table-sort-icon-left {\n  background-position: left calc(0.3rem / 2) center;\n  padding-left: calc(0.3rem + 0.65em);\n}\n\n.table.b-table.b-table-selectable:not(.b-table-selectable-no-click) &gt; tbody &gt; tr {\n  cursor: pointer;\n}\n.table.b-table.b-table-selectable:not(.b-table-selectable-no-click).b-table-selecting.b-table-select-range &gt; tbody &gt; tr {\n  -webkit-user-select: none;\n  -moz-user-select: none;\n  user-select: none;\n}\n\n@media (max-width: 575.98px) {\n  .table.b-table.b-table-stacked-sm {\n    display: block;\n    width: 100%;\n  }\n  .table.b-table.b-table-stacked-sm &gt; caption,\n.table.b-table.b-table-stacked-sm &gt; tbody,\n.table.b-table.b-table-stacked-sm &gt; tbody &gt; tr,\n.table.b-table.b-table-stacked-sm &gt; tbody &gt; tr &gt; td,\n.table.b-table.b-table-stacked-sm &gt; tbody &gt; tr &gt; th {\n    display: block;\n  }\n  .table.b-table.b-table-stacked-sm &gt; thead,\n.table.b-table.b-table-stacked-sm &gt; tfoot {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-sm &gt; thead &gt; tr.b-table-top-row,\n.table.b-table.b-table-stacked-sm &gt; thead &gt; tr.b-table-bottom-row,\n.table.b-table.b-table-stacked-sm &gt; tfoot &gt; tr.b-table-top-row,\n.table.b-table.b-table-stacked-sm &gt; tfoot &gt; tr.b-table-bottom-row {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-sm &gt; caption {\n    caption-side: top !important;\n  }\n  .table.b-table.b-table-stacked-sm &gt; tbody &gt; tr &gt; [data-label]::before {\n    content: attr(data-label);\n    width: 40%;\n    float: left;\n    text-align: right;\n    overflow-wrap: break-word;\n    font-weight: bold;\n    font-style: normal;\n    padding: 0 calc(1rem / 2) 0 0;\n    margin: 0;\n  }\n  .table.b-table.b-table-stacked-sm &gt; tbody &gt; tr &gt; [data-label]::after {\n    display: block;\n    clear: both;\n    content: \"\";\n  }\n  .table.b-table.b-table-stacked-sm &gt; tbody &gt; tr &gt; [data-label] &gt; div {\n    display: inline-block;\n    width: calc(100% - 40%);\n    padding: 0 0 0 calc(1rem / 2);\n    margin: 0;\n  }\n  .table.b-table.b-table-stacked-sm &gt; tbody &gt; tr.top-row, .table.b-table.b-table-stacked-sm &gt; tbody &gt; tr.bottom-row {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-sm &gt; tbody &gt; tr &gt; :first-child {\n    border-top-width: 3px;\n  }\n  .table.b-table.b-table-stacked-sm &gt; tbody &gt; tr &gt; [rowspan] + td,\n.table.b-table.b-table-stacked-sm &gt; tbody &gt; tr &gt; [rowspan] + th {\n    border-top-width: 3px;\n  }\n}\n@media (max-width: 767.98px) {\n  .table.b-table.b-table-stacked-md {\n    display: block;\n    width: 100%;\n  }\n  .table.b-table.b-table-stacked-md &gt; caption,\n.table.b-table.b-table-stacked-md &gt; tbody,\n.table.b-table.b-table-stacked-md &gt; tbody &gt; tr,\n.table.b-table.b-table-stacked-md &gt; tbody &gt; tr &gt; td,\n.table.b-table.b-table-stacked-md &gt; tbody &gt; tr &gt; th {\n    display: block;\n  }\n  .table.b-table.b-table-stacked-md &gt; thead,\n.table.b-table.b-table-stacked-md &gt; tfoot {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-md &gt; thead &gt; tr.b-table-top-row,\n.table.b-table.b-table-stacked-md &gt; thead &gt; tr.b-table-bottom-row,\n.table.b-table.b-table-stacked-md &gt; tfoot &gt; tr.b-table-top-row,\n.table.b-table.b-table-stacked-md &gt; tfoot &gt; tr.b-table-bottom-row {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-md &gt; caption {\n    caption-side: top !important;\n  }\n  .table.b-table.b-table-stacked-md &gt; tbody &gt; tr &gt; [data-label]::before {\n    content: attr(data-label);\n    width: 40%;\n    float: left;\n    text-align: right;\n    overflow-wrap: break-word;\n    font-weight: bold;\n    font-style: normal;\n    padding: 0 calc(1rem / 2) 0 0;\n    margin: 0;\n  }\n  .table.b-table.b-table-stacked-md &gt; tbody &gt; tr &gt; [data-label]::after {\n    display: block;\n    clear: both;\n    content: \"\";\n  }\n  .table.b-table.b-table-stacked-md &gt; tbody &gt; tr &gt; [data-label] &gt; div {\n    display: inline-block;\n    width: calc(100% - 40%);\n    padding: 0 0 0 calc(1rem / 2);\n    margin: 0;\n  }\n  .table.b-table.b-table-stacked-md &gt; tbody &gt; tr.top-row, .table.b-table.b-table-stacked-md &gt; tbody &gt; tr.bottom-row {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-md &gt; tbody &gt; tr &gt; :first-child {\n    border-top-width: 3px;\n  }\n  .table.b-table.b-table-stacked-md &gt; tbody &gt; tr &gt; [rowspan] + td,\n.table.b-table.b-table-stacked-md &gt; tbody &gt; tr &gt; [rowspan] + th {\n    border-top-width: 3px;\n  }\n}\n@media (max-width: 991.98px) {\n  .table.b-table.b-table-stacked-lg {\n    display: block;\n    width: 100%;\n  }\n  .table.b-table.b-table-stacked-lg &gt; caption,\n.table.b-table.b-table-stacked-lg &gt; tbody,\n.table.b-table.b-table-stacked-lg &gt; tbody &gt; tr,\n.table.b-table.b-table-stacked-lg &gt; tbody &gt; tr &gt; td,\n.table.b-table.b-table-stacked-lg &gt; tbody &gt; tr &gt; th {\n    display: block;\n  }\n  .table.b-table.b-table-stacked-lg &gt; thead,\n.table.b-table.b-table-stacked-lg &gt; tfoot {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-lg &gt; thead &gt; tr.b-table-top-row,\n.table.b-table.b-table-stacked-lg &gt; thead &gt; tr.b-table-bottom-row,\n.table.b-table.b-table-stacked-lg &gt; tfoot &gt; tr.b-table-top-row,\n.table.b-table.b-table-stacked-lg &gt; tfoot &gt; tr.b-table-bottom-row {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-lg &gt; caption {\n    caption-side: top !important;\n  }\n  .table.b-table.b-table-stacked-lg &gt; tbody &gt; tr &gt; [data-label]::before {\n    content: attr(data-label);\n    width: 40%;\n    float: left;\n    text-align: right;\n    overflow-wrap: break-word;\n    font-weight: bold;\n    font-style: normal;\n    padding: 0 calc(1rem / 2) 0 0;\n    margin: 0;\n  }\n  .table.b-table.b-table-stacked-lg &gt; tbody &gt; tr &gt; [data-label]::after {\n    display: block;\n    clear: both;\n    content: \"\";\n  }\n  .table.b-table.b-table-stacked-lg &gt; tbody &gt; tr &gt; [data-label] &gt; div {\n    display: inline-block;\n    width: calc(100% - 40%);\n    padding: 0 0 0 calc(1rem / 2);\n    margin: 0;\n  }\n  .table.b-table.b-table-stacked-lg &gt; tbody &gt; tr.top-row, .table.b-table.b-table-stacked-lg &gt; tbody &gt; tr.bottom-row {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-lg &gt; tbody &gt; tr &gt; :first-child {\n    border-top-width: 3px;\n  }\n  .table.b-table.b-table-stacked-lg &gt; tbody &gt; tr &gt; [rowspan] + td,\n.table.b-table.b-table-stacked-lg &gt; tbody &gt; tr &gt; [rowspan] + th {\n    border-top-width: 3px;\n  }\n}\n@media (max-width: 1199.98px) {\n  .table.b-table.b-table-stacked-xl {\n    display: block;\n    width: 100%;\n  }\n  .table.b-table.b-table-stacked-xl &gt; caption,\n.table.b-table.b-table-stacked-xl &gt; tbody,\n.table.b-table.b-table-stacked-xl &gt; tbody &gt; tr,\n.table.b-table.b-table-stacked-xl &gt; tbody &gt; tr &gt; td,\n.table.b-table.b-table-stacked-xl &gt; tbody &gt; tr &gt; th {\n    display: block;\n  }\n  .table.b-table.b-table-stacked-xl &gt; thead,\n.table.b-table.b-table-stacked-xl &gt; tfoot {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-xl &gt; thead &gt; tr.b-table-top-row,\n.table.b-table.b-table-stacked-xl &gt; thead &gt; tr.b-table-bottom-row,\n.table.b-table.b-table-stacked-xl &gt; tfoot &gt; tr.b-table-top-row,\n.table.b-table.b-table-stacked-xl &gt; tfoot &gt; tr.b-table-bottom-row {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-xl &gt; caption {\n    caption-side: top !important;\n  }\n  .table.b-table.b-table-stacked-xl &gt; tbody &gt; tr &gt; [data-label]::before {\n    content: attr(data-label);\n    width: 40%;\n    float: left;\n    text-align: right;\n    overflow-wrap: break-word;\n    font-weight: bold;\n    font-style: normal;\n    padding: 0 calc(1rem / 2) 0 0;\n    margin: 0;\n  }\n  .table.b-table.b-table-stacked-xl &gt; tbody &gt; tr &gt; [data-label]::after {\n    display: block;\n    clear: both;\n    content: \"\";\n  }\n  .table.b-table.b-table-stacked-xl &gt; tbody &gt; tr &gt; [data-label] &gt; div {\n    display: inline-block;\n    width: calc(100% - 40%);\n    padding: 0 0 0 calc(1rem / 2);\n    margin: 0;\n  }\n  .table.b-table.b-table-stacked-xl &gt; tbody &gt; tr.top-row, .table.b-table.b-table-stacked-xl &gt; tbody &gt; tr.bottom-row {\n    display: none;\n  }\n  .table.b-table.b-table-stacked-xl &gt; tbody &gt; tr &gt; :first-child {\n    border-top-width: 3px;\n  }\n  .table.b-table.b-table-stacked-xl &gt; tbody &gt; tr &gt; [rowspan] + td,\n.table.b-table.b-table-stacked-xl &gt; tbody &gt; tr &gt; [rowspan] + th {\n    border-top-width: 3px;\n  }\n}\n.table.b-table.b-table-stacked {\n  display: block;\n  width: 100%;\n}\n.table.b-table.b-table-stacked &gt; caption,\n.table.b-table.b-table-stacked &gt; tbody,\n.table.b-table.b-table-stacked &gt; tbody &gt; tr,\n.table.b-table.b-table-stacked &gt; tbody &gt; tr &gt; td,\n.table.b-table.b-table-stacked &gt; tbody &gt; tr &gt; th {\n  display: block;\n}\n.table.b-table.b-table-stacked &gt; thead,\n.table.b-table.b-table-stacked &gt; tfoot {\n  display: none;\n}\n.table.b-table.b-table-stacked &gt; thead &gt; tr.b-table-top-row,\n.table.b-table.b-table-stacked &gt; thead &gt; tr.b-table-bottom-row,\n.table.b-table.b-table-stacked &gt; tfoot &gt; tr.b-table-top-row,\n.table.b-table.b-table-stacked &gt; tfoot &gt; tr.b-table-bottom-row {\n  display: none;\n}\n.table.b-table.b-table-stacked &gt; caption {\n  caption-side: top !important;\n}\n.table.b-table.b-table-stacked &gt; tbody &gt; tr &gt; [data-label]::before {\n  content: attr(data-label);\n  width: 40%;\n  float: left;\n  text-align: right;\n  overflow-wrap: break-word;\n  font-weight: bold;\n  font-style: normal;\n  padding: 0 calc(1rem / 2) 0 0;\n  margin: 0;\n}\n.table.b-table.b-table-stacked &gt; tbody &gt; tr &gt; [data-label]::after {\n  display: block;\n  clear: both;\n  content: \"\";\n}\n.table.b-table.b-table-stacked &gt; tbody &gt; tr &gt; [data-label] &gt; div {\n  display: inline-block;\n  width: calc(100% - 40%);\n  padding: 0 0 0 calc(1rem / 2);\n  margin: 0;\n}\n.table.b-table.b-table-stacked &gt; tbody &gt; tr.top-row, .table.b-table.b-table-stacked &gt; tbody &gt; tr.bottom-row {\n  display: none;\n}\n.table.b-table.b-table-stacked &gt; tbody &gt; tr &gt; :first-child {\n  border-top-width: 3px;\n}\n.table.b-table.b-table-stacked &gt; tbody &gt; tr &gt; [rowspan] + td,\n.table.b-table.b-table-stacked &gt; tbody &gt; tr &gt; [rowspan] + th {\n  border-top-width: 3px;\n}\n\n.b-time {\n  min-width: 150px;\n}\n.b-time[aria-disabled=true] output, .b-time[aria-readonly=true] output,\n.b-time output.disabled {\n  background-color: #e9ecef;\n  opacity: 1;\n}\n.b-time[aria-disabled=true] output {\n  pointer-events: none;\n}\n[dir=rtl] .b-time &gt; .d-flex:not(.flex-column) {\n  flex-direction: row-reverse;\n}\n\n.b-time .b-time-header {\n  margin-bottom: 0.5rem;\n}\n.b-time .b-time-header output {\n  padding: 0.25rem;\n  font-size: 80%;\n}\n.b-time .b-time-footer {\n  margin-top: 0.5rem;\n}\n.b-time .b-time-ampm {\n  margin-left: 0.5rem;\n}\n\n.b-toast {\n  display: block;\n  position: relative;\n  max-width: 350px;\n  backface-visibility: hidden;\n  background-clip: padding-box;\n  z-index: 1;\n  border-radius: 0.25rem;\n}\n.b-toast .toast {\n  background-color: rgba(255, 255, 255, 0.85);\n}\n.b-toast:not(:last-child) {\n  margin-bottom: 0.75rem;\n}\n.b-toast.b-toast-solid .toast {\n  background-color: white;\n}\n.b-toast .toast {\n  opacity: 1;\n}\n.b-toast .toast.fade:not(.show) {\n  opacity: 0;\n}\n.b-toast .toast .toast-body {\n  display: block;\n}\n\n.b-toast-primary .toast {\n  background-color: rgba(230, 242, 255, 0.85);\n  border-color: rgba(184, 218, 255, 0.85);\n  color: #004085;\n}\n.b-toast-primary .toast .toast-header {\n  color: #004085;\n  background-color: rgba(204, 229, 255, 0.85);\n  border-bottom-color: rgba(184, 218, 255, 0.85);\n}\n.b-toast-primary.b-toast-solid .toast {\n  background-color: #e6f2ff;\n}\n\n.b-toast-secondary .toast {\n  background-color: rgba(239, 240, 241, 0.85);\n  border-color: rgba(214, 216, 219, 0.85);\n  color: #383d41;\n}\n.b-toast-secondary .toast .toast-header {\n  color: #383d41;\n  background-color: rgba(226, 227, 229, 0.85);\n  border-bottom-color: rgba(214, 216, 219, 0.85);\n}\n.b-toast-secondary.b-toast-solid .toast {\n  background-color: #eff0f1;\n}\n\n.b-toast-success .toast {\n  background-color: rgba(230, 245, 233, 0.85);\n  border-color: rgba(195, 230, 203, 0.85);\n  color: #155724;\n}\n.b-toast-success .toast .toast-header {\n  color: #155724;\n  background-color: rgba(212, 237, 218, 0.85);\n  border-bottom-color: rgba(195, 230, 203, 0.85);\n}\n.b-toast-success.b-toast-solid .toast {\n  background-color: #e6f5e9;\n}\n\n.b-toast-info .toast {\n  background-color: rgba(229, 244, 247, 0.85);\n  border-color: rgba(190, 229, 235, 0.85);\n  color: #0c5460;\n}\n.b-toast-info .toast .toast-header {\n  color: #0c5460;\n  background-color: rgba(209, 236, 241, 0.85);\n  border-bottom-color: rgba(190, 229, 235, 0.85);\n}\n.b-toast-info.b-toast-solid .toast {\n  background-color: #e5f4f7;\n}\n\n.b-toast-warning .toast {\n  background-color: rgba(255, 249, 231, 0.85);\n  border-color: rgba(255, 238, 186, 0.85);\n  color: #856404;\n}\n.b-toast-warning .toast .toast-header {\n  color: #856404;\n  background-color: rgba(255, 243, 205, 0.85);\n  border-bottom-color: rgba(255, 238, 186, 0.85);\n}\n.b-toast-warning.b-toast-solid .toast {\n  background-color: #fff9e7;\n}\n\n.b-toast-danger .toast {\n  background-color: rgba(252, 237, 238, 0.85);\n  border-color: rgba(245, 198, 203, 0.85);\n  color: #721c24;\n}\n.b-toast-danger .toast .toast-header {\n  color: #721c24;\n  background-color: rgba(248, 215, 218, 0.85);\n  border-bottom-color: rgba(245, 198, 203, 0.85);\n}\n.b-toast-danger.b-toast-solid .toast {\n  background-color: #fcedee;\n}\n\n.b-toast-light .toast {\n  background-color: rgba(255, 255, 255, 0.85);\n  border-color: rgba(253, 253, 254, 0.85);\n  color: #818182;\n}\n.b-toast-light .toast .toast-header {\n  color: #818182;\n  background-color: rgba(254, 254, 254, 0.85);\n  border-bottom-color: rgba(253, 253, 254, 0.85);\n}\n.b-toast-light.b-toast-solid .toast {\n  background-color: white;\n}\n\n.b-toast-dark .toast {\n  background-color: rgba(227, 229, 229, 0.85);\n  border-color: rgba(198, 200, 202, 0.85);\n  color: #1b1e21;\n}\n.b-toast-dark .toast .toast-header {\n  color: #1b1e21;\n  background-color: rgba(214, 216, 217, 0.85);\n  border-bottom-color: rgba(198, 200, 202, 0.85);\n}\n.b-toast-dark.b-toast-solid .toast {\n  background-color: #e3e5e5;\n}\n\n.b-toaster {\n  z-index: 1100;\n}\n.b-toaster .b-toaster-slot {\n  position: relative;\n  display: block;\n}\n.b-toaster .b-toaster-slot:empty {\n  display: none !important;\n}\n\n.b-toaster.b-toaster-top-right, .b-toaster.b-toaster-top-left, .b-toaster.b-toaster-top-center, .b-toaster.b-toaster-top-full, .b-toaster.b-toaster-bottom-right, .b-toaster.b-toaster-bottom-left, .b-toaster.b-toaster-bottom-center, .b-toaster.b-toaster-bottom-full {\n  position: fixed;\n  left: 0.5rem;\n  right: 0.5rem;\n  margin: 0;\n  padding: 0;\n  height: 0;\n  overflow: visible;\n}\n.b-toaster.b-toaster-top-right .b-toaster-slot, .b-toaster.b-toaster-top-left .b-toaster-slot, .b-toaster.b-toaster-top-center .b-toaster-slot, .b-toaster.b-toaster-top-full .b-toaster-slot, .b-toaster.b-toaster-bottom-right .b-toaster-slot, .b-toaster.b-toaster-bottom-left .b-toaster-slot, .b-toaster.b-toaster-bottom-center .b-toaster-slot, .b-toaster.b-toaster-bottom-full .b-toaster-slot {\n  position: absolute;\n  max-width: 350px;\n  width: 100%;\n  /* IE 11 fix */\n  left: 0;\n  right: 0;\n  padding: 0;\n  margin: 0;\n}\n.b-toaster.b-toaster-top-full .b-toaster-slot, .b-toaster.b-toaster-bottom-full .b-toaster-slot {\n  width: 100%;\n  max-width: 100%;\n}\n.b-toaster.b-toaster-top-full .b-toaster-slot .b-toast,\n.b-toaster.b-toaster-top-full .b-toaster-slot .toast, .b-toaster.b-toaster-bottom-full .b-toaster-slot .b-toast,\n.b-toaster.b-toaster-bottom-full .b-toaster-slot .toast {\n  width: 100%;\n  max-width: 100%;\n}\n.b-toaster.b-toaster-top-right, .b-toaster.b-toaster-top-left, .b-toaster.b-toaster-top-center, .b-toaster.b-toaster-top-full {\n  top: 0;\n}\n.b-toaster.b-toaster-top-right .b-toaster-slot, .b-toaster.b-toaster-top-left .b-toaster-slot, .b-toaster.b-toaster-top-center .b-toaster-slot, .b-toaster.b-toaster-top-full .b-toaster-slot {\n  top: 0.5rem;\n}\n.b-toaster.b-toaster-bottom-right, .b-toaster.b-toaster-bottom-left, .b-toaster.b-toaster-bottom-center, .b-toaster.b-toaster-bottom-full {\n  bottom: 0;\n}\n.b-toaster.b-toaster-bottom-right .b-toaster-slot, .b-toaster.b-toaster-bottom-left .b-toaster-slot, .b-toaster.b-toaster-bottom-center .b-toaster-slot, .b-toaster.b-toaster-bottom-full .b-toaster-slot {\n  bottom: 0.5rem;\n}\n.b-toaster.b-toaster-top-right .b-toaster-slot, .b-toaster.b-toaster-bottom-right .b-toaster-slot, .b-toaster.b-toaster-top-center .b-toaster-slot, .b-toaster.b-toaster-bottom-center .b-toaster-slot {\n  margin-left: auto;\n}\n.b-toaster.b-toaster-top-left .b-toaster-slot, .b-toaster.b-toaster-bottom-left .b-toaster-slot, .b-toaster.b-toaster-top-center .b-toaster-slot, .b-toaster.b-toaster-bottom-center .b-toaster-slot {\n  margin-right: auto;\n}\n\n.b-toaster.b-toaster-top-right .b-toast.b-toaster-enter-active, .b-toaster.b-toaster-top-right .b-toast.b-toaster-leave-active, .b-toaster.b-toaster-top-right .b-toast.b-toaster-move, .b-toaster.b-toaster-top-left .b-toast.b-toaster-enter-active, .b-toaster.b-toaster-top-left .b-toast.b-toaster-leave-active, .b-toaster.b-toaster-top-left .b-toast.b-toaster-move, .b-toaster.b-toaster-bottom-right .b-toast.b-toaster-enter-active, .b-toaster.b-toaster-bottom-right .b-toast.b-toaster-leave-active, .b-toaster.b-toaster-bottom-right .b-toast.b-toaster-move, .b-toaster.b-toaster-bottom-left .b-toast.b-toaster-enter-active, .b-toaster.b-toaster-bottom-left .b-toast.b-toaster-leave-active, .b-toaster.b-toaster-bottom-left .b-toast.b-toaster-move {\n  transition: transform 0.175s;\n}\n.b-toaster.b-toaster-top-right .b-toast.b-toaster-enter-to .toast.fade, .b-toaster.b-toaster-top-right .b-toast.b-toaster-enter-active .toast.fade, .b-toaster.b-toaster-top-left .b-toast.b-toaster-enter-to .toast.fade, .b-toaster.b-toaster-top-left .b-toast.b-toaster-enter-active .toast.fade, .b-toaster.b-toaster-bottom-right .b-toast.b-toaster-enter-to .toast.fade, .b-toaster.b-toaster-bottom-right .b-toast.b-toaster-enter-active .toast.fade, .b-toaster.b-toaster-bottom-left .b-toast.b-toaster-enter-to .toast.fade, .b-toaster.b-toaster-bottom-left .b-toast.b-toaster-enter-active .toast.fade {\n  transition-delay: 0.175s;\n}\n.b-toaster.b-toaster-top-right .b-toast.b-toaster-leave-active, .b-toaster.b-toaster-top-left .b-toast.b-toaster-leave-active, .b-toaster.b-toaster-bottom-right .b-toast.b-toaster-leave-active, .b-toaster.b-toaster-bottom-left .b-toast.b-toaster-leave-active {\n  position: absolute;\n  transition-delay: 0.175s;\n}\n.b-toaster.b-toaster-top-right .b-toast.b-toaster-leave-active .toast.fade, .b-toaster.b-toaster-top-left .b-toast.b-toaster-leave-active .toast.fade, .b-toaster.b-toaster-bottom-right .b-toast.b-toaster-leave-active .toast.fade, .b-toaster.b-toaster-bottom-left .b-toast.b-toaster-leave-active .toast.fade {\n  transition-delay: 0s;\n}\n.tooltip.b-tooltip {\n  display: block;\n  opacity: 0.9;\n  outline: 0;\n}\n.tooltip.b-tooltip.fade:not(.show) {\n  opacity: 0;\n}\n.tooltip.b-tooltip.show {\n  opacity: 0.9;\n}\n.tooltip.b-tooltip.noninteractive {\n  pointer-events: none;\n}\n.tooltip.b-tooltip .arrow {\n  margin: 0 0.25rem;\n}\n.tooltip.b-tooltip.bs-tooltip-right .arrow, .tooltip.b-tooltip.b-tooltip-dark.bs-tooltip-auto[x-placement^=right] .arrow, .tooltip.b-tooltip.b-tooltip-light.bs-tooltip-auto[x-placement^=right] .arrow, .tooltip.b-tooltip.b-tooltip-danger.bs-tooltip-auto[x-placement^=right] .arrow, .tooltip.b-tooltip.b-tooltip-warning.bs-tooltip-auto[x-placement^=right] .arrow, .tooltip.b-tooltip.b-tooltip-info.bs-tooltip-auto[x-placement^=right] .arrow, .tooltip.b-tooltip.b-tooltip-success.bs-tooltip-auto[x-placement^=right] .arrow, .tooltip.b-tooltip.b-tooltip-secondary.bs-tooltip-auto[x-placement^=right] .arrow, .tooltip.b-tooltip.b-tooltip-primary.bs-tooltip-auto[x-placement^=right] .arrow, .tooltip.b-tooltip.bs-tooltip-left .arrow, .tooltip.b-tooltip.b-tooltip-dark.bs-tooltip-auto[x-placement^=left] .arrow, .tooltip.b-tooltip.b-tooltip-light.bs-tooltip-auto[x-placement^=left] .arrow, .tooltip.b-tooltip.b-tooltip-danger.bs-tooltip-auto[x-placement^=left] .arrow, .tooltip.b-tooltip.b-tooltip-warning.bs-tooltip-auto[x-placement^=left] .arrow, .tooltip.b-tooltip.b-tooltip-info.bs-tooltip-auto[x-placement^=left] .arrow, .tooltip.b-tooltip.b-tooltip-success.bs-tooltip-auto[x-placement^=left] .arrow, .tooltip.b-tooltip.b-tooltip-secondary.bs-tooltip-auto[x-placement^=left] .arrow, .tooltip.b-tooltip.b-tooltip-primary.bs-tooltip-auto[x-placement^=left] .arrow {\n  margin: 0.25rem 0;\n}\n\n.tooltip.b-tooltip-primary.bs-tooltip-top .arrow::before, .tooltip.b-tooltip-primary.bs-tooltip-auto[x-placement^=top] .arrow::before {\n  border-top-color: #007bff;\n}\n.tooltip.b-tooltip-primary.bs-tooltip-right .arrow::before, .tooltip.b-tooltip-primary.bs-tooltip-auto[x-placement^=right] .arrow::before {\n  border-right-color: #007bff;\n}\n.tooltip.b-tooltip-primary.bs-tooltip-bottom .arrow::before, .tooltip.b-tooltip-primary.bs-tooltip-auto[x-placement^=bottom] .arrow::before {\n  border-bottom-color: #007bff;\n}\n.tooltip.b-tooltip-primary.bs-tooltip-left .arrow::before, .tooltip.b-tooltip-primary.bs-tooltip-auto[x-placement^=left] .arrow::before {\n  border-left-color: #007bff;\n}\n.tooltip.b-tooltip-primary .tooltip-inner {\n  color: #fff;\n  background-color: #007bff;\n}\n\n.tooltip.b-tooltip-secondary.bs-tooltip-top .arrow::before, .tooltip.b-tooltip-secondary.bs-tooltip-auto[x-placement^=top] .arrow::before {\n  border-top-color: #6c757d;\n}\n.tooltip.b-tooltip-secondary.bs-tooltip-right .arrow::before, .tooltip.b-tooltip-secondary.bs-tooltip-auto[x-placement^=right] .arrow::before {\n  border-right-color: #6c757d;\n}\n.tooltip.b-tooltip-secondary.bs-tooltip-bottom .arrow::before, .tooltip.b-tooltip-secondary.bs-tooltip-auto[x-placement^=bottom] .arrow::before {\n  border-bottom-color: #6c757d;\n}\n.tooltip.b-tooltip-secondary.bs-tooltip-left .arrow::before, .tooltip.b-tooltip-secondary.bs-tooltip-auto[x-placement^=left] .arrow::before {\n  border-left-color: #6c757d;\n}\n.tooltip.b-tooltip-secondary .tooltip-inner {\n  color: #fff;\n  background-color: #6c757d;\n}\n\n.tooltip.b-tooltip-success.bs-tooltip-top .arrow::before, .tooltip.b-tooltip-success.bs-tooltip-auto[x-placement^=top] .arrow::before {\n  border-top-color: #28a745;\n}\n.tooltip.b-tooltip-success.bs-tooltip-right .arrow::before, .tooltip.b-tooltip-success.bs-tooltip-auto[x-placement^=right] .arrow::before {\n  border-right-color: #28a745;\n}\n.tooltip.b-tooltip-success.bs-tooltip-bottom .arrow::before, .tooltip.b-tooltip-success.bs-tooltip-auto[x-placement^=bottom] .arrow::before {\n  border-bottom-color: #28a745;\n}\n.tooltip.b-tooltip-success.bs-tooltip-left .arrow::before, .tooltip.b-tooltip-success.bs-tooltip-auto[x-placement^=left] .arrow::before {\n  border-left-color: #28a745;\n}\n.tooltip.b-tooltip-success .tooltip-inner {\n  color: #fff;\n  background-color: #28a745;\n}\n\n.tooltip.b-tooltip-info.bs-tooltip-top .arrow::before, .tooltip.b-tooltip-info.bs-tooltip-auto[x-placement^=top] .arrow::before {\n  border-top-color: #17a2b8;\n}\n.tooltip.b-tooltip-info.bs-tooltip-right .arrow::before, .tooltip.b-tooltip-info.bs-tooltip-auto[x-placement^=right] .arrow::before {\n  border-right-color: #17a2b8;\n}\n.tooltip.b-tooltip-info.bs-tooltip-bottom .arrow::before, .tooltip.b-tooltip-info.bs-tooltip-auto[x-placement^=bottom] .arrow::before {\n  border-bottom-color: #17a2b8;\n}\n.tooltip.b-tooltip-info.bs-tooltip-left .arrow::before, .tooltip.b-tooltip-info.bs-tooltip-auto[x-placement^=left] .arrow::before {\n  border-left-color: #17a2b8;\n}\n.tooltip.b-tooltip-info .tooltip-inner {\n  color: #fff;\n  background-color: #17a2b8;\n}\n\n.tooltip.b-tooltip-warning.bs-tooltip-top .arrow::before, .tooltip.b-tooltip-warning.bs-tooltip-auto[x-placement^=top] .arrow::before {\n  border-top-color: #ffc107;\n}\n.tooltip.b-tooltip-warning.bs-tooltip-right .arrow::before, .tooltip.b-tooltip-warning.bs-tooltip-auto[x-placement^=right] .arrow::before {\n  border-right-color: #ffc107;\n}\n.tooltip.b-tooltip-warning.bs-tooltip-bottom .arrow::before, .tooltip.b-tooltip-warning.bs-tooltip-auto[x-placement^=bottom] .arrow::before {\n  border-bottom-color: #ffc107;\n}\n.tooltip.b-tooltip-warning.bs-tooltip-left .arrow::before, .tooltip.b-tooltip-warning.bs-tooltip-auto[x-placement^=left] .arrow::before {\n  border-left-color: #ffc107;\n}\n.tooltip.b-tooltip-warning .tooltip-inner {\n  color: #212529;\n  background-color: #ffc107;\n}\n\n.tooltip.b-tooltip-danger.bs-tooltip-top .arrow::before, .tooltip.b-tooltip-danger.bs-tooltip-auto[x-placement^=top] .arrow::before {\n  border-top-color: #dc3545;\n}\n.tooltip.b-tooltip-danger.bs-tooltip-right .arrow::before, .tooltip.b-tooltip-danger.bs-tooltip-auto[x-placement^=right] .arrow::before {\n  border-right-color: #dc3545;\n}\n.tooltip.b-tooltip-danger.bs-tooltip-bottom .arrow::before, .tooltip.b-tooltip-danger.bs-tooltip-auto[x-placement^=bottom] .arrow::before {\n  border-bottom-color: #dc3545;\n}\n.tooltip.b-tooltip-danger.bs-tooltip-left .arrow::before, .tooltip.b-tooltip-danger.bs-tooltip-auto[x-placement^=left] .arrow::before {\n  border-left-color: #dc3545;\n}\n.tooltip.b-tooltip-danger .tooltip-inner {\n  color: #fff;\n  background-color: #dc3545;\n}\n\n.tooltip.b-tooltip-light.bs-tooltip-top .arrow::before, .tooltip.b-tooltip-light.bs-tooltip-auto[x-placement^=top] .arrow::before {\n  border-top-color: #f8f9fa;\n}\n.tooltip.b-tooltip-light.bs-tooltip-right .arrow::before, .tooltip.b-tooltip-light.bs-tooltip-auto[x-placement^=right] .arrow::before {\n  border-right-color: #f8f9fa;\n}\n.tooltip.b-tooltip-light.bs-tooltip-bottom .arrow::before, .tooltip.b-tooltip-light.bs-tooltip-auto[x-placement^=bottom] .arrow::before {\n  border-bottom-color: #f8f9fa;\n}\n.tooltip.b-tooltip-light.bs-tooltip-left .arrow::before, .tooltip.b-tooltip-light.bs-tooltip-auto[x-placement^=left] .arrow::before {\n  border-left-color: #f8f9fa;\n}\n.tooltip.b-tooltip-light .tooltip-inner {\n  color: #212529;\n  background-color: #f8f9fa;\n}\n\n.tooltip.b-tooltip-dark.bs-tooltip-top .arrow::before, .tooltip.b-tooltip-dark.bs-tooltip-auto[x-placement^=top] .arrow::before {\n  border-top-color: #343a40;\n}\n.tooltip.b-tooltip-dark.bs-tooltip-right .arrow::before, .tooltip.b-tooltip-dark.bs-tooltip-auto[x-placement^=right] .arrow::before {\n  border-right-color: #343a40;\n}\n.tooltip.b-tooltip-dark.bs-tooltip-bottom .arrow::before, .tooltip.b-tooltip-dark.bs-tooltip-auto[x-placement^=bottom] .arrow::before {\n  border-bottom-color: #343a40;\n}\n.tooltip.b-tooltip-dark.bs-tooltip-left .arrow::before, .tooltip.b-tooltip-dark.bs-tooltip-auto[x-placement^=left] .arrow::before {\n  border-left-color: #343a40;\n}\n.tooltip.b-tooltip-dark .tooltip-inner {\n  color: #fff;\n  background-color: #343a40;\n}\n\n.b-icon.bi {\n  display: inline-block;\n  overflow: visible;\n  vertical-align: -0.15em;\n}\n.b-icon.b-icon-animation-cylon, .b-icon.b-iconstack .b-icon-animation-cylon &gt; g {\n  transform-origin: center;\n  animation: 0.75s infinite ease-in-out alternate b-icon-animation-cylon;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-icon.b-icon-animation-cylon, .b-icon.b-iconstack .b-icon-animation-cylon &gt; g {\n    animation: none;\n  }\n}\n.b-icon.b-icon-animation-cylon-vertical, .b-icon.b-iconstack .b-icon-animation-cylon-vertical &gt; g {\n  transform-origin: center;\n  animation: 0.75s infinite ease-in-out alternate b-icon-animation-cylon-vertical;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-icon.b-icon-animation-cylon-vertical, .b-icon.b-iconstack .b-icon-animation-cylon-vertical &gt; g {\n    animation: none;\n  }\n}\n.b-icon.b-icon-animation-fade, .b-icon.b-iconstack .b-icon-animation-fade &gt; g {\n  transform-origin: center;\n  animation: 0.75s infinite ease-in-out alternate b-icon-animation-fade;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-icon.b-icon-animation-fade, .b-icon.b-iconstack .b-icon-animation-fade &gt; g {\n    animation: none;\n  }\n}\n.b-icon.b-icon-animation-spin, .b-icon.b-iconstack .b-icon-animation-spin &gt; g {\n  transform-origin: center;\n  animation: 2s infinite linear normal b-icon-animation-spin;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-icon.b-icon-animation-spin, .b-icon.b-iconstack .b-icon-animation-spin &gt; g {\n    animation: none;\n  }\n}\n.b-icon.b-icon-animation-spin-reverse, .b-icon.b-iconstack .b-icon-animation-spin-reverse &gt; g {\n  transform-origin: center;\n  animation: 2s infinite linear reverse b-icon-animation-spin;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-icon.b-icon-animation-spin-reverse, .b-icon.b-iconstack .b-icon-animation-spin-reverse &gt; g {\n    animation: none;\n  }\n}\n.b-icon.b-icon-animation-spin-pulse, .b-icon.b-iconstack .b-icon-animation-spin-pulse &gt; g {\n  transform-origin: center;\n  animation: 1s infinite steps(8) normal b-icon-animation-spin;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-icon.b-icon-animation-spin-pulse, .b-icon.b-iconstack .b-icon-animation-spin-pulse &gt; g {\n    animation: none;\n  }\n}\n.b-icon.b-icon-animation-spin-reverse-pulse, .b-icon.b-iconstack .b-icon-animation-spin-reverse-pulse &gt; g {\n  transform-origin: center;\n  animation: 1s infinite steps(8) reverse b-icon-animation-spin;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-icon.b-icon-animation-spin-reverse-pulse, .b-icon.b-iconstack .b-icon-animation-spin-reverse-pulse &gt; g {\n    animation: none;\n  }\n}\n.b-icon.b-icon-animation-throb, .b-icon.b-iconstack .b-icon-animation-throb &gt; g {\n  transform-origin: center;\n  animation: 0.75s infinite ease-in-out alternate b-icon-animation-throb;\n}\n@media (prefers-reduced-motion: reduce) {\n  .b-icon.b-icon-animation-throb, .b-icon.b-iconstack .b-icon-animation-throb &gt; g {\n    animation: none;\n  }\n}\n\n@keyframes b-icon-animation-cylon {\n  0% {\n    transform: translateX(-25%);\n  }\n  100% {\n    transform: translateX(25%);\n  }\n}\n@keyframes b-icon-animation-cylon-vertical {\n  0% {\n    transform: translateY(25%);\n  }\n  100% {\n    transform: translateY(-25%);\n  }\n}\n@keyframes b-icon-animation-fade {\n  0% {\n    opacity: 0.1;\n  }\n  100% {\n    opacity: 1;\n  }\n}\n@keyframes b-icon-animation-spin {\n  0% {\n    transform: rotate(0deg);\n  }\n  100% {\n    transform: rotate(359deg);\n  }\n}\n@keyframes b-icon-animation-throb {\n  0% {\n    opacity: 0.5;\n    transform: scale(0.5);\n  }\n  100% {\n    opacity: 1;\n    transform: scale(1);\n  }\n}\n.btn .b-icon.bi,\n.nav-link .b-icon.bi,\n.dropdown-toggle .b-icon.bi,\n.dropdown-item .b-icon.bi,\n.input-group-text .b-icon.bi {\n  font-size: 125%;\n  vertical-align: text-bottom;\n}", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/sweetalert2/dist/sweetalert2.min.css":
/*!********************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/sweetalert2/dist/sweetalert2.min.css ***!
  \********************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, ".swal2-popup.swal2-toast{box-sizing:border-box;grid-column:1/4 !important;grid-row:1/4 !important;grid-template-columns:min-content auto min-content;padding:1em;overflow-y:hidden;background:#fff;box-shadow:0 0 1px rgba(0,0,0,.075),0 1px 2px rgba(0,0,0,.075),1px 2px 4px rgba(0,0,0,.075),1px 3px 8px rgba(0,0,0,.075),2px 4px 16px rgba(0,0,0,.075);pointer-events:all}.swal2-popup.swal2-toast&gt;*{grid-column:2}.swal2-popup.swal2-toast .swal2-title{margin:.5em 1em;padding:0;font-size:1em;text-align:initial}.swal2-popup.swal2-toast .swal2-loading{justify-content:center}.swal2-popup.swal2-toast .swal2-input{height:2em;margin:.5em;font-size:1em}.swal2-popup.swal2-toast .swal2-validation-message{font-size:1em}.swal2-popup.swal2-toast .swal2-footer{margin:.5em 0 0;padding:.5em 0 0;font-size:.8em}.swal2-popup.swal2-toast .swal2-close{grid-column:3/3;grid-row:1/99;align-self:center;width:.8em;height:.8em;margin:0;font-size:2em}.swal2-popup.swal2-toast .swal2-html-container{margin:.5em 1em;padding:0;overflow:initial;font-size:1em;text-align:initial}.swal2-popup.swal2-toast .swal2-html-container:empty{padding:0}.swal2-popup.swal2-toast .swal2-loader{grid-column:1;grid-row:1/99;align-self:center;width:2em;height:2em;margin:.25em}.swal2-popup.swal2-toast .swal2-icon{grid-column:1;grid-row:1/99;align-self:center;width:2em;min-width:2em;height:2em;margin:0 .5em 0 0}.swal2-popup.swal2-toast .swal2-icon .swal2-icon-content{display:flex;align-items:center;font-size:1.8em;font-weight:bold}.swal2-popup.swal2-toast .swal2-icon.swal2-success .swal2-success-ring{width:2em;height:2em}.swal2-popup.swal2-toast .swal2-icon.swal2-error [class^=swal2-x-mark-line]{top:.875em;width:1.375em}.swal2-popup.swal2-toast .swal2-icon.swal2-error [class^=swal2-x-mark-line][class$=left]{left:.3125em}.swal2-popup.swal2-toast .swal2-icon.swal2-error [class^=swal2-x-mark-line][class$=right]{right:.3125em}.swal2-popup.swal2-toast .swal2-actions{justify-content:flex-start;height:auto;margin:0;margin-top:.5em;padding:0 .5em}.swal2-popup.swal2-toast .swal2-styled{margin:.25em .5em;padding:.4em .6em;font-size:1em}.swal2-popup.swal2-toast .swal2-success{border-color:#a5dc86}.swal2-popup.swal2-toast .swal2-success [class^=swal2-success-circular-line]{position:absolute;width:1.6em;height:3em;transform:rotate(45deg);border-radius:50%}.swal2-popup.swal2-toast .swal2-success [class^=swal2-success-circular-line][class$=left]{top:-0.8em;left:-0.5em;transform:rotate(-45deg);transform-origin:2em 2em;border-radius:4em 0 0 4em}.swal2-popup.swal2-toast .swal2-success [class^=swal2-success-circular-line][class$=right]{top:-0.25em;left:.9375em;transform-origin:0 1.5em;border-radius:0 4em 4em 0}.swal2-popup.swal2-toast .swal2-success .swal2-success-ring{width:2em;height:2em}.swal2-popup.swal2-toast .swal2-success .swal2-success-fix{top:0;left:.4375em;width:.4375em;height:2.6875em}.swal2-popup.swal2-toast .swal2-success [class^=swal2-success-line]{height:.3125em}.swal2-popup.swal2-toast .swal2-success [class^=swal2-success-line][class$=tip]{top:1.125em;left:.1875em;width:.75em}.swal2-popup.swal2-toast .swal2-success [class^=swal2-success-line][class$=long]{top:.9375em;right:.1875em;width:1.375em}.swal2-popup.swal2-toast .swal2-success.swal2-icon-show .swal2-success-line-tip{animation:swal2-toast-animate-success-line-tip .75s}.swal2-popup.swal2-toast .swal2-success.swal2-icon-show .swal2-success-line-long{animation:swal2-toast-animate-success-line-long .75s}.swal2-popup.swal2-toast.swal2-show{animation:swal2-toast-show .5s}.swal2-popup.swal2-toast.swal2-hide{animation:swal2-toast-hide .1s forwards}div:where(.swal2-container){display:grid;position:fixed;z-index:1060;inset:0;box-sizing:border-box;grid-template-areas:\"top-start     top            top-end\" \"center-start  center         center-end\" \"bottom-start  bottom-center  bottom-end\";grid-template-rows:minmax(min-content, auto) minmax(min-content, auto) minmax(min-content, auto);height:100%;padding:.625em;overflow-x:hidden;transition:background-color .1s;-webkit-overflow-scrolling:touch}div:where(.swal2-container).swal2-backdrop-show,div:where(.swal2-container).swal2-noanimation{background:rgba(0,0,0,.4)}div:where(.swal2-container).swal2-backdrop-hide{background:rgba(0,0,0,0) !important}div:where(.swal2-container).swal2-top-start,div:where(.swal2-container).swal2-center-start,div:where(.swal2-container).swal2-bottom-start{grid-template-columns:minmax(0, 1fr) auto auto}div:where(.swal2-container).swal2-top,div:where(.swal2-container).swal2-center,div:where(.swal2-container).swal2-bottom{grid-template-columns:auto minmax(0, 1fr) auto}div:where(.swal2-container).swal2-top-end,div:where(.swal2-container).swal2-center-end,div:where(.swal2-container).swal2-bottom-end{grid-template-columns:auto auto minmax(0, 1fr)}div:where(.swal2-container).swal2-top-start&gt;.swal2-popup{align-self:start}div:where(.swal2-container).swal2-top&gt;.swal2-popup{grid-column:2;align-self:start;justify-self:center}div:where(.swal2-container).swal2-top-end&gt;.swal2-popup,div:where(.swal2-container).swal2-top-right&gt;.swal2-popup{grid-column:3;align-self:start;justify-self:end}div:where(.swal2-container).swal2-center-start&gt;.swal2-popup,div:where(.swal2-container).swal2-center-left&gt;.swal2-popup{grid-row:2;align-self:center}div:where(.swal2-container).swal2-center&gt;.swal2-popup{grid-column:2;grid-row:2;align-self:center;justify-self:center}div:where(.swal2-container).swal2-center-end&gt;.swal2-popup,div:where(.swal2-container).swal2-center-right&gt;.swal2-popup{grid-column:3;grid-row:2;align-self:center;justify-self:end}div:where(.swal2-container).swal2-bottom-start&gt;.swal2-popup,div:where(.swal2-container).swal2-bottom-left&gt;.swal2-popup{grid-column:1;grid-row:3;align-self:end}div:where(.swal2-container).swal2-bottom&gt;.swal2-popup{grid-column:2;grid-row:3;justify-self:center;align-self:end}div:where(.swal2-container).swal2-bottom-end&gt;.swal2-popup,div:where(.swal2-container).swal2-bottom-right&gt;.swal2-popup{grid-column:3;grid-row:3;align-self:end;justify-self:end}div:where(.swal2-container).swal2-grow-row&gt;.swal2-popup,div:where(.swal2-container).swal2-grow-fullscreen&gt;.swal2-popup{grid-column:1/4;width:100%}div:where(.swal2-container).swal2-grow-column&gt;.swal2-popup,div:where(.swal2-container).swal2-grow-fullscreen&gt;.swal2-popup{grid-row:1/4;align-self:stretch}div:where(.swal2-container).swal2-no-transition{transition:none !important}div:where(.swal2-container) div:where(.swal2-popup){display:none;position:relative;box-sizing:border-box;grid-template-columns:minmax(0, 100%);width:32em;max-width:100%;padding:0 0 1.25em;border:none;border-radius:5px;background:#fff;color:#545454;font-family:inherit;font-size:1rem}div:where(.swal2-container) div:where(.swal2-popup):focus{outline:none}div:where(.swal2-container) div:where(.swal2-popup).swal2-loading{overflow-y:hidden}div:where(.swal2-container) h2:where(.swal2-title){position:relative;max-width:100%;margin:0;padding:.8em 1em 0;color:inherit;font-size:1.875em;font-weight:600;text-align:center;text-transform:none;word-wrap:break-word}div:where(.swal2-container) div:where(.swal2-actions){display:flex;z-index:1;box-sizing:border-box;flex-wrap:wrap;align-items:center;justify-content:center;width:auto;margin:1.25em auto 0;padding:0}div:where(.swal2-container) div:where(.swal2-actions):not(.swal2-loading) .swal2-styled[disabled]{opacity:.4}div:where(.swal2-container) div:where(.swal2-actions):not(.swal2-loading) .swal2-styled:hover{background-image:linear-gradient(rgba(0, 0, 0, 0.1), rgba(0, 0, 0, 0.1))}div:where(.swal2-container) div:where(.swal2-actions):not(.swal2-loading) .swal2-styled:active{background-image:linear-gradient(rgba(0, 0, 0, 0.2), rgba(0, 0, 0, 0.2))}div:where(.swal2-container) div:where(.swal2-loader){display:none;align-items:center;justify-content:center;width:2.2em;height:2.2em;margin:0 1.875em;animation:swal2-rotate-loading 1.5s linear 0s infinite normal;border-width:.25em;border-style:solid;border-radius:100%;border-color:#2778c4 rgba(0,0,0,0) #2778c4 rgba(0,0,0,0)}div:where(.swal2-container) button:where(.swal2-styled){margin:.3125em;padding:.625em 1.1em;transition:box-shadow .1s;box-shadow:0 0 0 3px rgba(0,0,0,0);font-weight:500}div:where(.swal2-container) button:where(.swal2-styled):not([disabled]){cursor:pointer}div:where(.swal2-container) button:where(.swal2-styled).swal2-confirm{border:0;border-radius:.25em;background:initial;background-color:#7066e0;color:#fff;font-size:1em}div:where(.swal2-container) button:where(.swal2-styled).swal2-confirm:focus{box-shadow:0 0 0 3px rgba(112,102,224,.5)}div:where(.swal2-container) button:where(.swal2-styled).swal2-deny{border:0;border-radius:.25em;background:initial;background-color:#dc3741;color:#fff;font-size:1em}div:where(.swal2-container) button:where(.swal2-styled).swal2-deny:focus{box-shadow:0 0 0 3px rgba(220,55,65,.5)}div:where(.swal2-container) button:where(.swal2-styled).swal2-cancel{border:0;border-radius:.25em;background:initial;background-color:#6e7881;color:#fff;font-size:1em}div:where(.swal2-container) button:where(.swal2-styled).swal2-cancel:focus{box-shadow:0 0 0 3px rgba(110,120,129,.5)}div:where(.swal2-container) button:where(.swal2-styled).swal2-default-outline:focus{box-shadow:0 0 0 3px rgba(100,150,200,.5)}div:where(.swal2-container) button:where(.swal2-styled):focus{outline:none}div:where(.swal2-container) button:where(.swal2-styled)::-moz-focus-inner{border:0}div:where(.swal2-container) div:where(.swal2-footer){margin:1em 0 0;padding:1em 1em 0;border-top:1px solid #eee;color:inherit;font-size:1em;text-align:center}div:where(.swal2-container) .swal2-timer-progress-bar-container{position:absolute;right:0;bottom:0;left:0;grid-column:auto !important;overflow:hidden;border-bottom-right-radius:5px;border-bottom-left-radius:5px}div:where(.swal2-container) div:where(.swal2-timer-progress-bar){width:100%;height:.25em;background:rgba(0,0,0,.2)}div:where(.swal2-container) img:where(.swal2-image){max-width:100%;margin:2em auto 1em}div:where(.swal2-container) button:where(.swal2-close){z-index:2;align-items:center;justify-content:center;width:1.2em;height:1.2em;margin-top:0;margin-right:0;margin-bottom:-1.2em;padding:0;overflow:hidden;transition:color .1s,box-shadow .1s;border:none;border-radius:5px;background:rgba(0,0,0,0);color:#ccc;font-family:monospace;font-size:2.5em;cursor:pointer;justify-self:end}div:where(.swal2-container) button:where(.swal2-close):hover{transform:none;background:rgba(0,0,0,0);color:#f27474}div:where(.swal2-container) button:where(.swal2-close):focus{outline:none;box-shadow:inset 0 0 0 3px rgba(100,150,200,.5)}div:where(.swal2-container) button:where(.swal2-close)::-moz-focus-inner{border:0}div:where(.swal2-container) .swal2-html-container{z-index:1;justify-content:center;margin:1em 1.6em .3em;padding:0;overflow:auto;color:inherit;font-size:1.125em;font-weight:normal;line-height:normal;text-align:center;word-wrap:break-word;word-break:break-word}div:where(.swal2-container) input:where(.swal2-input),div:where(.swal2-container) input:where(.swal2-file),div:where(.swal2-container) textarea:where(.swal2-textarea),div:where(.swal2-container) select:where(.swal2-select),div:where(.swal2-container) div:where(.swal2-radio),div:where(.swal2-container) label:where(.swal2-checkbox){margin:1em 2em 3px}div:where(.swal2-container) input:where(.swal2-input),div:where(.swal2-container) input:where(.swal2-file),div:where(.swal2-container) textarea:where(.swal2-textarea){box-sizing:border-box;width:auto;transition:border-color .1s,box-shadow .1s;border:1px solid #d9d9d9;border-radius:.1875em;background:rgba(0,0,0,0);box-shadow:inset 0 1px 1px rgba(0,0,0,.06),0 0 0 3px rgba(0,0,0,0);color:inherit;font-size:1.125em}div:where(.swal2-container) input:where(.swal2-input).swal2-inputerror,div:where(.swal2-container) input:where(.swal2-file).swal2-inputerror,div:where(.swal2-container) textarea:where(.swal2-textarea).swal2-inputerror{border-color:#f27474 !important;box-shadow:0 0 2px #f27474 !important}div:where(.swal2-container) input:where(.swal2-input):focus,div:where(.swal2-container) input:where(.swal2-file):focus,div:where(.swal2-container) textarea:where(.swal2-textarea):focus{border:1px solid #b4dbed;outline:none;box-shadow:inset 0 1px 1px rgba(0,0,0,.06),0 0 0 3px rgba(100,150,200,.5)}div:where(.swal2-container) input:where(.swal2-input)::-moz-placeholder, div:where(.swal2-container) input:where(.swal2-file)::-moz-placeholder, div:where(.swal2-container) textarea:where(.swal2-textarea)::-moz-placeholder{color:#ccc}div:where(.swal2-container) input:where(.swal2-input)::placeholder,div:where(.swal2-container) input:where(.swal2-file)::placeholder,div:where(.swal2-container) textarea:where(.swal2-textarea)::placeholder{color:#ccc}div:where(.swal2-container) .swal2-range{margin:1em 2em 3px;background:#fff}div:where(.swal2-container) .swal2-range input{width:80%}div:where(.swal2-container) .swal2-range output{width:20%;color:inherit;font-weight:600;text-align:center}div:where(.swal2-container) .swal2-range input,div:where(.swal2-container) .swal2-range output{height:2.625em;padding:0;font-size:1.125em;line-height:2.625em}div:where(.swal2-container) .swal2-input{height:2.625em;padding:0 .75em}div:where(.swal2-container) .swal2-file{width:75%;margin-right:auto;margin-left:auto;background:rgba(0,0,0,0);font-size:1.125em}div:where(.swal2-container) .swal2-textarea{height:6.75em;padding:.75em}div:where(.swal2-container) .swal2-select{min-width:50%;max-width:100%;padding:.375em .625em;background:rgba(0,0,0,0);color:inherit;font-size:1.125em}div:where(.swal2-container) .swal2-radio,div:where(.swal2-container) .swal2-checkbox{align-items:center;justify-content:center;background:#fff;color:inherit}div:where(.swal2-container) .swal2-radio label,div:where(.swal2-container) .swal2-checkbox label{margin:0 .6em;font-size:1.125em}div:where(.swal2-container) .swal2-radio input,div:where(.swal2-container) .swal2-checkbox input{flex-shrink:0;margin:0 .4em}div:where(.swal2-container) label:where(.swal2-input-label){display:flex;justify-content:center;margin:1em auto 0}div:where(.swal2-container) div:where(.swal2-validation-message){align-items:center;justify-content:center;margin:1em 0 0;padding:.625em;overflow:hidden;background:#f0f0f0;color:#666;font-size:1em;font-weight:300}div:where(.swal2-container) div:where(.swal2-validation-message)::before{content:\"!\";display:inline-block;width:1.5em;min-width:1.5em;height:1.5em;margin:0 .625em;border-radius:50%;background-color:#f27474;color:#fff;font-weight:600;line-height:1.5em;text-align:center}div:where(.swal2-container) .swal2-progress-steps{flex-wrap:wrap;align-items:center;max-width:100%;margin:1.25em auto;padding:0;background:rgba(0,0,0,0);font-weight:600}div:where(.swal2-container) .swal2-progress-steps li{display:inline-block;position:relative}div:where(.swal2-container) .swal2-progress-steps .swal2-progress-step{z-index:20;flex-shrink:0;width:2em;height:2em;border-radius:2em;background:#2778c4;color:#fff;line-height:2em;text-align:center}div:where(.swal2-container) .swal2-progress-steps .swal2-progress-step.swal2-active-progress-step{background:#2778c4}div:where(.swal2-container) .swal2-progress-steps .swal2-progress-step.swal2-active-progress-step~.swal2-progress-step{background:#add8e6;color:#fff}div:where(.swal2-container) .swal2-progress-steps .swal2-progress-step.swal2-active-progress-step~.swal2-progress-step-line{background:#add8e6}div:where(.swal2-container) .swal2-progress-steps .swal2-progress-step-line{z-index:10;flex-shrink:0;width:2.5em;height:.4em;margin:0 -1px;background:#2778c4}div:where(.swal2-icon){position:relative;box-sizing:content-box;justify-content:center;width:5em;height:5em;margin:2.5em auto .6em;border:0.25em solid rgba(0,0,0,0);border-radius:50%;border-color:#000;font-family:inherit;line-height:5em;cursor:default;-webkit-user-select:none;-moz-user-select:none;user-select:none}div:where(.swal2-icon) .swal2-icon-content{display:flex;align-items:center;font-size:3.75em}div:where(.swal2-icon).swal2-error{border-color:#f27474;color:#f27474}div:where(.swal2-icon).swal2-error .swal2-x-mark{position:relative;flex-grow:1}div:where(.swal2-icon).swal2-error [class^=swal2-x-mark-line]{display:block;position:absolute;top:2.3125em;width:2.9375em;height:.3125em;border-radius:.125em;background-color:#f27474}div:where(.swal2-icon).swal2-error [class^=swal2-x-mark-line][class$=left]{left:1.0625em;transform:rotate(45deg)}div:where(.swal2-icon).swal2-error [class^=swal2-x-mark-line][class$=right]{right:1em;transform:rotate(-45deg)}div:where(.swal2-icon).swal2-error.swal2-icon-show{animation:swal2-animate-error-icon .5s}div:where(.swal2-icon).swal2-error.swal2-icon-show .swal2-x-mark{animation:swal2-animate-error-x-mark .5s}div:where(.swal2-icon).swal2-warning{border-color:#facea8;color:#f8bb86}div:where(.swal2-icon).swal2-warning.swal2-icon-show{animation:swal2-animate-error-icon .5s}div:where(.swal2-icon).swal2-warning.swal2-icon-show .swal2-icon-content{animation:swal2-animate-i-mark .5s}div:where(.swal2-icon).swal2-info{border-color:#9de0f6;color:#3fc3ee}div:where(.swal2-icon).swal2-info.swal2-icon-show{animation:swal2-animate-error-icon .5s}div:where(.swal2-icon).swal2-info.swal2-icon-show .swal2-icon-content{animation:swal2-animate-i-mark .8s}div:where(.swal2-icon).swal2-question{border-color:#c9dae1;color:#87adbd}div:where(.swal2-icon).swal2-question.swal2-icon-show{animation:swal2-animate-error-icon .5s}div:where(.swal2-icon).swal2-question.swal2-icon-show .swal2-icon-content{animation:swal2-animate-question-mark .8s}div:where(.swal2-icon).swal2-success{border-color:#a5dc86;color:#a5dc86}div:where(.swal2-icon).swal2-success [class^=swal2-success-circular-line]{position:absolute;width:3.75em;height:7.5em;transform:rotate(45deg);border-radius:50%}div:where(.swal2-icon).swal2-success [class^=swal2-success-circular-line][class$=left]{top:-0.4375em;left:-2.0635em;transform:rotate(-45deg);transform-origin:3.75em 3.75em;border-radius:7.5em 0 0 7.5em}div:where(.swal2-icon).swal2-success [class^=swal2-success-circular-line][class$=right]{top:-0.6875em;left:1.875em;transform:rotate(-45deg);transform-origin:0 3.75em;border-radius:0 7.5em 7.5em 0}div:where(.swal2-icon).swal2-success .swal2-success-ring{position:absolute;z-index:2;top:-0.25em;left:-0.25em;box-sizing:content-box;width:100%;height:100%;border:.25em solid rgba(165,220,134,.3);border-radius:50%}div:where(.swal2-icon).swal2-success .swal2-success-fix{position:absolute;z-index:1;top:.5em;left:1.625em;width:.4375em;height:5.625em;transform:rotate(-45deg)}div:where(.swal2-icon).swal2-success [class^=swal2-success-line]{display:block;position:absolute;z-index:2;height:.3125em;border-radius:.125em;background-color:#a5dc86}div:where(.swal2-icon).swal2-success [class^=swal2-success-line][class$=tip]{top:2.875em;left:.8125em;width:1.5625em;transform:rotate(45deg)}div:where(.swal2-icon).swal2-success [class^=swal2-success-line][class$=long]{top:2.375em;right:.5em;width:2.9375em;transform:rotate(-45deg)}div:where(.swal2-icon).swal2-success.swal2-icon-show .swal2-success-line-tip{animation:swal2-animate-success-line-tip .75s}div:where(.swal2-icon).swal2-success.swal2-icon-show .swal2-success-line-long{animation:swal2-animate-success-line-long .75s}div:where(.swal2-icon).swal2-success.swal2-icon-show .swal2-success-circular-line-right{animation:swal2-rotate-success-circular-line 4.25s ease-in}[class^=swal2]{-webkit-tap-highlight-color:rgba(0,0,0,0)}.swal2-show{animation:swal2-show .3s}.swal2-hide{animation:swal2-hide .15s forwards}.swal2-noanimation{transition:none}.swal2-scrollbar-measure{position:absolute;top:-9999px;width:50px;height:50px;overflow:scroll}.swal2-rtl .swal2-close{margin-right:initial;margin-left:0}.swal2-rtl .swal2-timer-progress-bar{right:0;left:auto}@keyframes swal2-toast-show{0%{transform:translateY(-0.625em) rotateZ(2deg)}33%{transform:translateY(0) rotateZ(-2deg)}66%{transform:translateY(0.3125em) rotateZ(2deg)}100%{transform:translateY(0) rotateZ(0deg)}}@keyframes swal2-toast-hide{100%{transform:rotateZ(1deg);opacity:0}}@keyframes swal2-toast-animate-success-line-tip{0%{top:.5625em;left:.0625em;width:0}54%{top:.125em;left:.125em;width:0}70%{top:.625em;left:-0.25em;width:1.625em}84%{top:1.0625em;left:.75em;width:.5em}100%{top:1.125em;left:.1875em;width:.75em}}@keyframes swal2-toast-animate-success-line-long{0%{top:1.625em;right:1.375em;width:0}65%{top:1.25em;right:.9375em;width:0}84%{top:.9375em;right:0;width:1.125em}100%{top:.9375em;right:.1875em;width:1.375em}}@keyframes swal2-show{0%{transform:scale(0.7)}45%{transform:scale(1.05)}80%{transform:scale(0.95)}100%{transform:scale(1)}}@keyframes swal2-hide{0%{transform:scale(1);opacity:1}100%{transform:scale(0.5);opacity:0}}@keyframes swal2-animate-success-line-tip{0%{top:1.1875em;left:.0625em;width:0}54%{top:1.0625em;left:.125em;width:0}70%{top:2.1875em;left:-0.375em;width:3.125em}84%{top:3em;left:1.3125em;width:1.0625em}100%{top:2.8125em;left:.8125em;width:1.5625em}}@keyframes swal2-animate-success-line-long{0%{top:3.375em;right:2.875em;width:0}65%{top:3.375em;right:2.875em;width:0}84%{top:2.1875em;right:0;width:3.4375em}100%{top:2.375em;right:.5em;width:2.9375em}}@keyframes swal2-rotate-success-circular-line{0%{transform:rotate(-45deg)}5%{transform:rotate(-45deg)}12%{transform:rotate(-405deg)}100%{transform:rotate(-405deg)}}@keyframes swal2-animate-error-x-mark{0%{margin-top:1.625em;transform:scale(0.4);opacity:0}50%{margin-top:1.625em;transform:scale(0.4);opacity:0}80%{margin-top:-0.375em;transform:scale(1.15)}100%{margin-top:0;transform:scale(1);opacity:1}}@keyframes swal2-animate-error-icon{0%{transform:rotateX(100deg);opacity:0}100%{transform:rotateX(0deg);opacity:1}}@keyframes swal2-rotate-loading{0%{transform:rotate(0deg)}100%{transform:rotate(360deg)}}@keyframes swal2-animate-question-mark{0%{transform:rotateY(-360deg)}100%{transform:rotateY(0)}}@keyframes swal2-animate-i-mark{0%{transform:rotateZ(45deg);opacity:0}25%{transform:rotateZ(-25deg);opacity:.4}50%{transform:rotateZ(15deg);opacity:.8}75%{transform:rotateZ(-5deg);opacity:1}100%{transform:rotateX(0);opacity:1}}body.swal2-shown:not(.swal2-no-backdrop):not(.swal2-toast-shown){overflow:hidden}body.swal2-height-auto{height:auto !important}body.swal2-no-backdrop .swal2-container{background-color:rgba(0,0,0,0) !important;pointer-events:none}body.swal2-no-backdrop .swal2-container .swal2-popup{pointer-events:all}body.swal2-no-backdrop .swal2-container .swal2-modal{box-shadow:0 0 10px rgba(0,0,0,.4)}@media print{body.swal2-shown:not(.swal2-no-backdrop):not(.swal2-toast-shown){overflow-y:scroll !important}body.swal2-shown:not(.swal2-no-backdrop):not(.swal2-toast-shown)&gt;[aria-hidden=true]{display:none}body.swal2-shown:not(.swal2-no-backdrop):not(.swal2-toast-shown) .swal2-container{position:static !important}}body.swal2-toast-shown .swal2-container{box-sizing:border-box;width:360px;max-width:100%;background-color:rgba(0,0,0,0);pointer-events:none}body.swal2-toast-shown .swal2-container.swal2-top{inset:0 auto auto 50%;transform:translateX(-50%)}body.swal2-toast-shown .swal2-container.swal2-top-end,body.swal2-toast-shown .swal2-container.swal2-top-right{inset:0 0 auto auto}body.swal2-toast-shown .swal2-container.swal2-top-start,body.swal2-toast-shown .swal2-container.swal2-top-left{inset:0 auto auto 0}body.swal2-toast-shown .swal2-container.swal2-center-start,body.swal2-toast-shown .swal2-container.swal2-center-left{inset:50% auto auto 0;transform:translateY(-50%)}body.swal2-toast-shown .swal2-container.swal2-center{inset:50% auto auto 50%;transform:translate(-50%, -50%)}body.swal2-toast-shown .swal2-container.swal2-center-end,body.swal2-toast-shown .swal2-container.swal2-center-right{inset:50% 0 auto auto;transform:translateY(-50%)}body.swal2-toast-shown .swal2-container.swal2-bottom-start,body.swal2-toast-shown .swal2-container.swal2-bottom-left{inset:auto auto 0 0}body.swal2-toast-shown .swal2-container.swal2-bottom{inset:auto auto 0 50%;transform:translateX(-50%)}body.swal2-toast-shown .swal2-container.swal2-bottom-end,body.swal2-toast-shown .swal2-container.swal2-bottom-right{inset:auto 0 0 auto}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-croppa/dist/vue-croppa.css":
/*!**************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-croppa/dist/vue-croppa.css ***!
  \**************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, ".sk-fading-circle {\n  position: absolute; }\n  .sk-fading-circle .sk-circle {\n    width: 100%;\n    height: 100%;\n    position: absolute;\n    left: 0;\n    top: 0; }\n  .sk-fading-circle .sk-circle .sk-circle-indicator {\n    display: block;\n    margin: 0 auto;\n    width: 15%;\n    height: 15%;\n    border-radius: 100%;\n    animation: sk-circleFadeDelay 1s infinite ease-in-out both; }\n  .sk-fading-circle .sk-circle2 {\n    transform: rotate(30deg); }\n  .sk-fading-circle .sk-circle3 {\n    transform: rotate(60deg); }\n  .sk-fading-circle .sk-circle4 {\n    transform: rotate(90deg); }\n  .sk-fading-circle .sk-circle5 {\n    transform: rotate(120deg); }\n  .sk-fading-circle .sk-circle6 {\n    transform: rotate(150deg); }\n  .sk-fading-circle .sk-circle7 {\n    transform: rotate(180deg); }\n  .sk-fading-circle .sk-circle8 {\n    transform: rotate(210deg); }\n  .sk-fading-circle .sk-circle9 {\n    transform: rotate(240deg); }\n  .sk-fading-circle .sk-circle10 {\n    transform: rotate(270deg); }\n  .sk-fading-circle .sk-circle11 {\n    transform: rotate(300deg); }\n  .sk-fading-circle .sk-circle12 {\n    transform: rotate(330deg); }\n  .sk-fading-circle .sk-circle2 .sk-circle-indicator {\n    animation-delay: -0.91667s; }\n  .sk-fading-circle .sk-circle3 .sk-circle-indicator {\n    animation-delay: -0.83333s; }\n  .sk-fading-circle .sk-circle4 .sk-circle-indicator {\n    animation-delay: -0.75s; }\n  .sk-fading-circle .sk-circle5 .sk-circle-indicator {\n    animation-delay: -0.66667s; }\n  .sk-fading-circle .sk-circle6 .sk-circle-indicator {\n    animation-delay: -0.58333s; }\n  .sk-fading-circle .sk-circle7 .sk-circle-indicator {\n    animation-delay: -0.5s; }\n  .sk-fading-circle .sk-circle8 .sk-circle-indicator {\n    animation-delay: -0.41667s; }\n  .sk-fading-circle .sk-circle9 .sk-circle-indicator {\n    animation-delay: -0.33333s; }\n  .sk-fading-circle .sk-circle10 .sk-circle-indicator {\n    animation-delay: -0.25s; }\n  .sk-fading-circle .sk-circle11 .sk-circle-indicator {\n    animation-delay: -0.16667s; }\n  .sk-fading-circle .sk-circle12 .sk-circle-indicator {\n    animation-delay: -0.08333s; }\n\n@keyframes sk-circleFadeDelay {\n  0%,\n  39%,\n  100% {\n    opacity: 0; }\n  40% {\n    opacity: 1; } }\n\n.croppa-container {\n  display: inline-block;\n  cursor: pointer;\n  transition: all 0.3s;\n  position: relative;\n  font-size: 0;\n  align-self: flex-start;\n  background-color: #e6e6e6;\n}\n.croppa-container canvas {\n  transition: all 0.3s;\n}\n.croppa-container:hover {\n  opacity: 0.7;\n}\n.croppa-container.croppa--dropzone {\n  box-shadow: inset 0 0 10px #333;\n}\n.croppa-container.croppa--dropzone canvas {\n  opacity: 0.5;\n}\n.croppa-container.croppa--disabled-cc {\n  cursor: default;\n}\n.croppa-container.croppa--disabled-cc:hover {\n  opacity: 1;\n}\n.croppa-container.croppa--has-target {\n  cursor: move;\n}\n.croppa-container.croppa--has-target:hover {\n  opacity: 1;\n}\n.croppa-container.croppa--has-target.croppa--disabled-mz {\n  cursor: default;\n}\n.croppa-container.croppa--disabled {\n  cursor: not-allowed;\n}\n.croppa-container.croppa--disabled:hover {\n  opacity: 1;\n}\n.croppa-container.croppa--passive {\n  cursor: default;\n}\n.croppa-container.croppa--passive:hover {\n  opacity: 1;\n}\n.croppa-container svg.icon-remove {\n  position: absolute;\n  background: #fff;\n  border-radius: 50%;\n  filter: drop-shadow(-2px 2px 2px rgba(0,0,0,0.7));\n  z-index: 10;\n  cursor: pointer;\n  border: 2px solid #fff;\n}\n\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-select/dist/vue-select.css":
/*!**************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-select/dist/vue-select.css ***!
  \**************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, ":root{--vs-colors--lightest:rgba(60,60,60,0.26);--vs-colors--light:rgba(60,60,60,0.5);--vs-colors--dark:#333;--vs-colors--darkest:rgba(0,0,0,0.15);--vs-search-input-color:inherit;--vs-search-input-bg:#fff;--vs-search-input-placeholder-color:inherit;--vs-font-size:1rem;--vs-line-height:1.4;--vs-state-disabled-bg:#f8f8f8;--vs-state-disabled-color:var(--vs-colors--light);--vs-state-disabled-controls-color:var(--vs-colors--light);--vs-state-disabled-cursor:not-allowed;--vs-border-color:var(--vs-colors--lightest);--vs-border-width:1px;--vs-border-style:solid;--vs-border-radius:4px;--vs-actions-padding:4px 6px 0 3px;--vs-controls-color:var(--vs-colors--light);--vs-controls-size:1;--vs-controls--deselect-text-shadow:0 1px 0 #fff;--vs-selected-bg:#f0f0f0;--vs-selected-color:var(--vs-colors--dark);--vs-selected-border-color:var(--vs-border-color);--vs-selected-border-style:var(--vs-border-style);--vs-selected-border-width:var(--vs-border-width);--vs-dropdown-bg:#fff;--vs-dropdown-color:inherit;--vs-dropdown-z-index:1000;--vs-dropdown-min-width:160px;--vs-dropdown-max-height:350px;--vs-dropdown-box-shadow:0px 3px 6px 0px var(--vs-colors--darkest);--vs-dropdown-option-bg:#000;--vs-dropdown-option-color:var(--vs-dropdown-color);--vs-dropdown-option-padding:3px 20px;--vs-dropdown-option--active-bg:#5897fb;--vs-dropdown-option--active-color:#fff;--vs-dropdown-option--deselect-bg:#fb5858;--vs-dropdown-option--deselect-color:#fff;--vs-transition-timing-function:cubic-bezier(1,-0.115,0.975,0.855);--vs-transition-duration:150ms}.v-select{font-family:inherit;position:relative}.v-select,.v-select *{box-sizing:border-box}:root{--vs-transition-timing-function:cubic-bezier(1,0.5,0.8,1);--vs-transition-duration:0.15s}@keyframes vSelectSpinner{0%{transform:rotate(0deg)}to{transform:rotate(1turn)}}.vs__fade-enter-active,.vs__fade-leave-active{pointer-events:none;transition:opacity var(--vs-transition-duration) var(--vs-transition-timing-function)}.vs__fade-enter,.vs__fade-leave-to{opacity:0}:root{--vs-disabled-bg:var(--vs-state-disabled-bg);--vs-disabled-color:var(--vs-state-disabled-color);--vs-disabled-cursor:var(--vs-state-disabled-cursor)}.vs--disabled .vs__clear,.vs--disabled .vs__dropdown-toggle,.vs--disabled .vs__open-indicator,.vs--disabled .vs__search,.vs--disabled .vs__selected{background-color:var(--vs-disabled-bg);cursor:var(--vs-disabled-cursor)}.v-select[dir=rtl] .vs__actions{padding:0 3px 0 6px}.v-select[dir=rtl] .vs__clear{margin-left:6px;margin-right:0}.v-select[dir=rtl] .vs__deselect{margin-left:0;margin-right:2px}.v-select[dir=rtl] .vs__dropdown-menu{text-align:right}.vs__dropdown-toggle{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:var(--vs-search-input-bg);border:var(--vs-border-width) var(--vs-border-style) var(--vs-border-color);border-radius:var(--vs-border-radius);display:flex;padding:0 0 4px;white-space:normal}.vs__selected-options{display:flex;flex-basis:100%;flex-grow:1;flex-wrap:wrap;padding:0 2px;position:relative}.vs__actions{align-items:center;display:flex;padding:var(--vs-actions-padding)}.vs--searchable .vs__dropdown-toggle{cursor:text}.vs--unsearchable .vs__dropdown-toggle{cursor:pointer}.vs--open .vs__dropdown-toggle{border-bottom-color:transparent;border-bottom-left-radius:0;border-bottom-right-radius:0}.vs__open-indicator{fill:var(--vs-controls-color);transform:scale(var(--vs-controls-size));transition:transform var(--vs-transition-duration) var(--vs-transition-timing-function);transition-timing-function:var(--vs-transition-timing-function)}.vs--open .vs__open-indicator{transform:rotate(180deg) scale(var(--vs-controls-size))}.vs--loading .vs__open-indicator{opacity:0}.vs__clear{fill:var(--vs-controls-color);background-color:transparent;border:0;cursor:pointer;margin-right:8px;padding:0}.vs__dropdown-menu{background:var(--vs-dropdown-bg);border:var(--vs-border-width) var(--vs-border-style) var(--vs-border-color);border-radius:0 0 var(--vs-border-radius) var(--vs-border-radius);border-top-style:none;box-shadow:var(--vs-dropdown-box-shadow);box-sizing:border-box;color:var(--vs-dropdown-color);display:block;left:0;list-style:none;margin:0;max-height:var(--vs-dropdown-max-height);min-width:var(--vs-dropdown-min-width);overflow-y:auto;padding:5px 0;position:absolute;text-align:left;top:calc(100% - var(--vs-border-width));width:100%;z-index:var(--vs-dropdown-z-index)}.vs__no-options{text-align:center}.vs__dropdown-option{clear:both;color:var(--vs-dropdown-option-color);cursor:pointer;display:block;line-height:1.42857143;padding:var(--vs-dropdown-option-padding);white-space:nowrap}.vs__dropdown-option--highlight{background:var(--vs-dropdown-option--active-bg);color:var(--vs-dropdown-option--active-color)}.vs__dropdown-option--deselect{background:var(--vs-dropdown-option--deselect-bg);color:var(--vs-dropdown-option--deselect-color)}.vs__dropdown-option--disabled{background:var(--vs-state-disabled-bg);color:var(--vs-state-disabled-color);cursor:var(--vs-state-disabled-cursor)}.vs__selected{align-items:center;background-color:var(--vs-selected-bg);border:var(--vs-selected-border-width) var(--vs-selected-border-style) var(--vs-selected-border-color);border-radius:var(--vs-border-radius);color:var(--vs-selected-color);display:flex;line-height:var(--vs-line-height);margin:4px 2px 0;padding:0 .25em;z-index:0}.vs__deselect{fill:var(--vs-controls-color);-webkit-appearance:none;-moz-appearance:none;appearance:none;background:none;border:0;cursor:pointer;display:inline-flex;margin-left:4px;padding:0;text-shadow:var(--vs-controls--deselect-text-shadow)}.vs--single .vs__selected{background-color:transparent;border-color:transparent}.vs--single.vs--loading .vs__selected,.vs--single.vs--open .vs__selected{opacity:.4;position:absolute}.vs--single.vs--searching .vs__selected{display:none}.vs__search::-webkit-search-cancel-button{display:none}.vs__search::-ms-clear,.vs__search::-webkit-search-decoration,.vs__search::-webkit-search-results-button,.vs__search::-webkit-search-results-decoration{display:none}.vs__search,.vs__search:focus{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:none;border:1px solid transparent;border-left:none;box-shadow:none;color:var(--vs-search-input-color);flex-grow:1;font-size:var(--vs-font-size);line-height:var(--vs-line-height);margin:4px 0 0;max-width:100%;outline:none;padding:0 7px;width:0;z-index:1}.vs__search::-moz-placeholder{color:var(--vs-search-input-placeholder-color)}.vs__search::placeholder{color:var(--vs-search-input-placeholder-color)}.vs--unsearchable .vs__search{opacity:1}.vs--unsearchable:not(.vs--disabled) .vs__search{cursor:pointer}.vs--single.vs--searching:not(.vs--open):not(.vs--loading) .vs__search{opacity:.2}.vs__spinner{align-self:center;animation:vSelectSpinner 1.1s linear infinite;border:.9em solid hsla(0,0%,39%,.1);border-left-color:rgba(60,60,60,.45);font-size:5px;opacity:0;overflow:hidden;text-indent:-9999em;transform:translateZ(0) scale(var(--vs-controls--spinner-size,var(--vs-controls-size)));transition:opacity .1s}.vs__spinner,.vs__spinner:after{border-radius:50%;height:5em;transform:scale(var(--vs-controls--spinner-size,var(--vs-controls-size)));width:5em}.vs--loading .vs__spinner{opacity:1}", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vue-moments-ago[data-v-55107a8f] {\n  font-size: 12px;\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp;":
/*!*****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp; ***!
  \*****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-4d6140fc] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.croppa-container canvas[data-v-648fdea2] {\n    margin-bottom: -16px !important;\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp;":
/*!**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.text-right {\n    text-align: right !important;\n}\n.truncate-text {\n    white-space: nowrap;\n    overflow: hidden;\n    text-overflow: ellipsis;\n    cursor: pointer;\n}\n.msg-card {\n    background: #fff;\n    transition: .5s;\n    border: 0;\n    margin-bottom: 30px;\n    border-radius: .55rem;\n    position: relative;\n    width: 100%;\n    box-shadow: 0 1px 2px 0 rgb(0 0 0 / 10%);\n}\n.chat-app .people-list {\n    width: 280px;\n    position: absolute;\n    left: 0;\n    top: 0;\n    padding: 20px;\n    z-index: 7\n}\n.chat-app .chat {\n    margin-left: 280px;\n    border-left: 1px solid #eaeaea\n}\n.people-list {\n    transition: .5s\n}\n.chat-list li{\n    overflow: hidden;\n}\n.people-list .chat-list li {\n    padding: 10px 15px;\n    list-style: none;\n    border-radius: 3px\n}\n.people-list .chat-list li:hover {\n    background: #efefef;\n    cursor: pointer\n}\n.people-list .chat-list li.active {\n    background: #efefef\n}\n.people-list .chat-list li .name {\n    font-size: 15px\n}\n.people-list .chat-list img {\n    width: 45px;\n    border-radius: 50%\n}\n.people-list img {\n    float: left;\n    border-radius: 50%\n}\n.people-list .about {\n    float: left;\n    padding-left: 8px\n}\n.people-list .status {\n    color: #999;\n    font-size: 13px;\n    width: 150px;\n}\n.chat .chat-header {\n    padding: 15px 20px;\n    border-bottom: 2px solid #f4f7f6\n}\n.chat .chat-header img {\n    float: left;\n    border-radius: 40px;\n    width: 40px\n}\n.chat .chat-header .chat-about {\n    float: left;\n    padding-left: 10px\n}\n.chat .chat-history {\n    padding: 20px;\n    border-bottom: 2px solid #fff\n}\n.chat .chat-history ul {\n    padding: 0\n}\n.chat .chat-history ul li {\n    list-style: none;\n    margin-bottom: 30px\n}\n.chat .chat-history ul li:last-child {\n    margin-bottom: 0px\n}\n.chat .chat-history .message-data {\n    margin-bottom: 15px\n}\n.chat .chat-history .message-data img {\n    border-radius: 40px;\n    width: 40px\n}\n.chat .chat-history .message-data-time {\n    color: #434651;\n    padding-left: 6px\n}\n.chat .chat-history .message {\n    color: #444;\n    padding: 18px 20px;\n    line-height: 26px;\n    font-size: 16px;\n    border-radius: 7px;\n    display: inline-block;\n    position: relative\n}\n.chat .chat-history .message:after {\n    bottom: 100%;\n    left: 7%;\n    content: \" \";\n    height: 0;\n    width: 0;\n    position: absolute;\n    pointer-events: none;\n    border: 10px solid transparent;\n    border-bottom-color: #fff;\n    margin-left: -10px\n}\n.chat .chat-history .my-message {\n    background: #63f3412b\n}\n.chat .chat-history .my-message:after {\n    bottom: 100%;\n    left: 30px;\n    content: \" \";\n    height: 0;\n    width: 0;\n    position: absolute;\n    pointer-events: none;\n    border: 10px solid transparent;\n    border-bottom-color: #63f3412b;\n    margin-left: -10px\n}\n.chat .chat-history .other-message {\n    background: #e8f1f3;\n    text-align: right\n}\n.chat .chat-history .other-message:after {\n    border-bottom-color: #e8f1f3;\n    left: 93%\n}\n.chat .chat-message {\n    padding: 20px\n}\n.online,\n.offline,\n.me {\n    margin-right: 2px;\n    font-size: 8px;\n    vertical-align: middle\n}\n.online {\n    color: #86c541\n}\n.offline {\n    color: #e47297\n}\n.me {\n    color: #1d8ecd\n}\n.float-right {\n    float: right\n}\n.clearfix:after {\n    visibility: hidden;\n    display: block;\n    font-size: 0;\n    content: \" \";\n    clear: both;\n    height: 0\n}\n.new-messages {\n    background-color: lemonchiffon !important;\n    margin-top: 1px\n}\n.new-messages:hover {\n    background-color: #f6f0b4 !important;\n}\n@media only screen and (max-width: 767px) {\n.chat-app .people-list {\n        height: 465px;\n        width: 100%;\n        overflow-x: auto;\n        background: #fff;\n        left: -400px;\n        display: none\n}\n.chat-app .people-list.open {\n        left: 0\n}\n.chat-app .chat {\n        margin: 0\n}\n.chat-app .chat .chat-header {\n        border-radius: 0.55rem 0.55rem 0 0\n}\n.chat-app .chat-history {\n        height: 300px;\n        overflow-x: auto\n}\n}\n@media only screen and (min-width: 768px) and (max-width: 992px) {\n.chat-app .chat-list {\n        height: 650px;\n        overflow-x: auto\n}\n.chat-app .chat-history {\n        height: 600px;\n        overflow-x: auto\n}\n}\n@media only screen and (min-device-width: 768px) and (max-device-width: 1024px) and (orientation: landscape) and (-webkit-min-device-pixel-ratio: 1) {\n.chat-app .chat-list {\n        height: 480px;\n        overflow-x: auto\n}\n.chat-app .chat-history {\n        height: calc(100vh - 350px);\n        overflow-x: auto\n}\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp;":
/*!**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.croppa-container canvas[data-v-0abd58c0] {\n    margin-bottom: -16px !important;\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-4712e354]{\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp;":
/*!**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-0e883928] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp;":
/*!************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp; ***!
  \************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-a3fb7f20] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp;":
/*!*************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp; ***!
  \*************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-ccdfc7b6] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp;":
/*!*****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp; ***!
  \*****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-1fd41360] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp;":
/*!******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp; ***!
  \******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-292180ba] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp;":
/*!******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp; ***!
  \******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-304a3348]{\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp;":
/*!***************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp; ***!
  \***************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-4cd4c7ea]{\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.croppa-container canvas[data-v-67021dfa] {\n    margin-bottom: -16px !important;\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp;":
/*!******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp; ***!
  \******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-476406a6] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.terms_conditions_content[data-v-5546b00a] {\n    padding: 40px;\n    background-color: rgba(36,103,236,.031);\n    border-radius: 10px;\n    margin-top: -60px\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\nimg.logo2 {\n    height: 20px;\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-2009775a] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\nul .router-active {\n    color: #2b4eff !important;\n}\nul.submenu .router-active:hover {\n    color: white !important;\n}\nimg.logo1 {\n    height: 50px;\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.course__thumb-content[data-v-03fe6032] {\n    display: flex;\n    flex-direction: row; /* FotoÄŸraf ve metni yan yana koymak iÃ§in */\n    align-items: center; /* Dikeyde ortalamak iÃ§in */\n}\n.course__thumb[data-v-03fe6032] {\n    margin-right: 10px; /* FotoÄŸraf ile metin arasÄ±ndaki boÅŸluÄŸu azalttÄ±k */\n}\n.course__thumb img.fixed-width[data-v-03fe6032] {\n    width: 128px; /* GeniÅŸliÄŸi sabit 128px olarak ayarladÄ±k */\n}\n.course__content[data-v-03fe6032] {\n    flex: 1;\n}\n.course__title[data-v-03fe6032] {\n    margin: 0;\n}\n.course__content p[data-v-03fe6032] {\n    margin: 0;\n    font-size: 0.9em; /* Ã–ÄŸretmen sayÄ±sÄ±nÄ±n gÃ¶rÃ¼nÃ¼rlÃ¼ÄŸÃ¼nÃ¼ artÄ±rmak iÃ§in boyutu kÃ¼Ã§Ã¼ltÃ¼lebilir */\n    color: #666; /* Ä°steÄŸe baÄŸlÄ±, Ã¶ÄŸretmen sayÄ±sÄ±nÄ±n rengini ayarlayabilirsiniz */\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-006b0a42] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp;":
/*!****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp; ***!
  \****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.cursor-pointer[data-v-3d2ec509]{\n    cursor: pointer;\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp;":
/*!*****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp; ***!
  \*****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-7d396a30] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-0302d157] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp;":
/*!******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp; ***!
  \******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.ql-align-left {\n    text-align: left !important\n}\n.ql-align-center {\n    text-align: center !important\n}\n.ql-align-right {\n    text-align: right !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ../../../node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js */ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js");
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0__);
// Imports

var ___CSS_LOADER_EXPORT___ = _node_modules_laravel_mix_node_modules_css_loader_dist_runtime_api_js__WEBPACK_IMPORTED_MODULE_0___default()(function(i){return i[1]});
// Module
___CSS_LOADER_EXPORT___.push([module.id, "\n.vs__dropdown-menu[data-v-5d09d87e] {\n    width: 100% !important;\n    max-width: 120px !important\n}\n", ""]);
// Exports
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (___CSS_LOADER_EXPORT___);


/***/ }),

/***/ "./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js":
/*!******************************************************************************!*\
  !*** ./node_modules/laravel-mix/node_modules/css-loader/dist/runtime/api.js ***!
  \******************************************************************************/
/***/ ((module) =&gt; {

"use strict";


/*
  MIT License http://www.opensource.org/licenses/mit-license.php
  Author Tobias Koppers @sokra
*/
// css base code, injected by the css-loader
// eslint-disable-next-line func-names
module.exports = function (cssWithMappingToString) {
  var list = []; // return the list of modules as css string

  list.toString = function toString() {
    return this.map(function (item) {
      var content = cssWithMappingToString(item);

      if (item[2]) {
        return "@media ".concat(item[2], " {").concat(content, "}");
      }

      return content;
    }).join("");
  }; // import a list of modules into the list
  // eslint-disable-next-line func-names


  list.i = function (modules, mediaQuery, dedupe) {
    if (typeof modules === "string") {
      // eslint-disable-next-line no-param-reassign
      modules = [[null, modules, ""]];
    }

    var alreadyImportedModules = {};

    if (dedupe) {
      for (var i = 0; i &lt; this.length; i++) {
        // eslint-disable-next-line prefer-destructuring
        var id = this[i][0];

        if (id != null) {
          alreadyImportedModules[id] = true;
        }
      }
    }

    for (var _i = 0; _i &lt; modules.length; _i++) {
      var item = [].concat(modules[_i]);

      if (dedupe &amp;&amp; alreadyImportedModules[item[0]]) {
        // eslint-disable-next-line no-continue
        continue;
      }

      if (mediaQuery) {
        if (!item[2]) {
          item[2] = mediaQuery;
        } else {
          item[2] = "".concat(mediaQuery, " and ").concat(item[2]);
        }
      }

      list.push(item);
    }
  };

  return list;
};

/***/ }),

/***/ "./node_modules/moment/locale/af.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/af.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Afrikaans [af]
//! author : Werner Mollentze : https://github.com/wernerm

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var af = moment.defineLocale('af', {
        months: 'Januarie_Februarie_Maart_April_Mei_Junie_Julie_Augustus_September_Oktober_November_Desember'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mrt_Apr_Mei_Jun_Jul_Aug_Sep_Okt_Nov_Des'.split('_'),
        weekdays: 'Sondag_Maandag_Dinsdag_Woensdag_Donderdag_Vrydag_Saterdag'.split(
            '_'
        ),
        weekdaysShort: 'Son_Maa_Din_Woe_Don_Vry_Sat'.split('_'),
        weekdaysMin: 'So_Ma_Di_Wo_Do_Vr_Sa'.split('_'),
        meridiemParse: /vm|nm/i,
        isPM: function (input) {
            return /^nm$/i.test(input);
        },
        meridiem: function (hours, minutes, isLower) {
            if (hours &lt; 12) {
                return isLower ? 'vm' : 'VM';
            } else {
                return isLower ? 'nm' : 'NM';
            }
        },
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Vandag om] LT',
            nextDay: '[MÃ´re om] LT',
            nextWeek: 'dddd [om] LT',
            lastDay: '[Gister om] LT',
            lastWeek: '[Laas] dddd [om] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'oor %s',
            past: '%s gelede',
            s: "'n paar sekondes",
            ss: '%d sekondes',
            m: "'n minuut",
            mm: '%d minute',
            h: "'n uur",
            hh: '%d ure',
            d: "'n dag",
            dd: '%d dae',
            M: "'n maand",
            MM: '%d maande',
            y: "'n jaar",
            yy: '%d jaar',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(ste|de)/,
        ordinal: function (number) {
            return (
                number +
                (number === 1 || number === 8 || number &gt;= 20 ? 'ste' : 'de')
            ); // Thanks to Joris RÃ¶ling : https://github.com/jjupiter
        },
        week: {
            dow: 1, // Maandag is die eerste dag van die week.
            doy: 4, // Die week wat die 4de Januarie bevat is die eerste week van die jaar.
        },
    });

    return af;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ar-dz.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/ar-dz.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Arabic (Algeria) [ar-dz]
//! author : Amine Roukh: https://github.com/Amine27
//! author : Abdel Said: https://github.com/abdelsaid
//! author : Ahmed Elkhatib
//! author : forabi https://github.com/forabi
//! author : Noureddine LOUAHEDJ : https://github.com/noureddinem

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var pluralForm = function (n) {
            return n === 0
                ? 0
                : n === 1
                ? 1
                : n === 2
                ? 2
                : n % 100 &gt;= 3 &amp;&amp; n % 100 &lt;= 10
                ? 3
                : n % 100 &gt;= 11
                ? 4
                : 5;
        },
        plurals = {
            s: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø«Ø§Ù†ÙŠØ©',
                'Ø«Ø§Ù†ÙŠØ© ÙˆØ§Ø­Ø¯Ø©',
                ['Ø«Ø§Ù†ÙŠØªØ§Ù†', 'Ø«Ø§Ù†ÙŠØªÙŠÙ†'],
                '%d Ø«ÙˆØ§Ù†',
                '%d Ø«Ø§Ù†ÙŠØ©',
                '%d Ø«Ø§Ù†ÙŠØ©',
            ],
            m: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø¯Ù‚ÙŠÙ‚Ø©',
                'Ø¯Ù‚ÙŠÙ‚Ø© ÙˆØ§Ø­Ø¯Ø©',
                ['Ø¯Ù‚ÙŠÙ‚ØªØ§Ù†', 'Ø¯Ù‚ÙŠÙ‚ØªÙŠÙ†'],
                '%d Ø¯Ù‚Ø§Ø¦Ù‚',
                '%d Ø¯Ù‚ÙŠÙ‚Ø©',
                '%d Ø¯Ù‚ÙŠÙ‚Ø©',
            ],
            h: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø³Ø§Ø¹Ø©',
                'Ø³Ø§Ø¹Ø© ÙˆØ§Ø­Ø¯Ø©',
                ['Ø³Ø§Ø¹ØªØ§Ù†', 'Ø³Ø§Ø¹ØªÙŠÙ†'],
                '%d Ø³Ø§Ø¹Ø§Øª',
                '%d Ø³Ø§Ø¹Ø©',
                '%d Ø³Ø§Ø¹Ø©',
            ],
            d: [
                'Ø£Ù‚Ù„ Ù…Ù† ÙŠÙˆÙ…',
                'ÙŠÙˆÙ… ÙˆØ§Ø­Ø¯',
                ['ÙŠÙˆÙ…Ø§Ù†', 'ÙŠÙˆÙ…ÙŠÙ†'],
                '%d Ø£ÙŠØ§Ù…',
                '%d ÙŠÙˆÙ…Ù‹Ø§',
                '%d ÙŠÙˆÙ…',
            ],
            M: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø´Ù‡Ø±',
                'Ø´Ù‡Ø± ÙˆØ§Ø­Ø¯',
                ['Ø´Ù‡Ø±Ø§Ù†', 'Ø´Ù‡Ø±ÙŠÙ†'],
                '%d Ø£Ø´Ù‡Ø±',
                '%d Ø´Ù‡Ø±Ø§',
                '%d Ø´Ù‡Ø±',
            ],
            y: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø¹Ø§Ù…',
                'Ø¹Ø§Ù… ÙˆØ§Ø­Ø¯',
                ['Ø¹Ø§Ù…Ø§Ù†', 'Ø¹Ø§Ù…ÙŠÙ†'],
                '%d Ø£Ø¹ÙˆØ§Ù…',
                '%d Ø¹Ø§Ù…Ù‹Ø§',
                '%d Ø¹Ø§Ù…',
            ],
        },
        pluralize = function (u) {
            return function (number, withoutSuffix, string, isFuture) {
                var f = pluralForm(number),
                    str = plurals[u][pluralForm(number)];
                if (f === 2) {
                    str = str[withoutSuffix ? 0 : 1];
                }
                return str.replace(/%d/i, number);
            };
        },
        months = [
            'Ø¬Ø§Ù†ÙÙŠ',
            'ÙÙŠÙØ±ÙŠ',
            'Ù…Ø§Ø±Ø³',
            'Ø£ÙØ±ÙŠÙ„',
            'Ù…Ø§ÙŠ',
            'Ø¬ÙˆØ§Ù†',
            'Ø¬ÙˆÙŠÙ„ÙŠØ©',
            'Ø£ÙˆØª',
            'Ø³Ø¨ØªÙ…Ø¨Ø±',
            'Ø£ÙƒØªÙˆØ¨Ø±',
            'Ù†ÙˆÙÙ…Ø¨Ø±',
            'Ø¯ÙŠØ³Ù…Ø¨Ø±',
        ];

    var arDz = moment.defineLocale('ar-dz', {
        months: months,
        monthsShort: months,
        weekdays: 'Ø§Ù„Ø£Ø­Ø¯_Ø§Ù„Ø¥Ø«Ù†ÙŠÙ†_Ø§Ù„Ø«Ù„Ø§Ø«Ø§Ø¡_Ø§Ù„Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø§Ù„Ø®Ù…ÙŠØ³_Ø§Ù„Ø¬Ù…Ø¹Ø©_Ø§Ù„Ø³Ø¨Øª'.split('_'),
        weekdaysShort: 'Ø£Ø­Ø¯_Ø¥Ø«Ù†ÙŠÙ†_Ø«Ù„Ø§Ø«Ø§Ø¡_Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø®Ù…ÙŠØ³_Ø¬Ù…Ø¹Ø©_Ø³Ø¨Øª'.split('_'),
        weekdaysMin: 'Ø­_Ù†_Ø«_Ø±_Ø®_Ø¬_Ø³'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'D/\u200FM/\u200FYYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        meridiemParse: /Øµ|Ù…/,
        isPM: function (input) {
            return 'Ù…' === input;
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'Øµ';
            } else {
                return 'Ù…';
            }
        },
        calendar: {
            sameDay: '[Ø§Ù„ÙŠÙˆÙ… Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextDay: '[ØºØ¯Ù‹Ø§ Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextWeek: 'dddd [Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastDay: '[Ø£Ù…Ø³ Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastWeek: 'dddd [Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ø¨Ø¹Ø¯ %s',
            past: 'Ù…Ù†Ø° %s',
            s: pluralize('s'),
            ss: pluralize('s'),
            m: pluralize('m'),
            mm: pluralize('m'),
            h: pluralize('h'),
            hh: pluralize('h'),
            d: pluralize('d'),
            dd: pluralize('d'),
            M: pluralize('M'),
            MM: pluralize('M'),
            y: pluralize('y'),
            yy: pluralize('y'),
        },
        postformat: function (string) {
            return string.replace(/,/g, 'ØŒ');
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return arDz;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ar-kw.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/ar-kw.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Arabic (Kuwait) [ar-kw]
//! author : Nusret Parlak: https://github.com/nusretparlak

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var arKw = moment.defineLocale('ar-kw', {
        months: 'ÙŠÙ†Ø§ÙŠØ±_ÙØ¨Ø±Ø§ÙŠØ±_Ù…Ø§Ø±Ø³_Ø£Ø¨Ø±ÙŠÙ„_Ù…Ø§ÙŠ_ÙŠÙˆÙ†ÙŠÙˆ_ÙŠÙˆÙ„ÙŠÙˆØ²_ØºØ´Øª_Ø´ØªÙ†Ø¨Ø±_Ø£ÙƒØªÙˆØ¨Ø±_Ù†ÙˆÙ†Ø¨Ø±_Ø¯Ø¬Ù†Ø¨Ø±'.split(
            '_'
        ),
        monthsShort:
            'ÙŠÙ†Ø§ÙŠØ±_ÙØ¨Ø±Ø§ÙŠØ±_Ù…Ø§Ø±Ø³_Ø£Ø¨Ø±ÙŠÙ„_Ù…Ø§ÙŠ_ÙŠÙˆÙ†ÙŠÙˆ_ÙŠÙˆÙ„ÙŠÙˆØ²_ØºØ´Øª_Ø´ØªÙ†Ø¨Ø±_Ø£ÙƒØªÙˆØ¨Ø±_Ù†ÙˆÙ†Ø¨Ø±_Ø¯Ø¬Ù†Ø¨Ø±'.split(
                '_'
            ),
        weekdays: 'Ø§Ù„Ø£Ø­Ø¯_Ø§Ù„Ø¥ØªÙ†ÙŠÙ†_Ø§Ù„Ø«Ù„Ø§Ø«Ø§Ø¡_Ø§Ù„Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø§Ù„Ø®Ù…ÙŠØ³_Ø§Ù„Ø¬Ù…Ø¹Ø©_Ø§Ù„Ø³Ø¨Øª'.split('_'),
        weekdaysShort: 'Ø§Ø­Ø¯_Ø§ØªÙ†ÙŠÙ†_Ø«Ù„Ø§Ø«Ø§Ø¡_Ø§Ø±Ø¨Ø¹Ø§Ø¡_Ø®Ù…ÙŠØ³_Ø¬Ù…Ø¹Ø©_Ø³Ø¨Øª'.split('_'),
        weekdaysMin: 'Ø­_Ù†_Ø«_Ø±_Ø®_Ø¬_Ø³'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Ø§Ù„ÙŠÙˆÙ… Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextDay: '[ØºØ¯Ø§ Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextWeek: 'dddd [Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastDay: '[Ø£Ù…Ø³ Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastWeek: 'dddd [Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'ÙÙŠ %s',
            past: 'Ù…Ù†Ø° %s',
            s: 'Ø«ÙˆØ§Ù†',
            ss: '%d Ø«Ø§Ù†ÙŠØ©',
            m: 'Ø¯Ù‚ÙŠÙ‚Ø©',
            mm: '%d Ø¯Ù‚Ø§Ø¦Ù‚',
            h: 'Ø³Ø§Ø¹Ø©',
            hh: '%d Ø³Ø§Ø¹Ø§Øª',
            d: 'ÙŠÙˆÙ…',
            dd: '%d Ø£ÙŠØ§Ù…',
            M: 'Ø´Ù‡Ø±',
            MM: '%d Ø£Ø´Ù‡Ø±',
            y: 'Ø³Ù†Ø©',
            yy: '%d Ø³Ù†ÙˆØ§Øª',
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 12, // The week that contains Jan 12th is the first week of the year.
        },
    });

    return arKw;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ar-ly.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/ar-ly.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Arabic (Libya) [ar-ly]
//! author : Ali Hmer: https://github.com/kikoanis

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: '1',
            2: '2',
            3: '3',
            4: '4',
            5: '5',
            6: '6',
            7: '7',
            8: '8',
            9: '9',
            0: '0',
        },
        pluralForm = function (n) {
            return n === 0
                ? 0
                : n === 1
                ? 1
                : n === 2
                ? 2
                : n % 100 &gt;= 3 &amp;&amp; n % 100 &lt;= 10
                ? 3
                : n % 100 &gt;= 11
                ? 4
                : 5;
        },
        plurals = {
            s: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø«Ø§Ù†ÙŠØ©',
                'Ø«Ø§Ù†ÙŠØ© ÙˆØ§Ø­Ø¯Ø©',
                ['Ø«Ø§Ù†ÙŠØªØ§Ù†', 'Ø«Ø§Ù†ÙŠØªÙŠÙ†'],
                '%d Ø«ÙˆØ§Ù†',
                '%d Ø«Ø§Ù†ÙŠØ©',
                '%d Ø«Ø§Ù†ÙŠØ©',
            ],
            m: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø¯Ù‚ÙŠÙ‚Ø©',
                'Ø¯Ù‚ÙŠÙ‚Ø© ÙˆØ§Ø­Ø¯Ø©',
                ['Ø¯Ù‚ÙŠÙ‚ØªØ§Ù†', 'Ø¯Ù‚ÙŠÙ‚ØªÙŠÙ†'],
                '%d Ø¯Ù‚Ø§Ø¦Ù‚',
                '%d Ø¯Ù‚ÙŠÙ‚Ø©',
                '%d Ø¯Ù‚ÙŠÙ‚Ø©',
            ],
            h: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø³Ø§Ø¹Ø©',
                'Ø³Ø§Ø¹Ø© ÙˆØ§Ø­Ø¯Ø©',
                ['Ø³Ø§Ø¹ØªØ§Ù†', 'Ø³Ø§Ø¹ØªÙŠÙ†'],
                '%d Ø³Ø§Ø¹Ø§Øª',
                '%d Ø³Ø§Ø¹Ø©',
                '%d Ø³Ø§Ø¹Ø©',
            ],
            d: [
                'Ø£Ù‚Ù„ Ù…Ù† ÙŠÙˆÙ…',
                'ÙŠÙˆÙ… ÙˆØ§Ø­Ø¯',
                ['ÙŠÙˆÙ…Ø§Ù†', 'ÙŠÙˆÙ…ÙŠÙ†'],
                '%d Ø£ÙŠØ§Ù…',
                '%d ÙŠÙˆÙ…Ù‹Ø§',
                '%d ÙŠÙˆÙ…',
            ],
            M: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø´Ù‡Ø±',
                'Ø´Ù‡Ø± ÙˆØ§Ø­Ø¯',
                ['Ø´Ù‡Ø±Ø§Ù†', 'Ø´Ù‡Ø±ÙŠÙ†'],
                '%d Ø£Ø´Ù‡Ø±',
                '%d Ø´Ù‡Ø±Ø§',
                '%d Ø´Ù‡Ø±',
            ],
            y: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø¹Ø§Ù…',
                'Ø¹Ø§Ù… ÙˆØ§Ø­Ø¯',
                ['Ø¹Ø§Ù…Ø§Ù†', 'Ø¹Ø§Ù…ÙŠÙ†'],
                '%d Ø£Ø¹ÙˆØ§Ù…',
                '%d Ø¹Ø§Ù…Ù‹Ø§',
                '%d Ø¹Ø§Ù…',
            ],
        },
        pluralize = function (u) {
            return function (number, withoutSuffix, string, isFuture) {
                var f = pluralForm(number),
                    str = plurals[u][pluralForm(number)];
                if (f === 2) {
                    str = str[withoutSuffix ? 0 : 1];
                }
                return str.replace(/%d/i, number);
            };
        },
        months = [
            'ÙŠÙ†Ø§ÙŠØ±',
            'ÙØ¨Ø±Ø§ÙŠØ±',
            'Ù…Ø§Ø±Ø³',
            'Ø£Ø¨Ø±ÙŠÙ„',
            'Ù…Ø§ÙŠÙˆ',
            'ÙŠÙˆÙ†ÙŠÙˆ',
            'ÙŠÙˆÙ„ÙŠÙˆ',
            'Ø£ØºØ³Ø·Ø³',
            'Ø³Ø¨ØªÙ…Ø¨Ø±',
            'Ø£ÙƒØªÙˆØ¨Ø±',
            'Ù†ÙˆÙÙ…Ø¨Ø±',
            'Ø¯ÙŠØ³Ù…Ø¨Ø±',
        ];

    var arLy = moment.defineLocale('ar-ly', {
        months: months,
        monthsShort: months,
        weekdays: 'Ø§Ù„Ø£Ø­Ø¯_Ø§Ù„Ø¥Ø«Ù†ÙŠÙ†_Ø§Ù„Ø«Ù„Ø§Ø«Ø§Ø¡_Ø§Ù„Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø§Ù„Ø®Ù…ÙŠØ³_Ø§Ù„Ø¬Ù…Ø¹Ø©_Ø§Ù„Ø³Ø¨Øª'.split('_'),
        weekdaysShort: 'Ø£Ø­Ø¯_Ø¥Ø«Ù†ÙŠÙ†_Ø«Ù„Ø§Ø«Ø§Ø¡_Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø®Ù…ÙŠØ³_Ø¬Ù…Ø¹Ø©_Ø³Ø¨Øª'.split('_'),
        weekdaysMin: 'Ø­_Ù†_Ø«_Ø±_Ø®_Ø¬_Ø³'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'D/\u200FM/\u200FYYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        meridiemParse: /Øµ|Ù…/,
        isPM: function (input) {
            return 'Ù…' === input;
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'Øµ';
            } else {
                return 'Ù…';
            }
        },
        calendar: {
            sameDay: '[Ø§Ù„ÙŠÙˆÙ… Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextDay: '[ØºØ¯Ù‹Ø§ Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextWeek: 'dddd [Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastDay: '[Ø£Ù…Ø³ Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastWeek: 'dddd [Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ø¨Ø¹Ø¯ %s',
            past: 'Ù…Ù†Ø° %s',
            s: pluralize('s'),
            ss: pluralize('s'),
            m: pluralize('m'),
            mm: pluralize('m'),
            h: pluralize('h'),
            hh: pluralize('h'),
            d: pluralize('d'),
            dd: pluralize('d'),
            M: pluralize('M'),
            MM: pluralize('M'),
            y: pluralize('y'),
            yy: pluralize('y'),
        },
        preparse: function (string) {
            return string.replace(/ØŒ/g, ',');
        },
        postformat: function (string) {
            return string
                .replace(/\d/g, function (match) {
                    return symbolMap[match];
                })
                .replace(/,/g, 'ØŒ');
        },
        week: {
            dow: 6, // Saturday is the first day of the week.
            doy: 12, // The week that contains Jan 12th is the first week of the year.
        },
    });

    return arLy;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ar-ma.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/ar-ma.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Arabic (Morocco) [ar-ma]
//! author : ElFadili Yassine : https://github.com/ElFadiliY
//! author : Abdel Said : https://github.com/abdelsaid

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var arMa = moment.defineLocale('ar-ma', {
        months: 'ÙŠÙ†Ø§ÙŠØ±_ÙØ¨Ø±Ø§ÙŠØ±_Ù…Ø§Ø±Ø³_Ø£Ø¨Ø±ÙŠÙ„_Ù…Ø§ÙŠ_ÙŠÙˆÙ†ÙŠÙˆ_ÙŠÙˆÙ„ÙŠÙˆØ²_ØºØ´Øª_Ø´ØªÙ†Ø¨Ø±_Ø£ÙƒØªÙˆØ¨Ø±_Ù†ÙˆÙ†Ø¨Ø±_Ø¯Ø¬Ù†Ø¨Ø±'.split(
            '_'
        ),
        monthsShort:
            'ÙŠÙ†Ø§ÙŠØ±_ÙØ¨Ø±Ø§ÙŠØ±_Ù…Ø§Ø±Ø³_Ø£Ø¨Ø±ÙŠÙ„_Ù…Ø§ÙŠ_ÙŠÙˆÙ†ÙŠÙˆ_ÙŠÙˆÙ„ÙŠÙˆØ²_ØºØ´Øª_Ø´ØªÙ†Ø¨Ø±_Ø£ÙƒØªÙˆØ¨Ø±_Ù†ÙˆÙ†Ø¨Ø±_Ø¯Ø¬Ù†Ø¨Ø±'.split(
                '_'
            ),
        weekdays: 'Ø§Ù„Ø£Ø­Ø¯_Ø§Ù„Ø¥Ø«Ù†ÙŠÙ†_Ø§Ù„Ø«Ù„Ø§Ø«Ø§Ø¡_Ø§Ù„Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø§Ù„Ø®Ù…ÙŠØ³_Ø§Ù„Ø¬Ù…Ø¹Ø©_Ø§Ù„Ø³Ø¨Øª'.split('_'),
        weekdaysShort: 'Ø§Ø­Ø¯_Ø§Ø«Ù†ÙŠÙ†_Ø«Ù„Ø§Ø«Ø§Ø¡_Ø§Ø±Ø¨Ø¹Ø§Ø¡_Ø®Ù…ÙŠØ³_Ø¬Ù…Ø¹Ø©_Ø³Ø¨Øª'.split('_'),
        weekdaysMin: 'Ø­_Ù†_Ø«_Ø±_Ø®_Ø¬_Ø³'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Ø§Ù„ÙŠÙˆÙ… Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextDay: '[ØºØ¯Ø§ Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextWeek: 'dddd [Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastDay: '[Ø£Ù…Ø³ Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastWeek: 'dddd [Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'ÙÙŠ %s',
            past: 'Ù…Ù†Ø° %s',
            s: 'Ø«ÙˆØ§Ù†',
            ss: '%d Ø«Ø§Ù†ÙŠØ©',
            m: 'Ø¯Ù‚ÙŠÙ‚Ø©',
            mm: '%d Ø¯Ù‚Ø§Ø¦Ù‚',
            h: 'Ø³Ø§Ø¹Ø©',
            hh: '%d Ø³Ø§Ø¹Ø§Øª',
            d: 'ÙŠÙˆÙ…',
            dd: '%d Ø£ÙŠØ§Ù…',
            M: 'Ø´Ù‡Ø±',
            MM: '%d Ø£Ø´Ù‡Ø±',
            y: 'Ø³Ù†Ø©',
            yy: '%d Ø³Ù†ÙˆØ§Øª',
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return arMa;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ar-sa.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/ar-sa.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Arabic (Saudi Arabia) [ar-sa]
//! author : Suhail Alkowaileet : https://github.com/xsoh

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'Ù¡',
            2: 'Ù¢',
            3: 'Ù£',
            4: 'Ù¤',
            5: 'Ù¥',
            6: 'Ù¦',
            7: 'Ù§',
            8: 'Ù¨',
            9: 'Ù©',
            0: 'Ù&nbsp;',
        },
        numberMap = {
            'Ù¡': '1',
            'Ù¢': '2',
            'Ù£': '3',
            'Ù¤': '4',
            'Ù¥': '5',
            'Ù¦': '6',
            'Ù§': '7',
            'Ù¨': '8',
            'Ù©': '9',
            'Ù&nbsp;': '0',
        };

    var arSa = moment.defineLocale('ar-sa', {
        months: 'ÙŠÙ†Ø§ÙŠØ±_ÙØ¨Ø±Ø§ÙŠØ±_Ù…Ø§Ø±Ø³_Ø£Ø¨Ø±ÙŠÙ„_Ù…Ø§ÙŠÙˆ_ÙŠÙˆÙ†ÙŠÙˆ_ÙŠÙˆÙ„ÙŠÙˆ_Ø£ØºØ³Ø·Ø³_Ø³Ø¨ØªÙ…Ø¨Ø±_Ø£ÙƒØªÙˆØ¨Ø±_Ù†ÙˆÙÙ…Ø¨Ø±_Ø¯ÙŠØ³Ù…Ø¨Ø±'.split(
            '_'
        ),
        monthsShort:
            'ÙŠÙ†Ø§ÙŠØ±_ÙØ¨Ø±Ø§ÙŠØ±_Ù…Ø§Ø±Ø³_Ø£Ø¨Ø±ÙŠÙ„_Ù…Ø§ÙŠÙˆ_ÙŠÙˆÙ†ÙŠÙˆ_ÙŠÙˆÙ„ÙŠÙˆ_Ø£ØºØ³Ø·Ø³_Ø³Ø¨ØªÙ…Ø¨Ø±_Ø£ÙƒØªÙˆØ¨Ø±_Ù†ÙˆÙÙ…Ø¨Ø±_Ø¯ÙŠØ³Ù…Ø¨Ø±'.split(
                '_'
            ),
        weekdays: 'Ø§Ù„Ø£Ø­Ø¯_Ø§Ù„Ø¥Ø«Ù†ÙŠÙ†_Ø§Ù„Ø«Ù„Ø§Ø«Ø§Ø¡_Ø§Ù„Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø§Ù„Ø®Ù…ÙŠØ³_Ø§Ù„Ø¬Ù…Ø¹Ø©_Ø§Ù„Ø³Ø¨Øª'.split('_'),
        weekdaysShort: 'Ø£Ø­Ø¯_Ø¥Ø«Ù†ÙŠÙ†_Ø«Ù„Ø§Ø«Ø§Ø¡_Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø®Ù…ÙŠØ³_Ø¬Ù…Ø¹Ø©_Ø³Ø¨Øª'.split('_'),
        weekdaysMin: 'Ø­_Ù†_Ø«_Ø±_Ø®_Ø¬_Ø³'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        meridiemParse: /Øµ|Ù…/,
        isPM: function (input) {
            return 'Ù…' === input;
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'Øµ';
            } else {
                return 'Ù…';
            }
        },
        calendar: {
            sameDay: '[Ø§Ù„ÙŠÙˆÙ… Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextDay: '[ØºØ¯Ø§ Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextWeek: 'dddd [Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastDay: '[Ø£Ù…Ø³ Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastWeek: 'dddd [Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'ÙÙŠ %s',
            past: 'Ù…Ù†Ø° %s',
            s: 'Ø«ÙˆØ§Ù†',
            ss: '%d Ø«Ø§Ù†ÙŠØ©',
            m: 'Ø¯Ù‚ÙŠÙ‚Ø©',
            mm: '%d Ø¯Ù‚Ø§Ø¦Ù‚',
            h: 'Ø³Ø§Ø¹Ø©',
            hh: '%d Ø³Ø§Ø¹Ø§Øª',
            d: 'ÙŠÙˆÙ…',
            dd: '%d Ø£ÙŠØ§Ù…',
            M: 'Ø´Ù‡Ø±',
            MM: '%d Ø£Ø´Ù‡Ø±',
            y: 'Ø³Ù†Ø©',
            yy: '%d Ø³Ù†ÙˆØ§Øª',
        },
        preparse: function (string) {
            return string
                .replace(/[Ù¡Ù¢Ù£Ù¤Ù¥Ù¦Ù§Ù¨Ù©Ù&nbsp;]/g, function (match) {
                    return numberMap[match];
                })
                .replace(/ØŒ/g, ',');
        },
        postformat: function (string) {
            return string
                .replace(/\d/g, function (match) {
                    return symbolMap[match];
                })
                .replace(/,/g, 'ØŒ');
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return arSa;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ar-tn.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/ar-tn.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale  :  Arabic (Tunisia) [ar-tn]
//! author : Nader Toukabri : https://github.com/naderio

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var arTn = moment.defineLocale('ar-tn', {
        months: 'Ø¬Ø§Ù†ÙÙŠ_ÙÙŠÙØ±ÙŠ_Ù…Ø§Ø±Ø³_Ø£ÙØ±ÙŠÙ„_Ù…Ø§ÙŠ_Ø¬ÙˆØ§Ù†_Ø¬ÙˆÙŠÙ„ÙŠØ©_Ø£ÙˆØª_Ø³Ø¨ØªÙ…Ø¨Ø±_Ø£ÙƒØªÙˆØ¨Ø±_Ù†ÙˆÙÙ…Ø¨Ø±_Ø¯ÙŠØ³Ù…Ø¨Ø±'.split(
            '_'
        ),
        monthsShort:
            'Ø¬Ø§Ù†ÙÙŠ_ÙÙŠÙØ±ÙŠ_Ù…Ø§Ø±Ø³_Ø£ÙØ±ÙŠÙ„_Ù…Ø§ÙŠ_Ø¬ÙˆØ§Ù†_Ø¬ÙˆÙŠÙ„ÙŠØ©_Ø£ÙˆØª_Ø³Ø¨ØªÙ…Ø¨Ø±_Ø£ÙƒØªÙˆØ¨Ø±_Ù†ÙˆÙÙ…Ø¨Ø±_Ø¯ÙŠØ³Ù…Ø¨Ø±'.split(
                '_'
            ),
        weekdays: 'Ø§Ù„Ø£Ø­Ø¯_Ø§Ù„Ø¥Ø«Ù†ÙŠÙ†_Ø§Ù„Ø«Ù„Ø§Ø«Ø§Ø¡_Ø§Ù„Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø§Ù„Ø®Ù…ÙŠØ³_Ø§Ù„Ø¬Ù…Ø¹Ø©_Ø§Ù„Ø³Ø¨Øª'.split('_'),
        weekdaysShort: 'Ø£Ø­Ø¯_Ø¥Ø«Ù†ÙŠÙ†_Ø«Ù„Ø§Ø«Ø§Ø¡_Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø®Ù…ÙŠØ³_Ø¬Ù…Ø¹Ø©_Ø³Ø¨Øª'.split('_'),
        weekdaysMin: 'Ø­_Ù†_Ø«_Ø±_Ø®_Ø¬_Ø³'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Ø§Ù„ÙŠÙˆÙ… Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextDay: '[ØºØ¯Ø§ Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextWeek: 'dddd [Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastDay: '[Ø£Ù…Ø³ Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastWeek: 'dddd [Ø¹Ù„Ù‰ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'ÙÙŠ %s',
            past: 'Ù…Ù†Ø° %s',
            s: 'Ø«ÙˆØ§Ù†',
            ss: '%d Ø«Ø§Ù†ÙŠØ©',
            m: 'Ø¯Ù‚ÙŠÙ‚Ø©',
            mm: '%d Ø¯Ù‚Ø§Ø¦Ù‚',
            h: 'Ø³Ø§Ø¹Ø©',
            hh: '%d Ø³Ø§Ø¹Ø§Øª',
            d: 'ÙŠÙˆÙ…',
            dd: '%d Ø£ÙŠØ§Ù…',
            M: 'Ø´Ù‡Ø±',
            MM: '%d Ø£Ø´Ù‡Ø±',
            y: 'Ø³Ù†Ø©',
            yy: '%d Ø³Ù†ÙˆØ§Øª',
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return arTn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ar.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ar.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Arabic [ar]
//! author : Abdel Said: https://github.com/abdelsaid
//! author : Ahmed Elkhatib
//! author : forabi https://github.com/forabi

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'Ù¡',
            2: 'Ù¢',
            3: 'Ù£',
            4: 'Ù¤',
            5: 'Ù¥',
            6: 'Ù¦',
            7: 'Ù§',
            8: 'Ù¨',
            9: 'Ù©',
            0: 'Ù&nbsp;',
        },
        numberMap = {
            'Ù¡': '1',
            'Ù¢': '2',
            'Ù£': '3',
            'Ù¤': '4',
            'Ù¥': '5',
            'Ù¦': '6',
            'Ù§': '7',
            'Ù¨': '8',
            'Ù©': '9',
            'Ù&nbsp;': '0',
        },
        pluralForm = function (n) {
            return n === 0
                ? 0
                : n === 1
                ? 1
                : n === 2
                ? 2
                : n % 100 &gt;= 3 &amp;&amp; n % 100 &lt;= 10
                ? 3
                : n % 100 &gt;= 11
                ? 4
                : 5;
        },
        plurals = {
            s: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø«Ø§Ù†ÙŠØ©',
                'Ø«Ø§Ù†ÙŠØ© ÙˆØ§Ø­Ø¯Ø©',
                ['Ø«Ø§Ù†ÙŠØªØ§Ù†', 'Ø«Ø§Ù†ÙŠØªÙŠÙ†'],
                '%d Ø«ÙˆØ§Ù†',
                '%d Ø«Ø§Ù†ÙŠØ©',
                '%d Ø«Ø§Ù†ÙŠØ©',
            ],
            m: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø¯Ù‚ÙŠÙ‚Ø©',
                'Ø¯Ù‚ÙŠÙ‚Ø© ÙˆØ§Ø­Ø¯Ø©',
                ['Ø¯Ù‚ÙŠÙ‚ØªØ§Ù†', 'Ø¯Ù‚ÙŠÙ‚ØªÙŠÙ†'],
                '%d Ø¯Ù‚Ø§Ø¦Ù‚',
                '%d Ø¯Ù‚ÙŠÙ‚Ø©',
                '%d Ø¯Ù‚ÙŠÙ‚Ø©',
            ],
            h: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø³Ø§Ø¹Ø©',
                'Ø³Ø§Ø¹Ø© ÙˆØ§Ø­Ø¯Ø©',
                ['Ø³Ø§Ø¹ØªØ§Ù†', 'Ø³Ø§Ø¹ØªÙŠÙ†'],
                '%d Ø³Ø§Ø¹Ø§Øª',
                '%d Ø³Ø§Ø¹Ø©',
                '%d Ø³Ø§Ø¹Ø©',
            ],
            d: [
                'Ø£Ù‚Ù„ Ù…Ù† ÙŠÙˆÙ…',
                'ÙŠÙˆÙ… ÙˆØ§Ø­Ø¯',
                ['ÙŠÙˆÙ…Ø§Ù†', 'ÙŠÙˆÙ…ÙŠÙ†'],
                '%d Ø£ÙŠØ§Ù…',
                '%d ÙŠÙˆÙ…Ù‹Ø§',
                '%d ÙŠÙˆÙ…',
            ],
            M: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø´Ù‡Ø±',
                'Ø´Ù‡Ø± ÙˆØ§Ø­Ø¯',
                ['Ø´Ù‡Ø±Ø§Ù†', 'Ø´Ù‡Ø±ÙŠÙ†'],
                '%d Ø£Ø´Ù‡Ø±',
                '%d Ø´Ù‡Ø±Ø§',
                '%d Ø´Ù‡Ø±',
            ],
            y: [
                'Ø£Ù‚Ù„ Ù…Ù† Ø¹Ø§Ù…',
                'Ø¹Ø§Ù… ÙˆØ§Ø­Ø¯',
                ['Ø¹Ø§Ù…Ø§Ù†', 'Ø¹Ø§Ù…ÙŠÙ†'],
                '%d Ø£Ø¹ÙˆØ§Ù…',
                '%d Ø¹Ø§Ù…Ù‹Ø§',
                '%d Ø¹Ø§Ù…',
            ],
        },
        pluralize = function (u) {
            return function (number, withoutSuffix, string, isFuture) {
                var f = pluralForm(number),
                    str = plurals[u][pluralForm(number)];
                if (f === 2) {
                    str = str[withoutSuffix ? 0 : 1];
                }
                return str.replace(/%d/i, number);
            };
        },
        months = [
            'ÙŠÙ†Ø§ÙŠØ±',
            'ÙØ¨Ø±Ø§ÙŠØ±',
            'Ù…Ø§Ø±Ø³',
            'Ø£Ø¨Ø±ÙŠÙ„',
            'Ù…Ø§ÙŠÙˆ',
            'ÙŠÙˆÙ†ÙŠÙˆ',
            'ÙŠÙˆÙ„ÙŠÙˆ',
            'Ø£ØºØ³Ø·Ø³',
            'Ø³Ø¨ØªÙ…Ø¨Ø±',
            'Ø£ÙƒØªÙˆØ¨Ø±',
            'Ù†ÙˆÙÙ…Ø¨Ø±',
            'Ø¯ÙŠØ³Ù…Ø¨Ø±',
        ];

    var ar = moment.defineLocale('ar', {
        months: months,
        monthsShort: months,
        weekdays: 'Ø§Ù„Ø£Ø­Ø¯_Ø§Ù„Ø¥Ø«Ù†ÙŠÙ†_Ø§Ù„Ø«Ù„Ø§Ø«Ø§Ø¡_Ø§Ù„Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø§Ù„Ø®Ù…ÙŠØ³_Ø§Ù„Ø¬Ù…Ø¹Ø©_Ø§Ù„Ø³Ø¨Øª'.split('_'),
        weekdaysShort: 'Ø£Ø­Ø¯_Ø¥Ø«Ù†ÙŠÙ†_Ø«Ù„Ø§Ø«Ø§Ø¡_Ø£Ø±Ø¨Ø¹Ø§Ø¡_Ø®Ù…ÙŠØ³_Ø¬Ù…Ø¹Ø©_Ø³Ø¨Øª'.split('_'),
        weekdaysMin: 'Ø­_Ù†_Ø«_Ø±_Ø®_Ø¬_Ø³'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'D/\u200FM/\u200FYYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        meridiemParse: /Øµ|Ù…/,
        isPM: function (input) {
            return 'Ù…' === input;
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'Øµ';
            } else {
                return 'Ù…';
            }
        },
        calendar: {
            sameDay: '[Ø§Ù„ÙŠÙˆÙ… Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextDay: '[ØºØ¯Ù‹Ø§ Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            nextWeek: 'dddd [Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastDay: '[Ø£Ù…Ø³ Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            lastWeek: 'dddd [Ø¹Ù†Ø¯ Ø§Ù„Ø³Ø§Ø¹Ø©] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ø¨Ø¹Ø¯ %s',
            past: 'Ù…Ù†Ø° %s',
            s: pluralize('s'),
            ss: pluralize('s'),
            m: pluralize('m'),
            mm: pluralize('m'),
            h: pluralize('h'),
            hh: pluralize('h'),
            d: pluralize('d'),
            dd: pluralize('d'),
            M: pluralize('M'),
            MM: pluralize('M'),
            y: pluralize('y'),
            yy: pluralize('y'),
        },
        preparse: function (string) {
            return string
                .replace(/[Ù¡Ù¢Ù£Ù¤Ù¥Ù¦Ù§Ù¨Ù©Ù&nbsp;]/g, function (match) {
                    return numberMap[match];
                })
                .replace(/ØŒ/g, ',');
        },
        postformat: function (string) {
            return string
                .replace(/\d/g, function (match) {
                    return symbolMap[match];
                })
                .replace(/,/g, 'ØŒ');
        },
        week: {
            dow: 6, // Saturday is the first day of the week.
            doy: 12, // The week that contains Jan 12th is the first week of the year.
        },
    });

    return ar;

})));


/***/ }),

/***/ "./node_modules/moment/locale/az.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/az.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Azerbaijani [az]
//! author : topchiyev : https://github.com/topchiyev

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var suffixes = {
        1: '-inci',
        5: '-inci',
        8: '-inci',
        70: '-inci',
        80: '-inci',
        2: '-nci',
        7: '-nci',
        20: '-nci',
        50: '-nci',
        3: '-Ã¼ncÃ¼',
        4: '-Ã¼ncÃ¼',
        100: '-Ã¼ncÃ¼',
        6: '-ncÄ±',
        9: '-uncu',
        10: '-uncu',
        30: '-uncu',
        60: '-Ä±ncÄ±',
        90: '-Ä±ncÄ±',
    };

    var az = moment.defineLocale('az', {
        months: 'yanvar_fevral_mart_aprel_may_iyun_iyul_avqust_sentyabr_oktyabr_noyabr_dekabr'.split(
            '_'
        ),
        monthsShort: 'yan_fev_mar_apr_may_iyn_iyl_avq_sen_okt_noy_dek'.split('_'),
        weekdays:
            'Bazar_Bazar ertÉ™si_Ã‡É™rÅŸÉ™nbÉ™ axÅŸamÄ±_Ã‡É™rÅŸÉ™nbÉ™_CÃ¼mÉ™ axÅŸamÄ±_CÃ¼mÉ™_ÅžÉ™nbÉ™'.split(
                '_'
            ),
        weekdaysShort: 'Baz_BzE_Ã‡Ax_Ã‡É™r_CAx_CÃ¼m_ÅžÉ™n'.split('_'),
        weekdaysMin: 'Bz_BE_Ã‡A_Ã‡É™_CA_CÃ¼_ÅžÉ™'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[bugÃ¼n saat] LT',
            nextDay: '[sabah saat] LT',
            nextWeek: '[gÉ™lÉ™n hÉ™ftÉ™] dddd [saat] LT',
            lastDay: '[dÃ¼nÉ™n] LT',
            lastWeek: '[keÃ§É™n hÉ™ftÉ™] dddd [saat] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s sonra',
            past: '%s É™vvÉ™l',
            s: 'bir neÃ§É™ saniyÉ™',
            ss: '%d saniyÉ™',
            m: 'bir dÉ™qiqÉ™',
            mm: '%d dÉ™qiqÉ™',
            h: 'bir saat',
            hh: '%d saat',
            d: 'bir gÃ¼n',
            dd: '%d gÃ¼n',
            M: 'bir ay',
            MM: '%d ay',
            y: 'bir il',
            yy: '%d il',
        },
        meridiemParse: /gecÉ™|sÉ™hÉ™r|gÃ¼ndÃ¼z|axÅŸam/,
        isPM: function (input) {
            return /^(gÃ¼ndÃ¼z|axÅŸam)$/.test(input);
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'gecÉ™';
            } else if (hour &lt; 12) {
                return 'sÉ™hÉ™r';
            } else if (hour &lt; 17) {
                return 'gÃ¼ndÃ¼z';
            } else {
                return 'axÅŸam';
            }
        },
        dayOfMonthOrdinalParse: /\d{1,2}-(Ä±ncÄ±|inci|nci|Ã¼ncÃ¼|ncÄ±|uncu)/,
        ordinal: function (number) {
            if (number === 0) {
                // special case for zero
                return number + '-Ä±ncÄ±';
            }
            var a = number % 10,
                b = (number % 100) - a,
                c = number &gt;= 100 ? 100 : null;
            return number + (suffixes[a] || suffixes[b] || suffixes[c]);
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return az;

})));


/***/ }),

/***/ "./node_modules/moment/locale/be.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/be.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Belarusian [be]
//! author : Dmitry Demidov : https://github.com/demidov91
//! author: Praleska: http://praleska.pro/
//! Author : Menelion ElensÃºle : https://github.com/Oire

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function plural(word, num) {
        var forms = word.split('_');
        return num % 10 === 1 &amp;&amp; num % 100 !== 11
            ? forms[0]
            : num % 10 &gt;= 2 &amp;&amp; num % 10 &lt;= 4 &amp;&amp; (num % 100 &lt; 10 || num % 100 &gt;= 20)
            ? forms[1]
            : forms[2];
    }
    function relativeTimeWithPlural(number, withoutSuffix, key) {
        var format = {
            ss: withoutSuffix ? 'ÑÐµÐºÑƒÐ½Ð´Ð°_ÑÐµÐºÑƒÐ½Ð´Ñ‹_ÑÐµÐºÑƒÐ½Ð´' : 'ÑÐµÐºÑƒÐ½Ð´Ñƒ_ÑÐµÐºÑƒÐ½Ð´Ñ‹_ÑÐµÐºÑƒÐ½Ð´',
            mm: withoutSuffix ? 'Ñ…Ð²Ñ–Ð»Ñ–Ð½Ð°_Ñ…Ð²Ñ–Ð»Ñ–Ð½Ñ‹_Ñ…Ð²Ñ–Ð»Ñ–Ð½' : 'Ñ…Ð²Ñ–Ð»Ñ–Ð½Ñƒ_Ñ…Ð²Ñ–Ð»Ñ–Ð½Ñ‹_Ñ…Ð²Ñ–Ð»Ñ–Ð½',
            hh: withoutSuffix ? 'Ð³Ð°Ð´Ð·Ñ–Ð½Ð°_Ð³Ð°Ð´Ð·Ñ–Ð½Ñ‹_Ð³Ð°Ð´Ð·Ñ–Ð½' : 'Ð³Ð°Ð´Ð·Ñ–Ð½Ñƒ_Ð³Ð°Ð´Ð·Ñ–Ð½Ñ‹_Ð³Ð°Ð´Ð·Ñ–Ð½',
            dd: 'Ð´Ð·ÐµÐ½ÑŒ_Ð´Ð½Ñ–_Ð´Ð·Ñ‘Ð½',
            MM: 'Ð¼ÐµÑÑÑ†_Ð¼ÐµÑÑÑ†Ñ‹_Ð¼ÐµÑÑÑ†Ð°Ñž',
            yy: 'Ð³Ð¾Ð´_Ð³Ð°Ð´Ñ‹_Ð³Ð°Ð´Ð¾Ñž',
        };
        if (key === 'm') {
            return withoutSuffix ? 'Ñ…Ð²Ñ–Ð»Ñ–Ð½Ð°' : 'Ñ…Ð²Ñ–Ð»Ñ–Ð½Ñƒ';
        } else if (key === 'h') {
            return withoutSuffix ? 'Ð³Ð°Ð´Ð·Ñ–Ð½Ð°' : 'Ð³Ð°Ð´Ð·Ñ–Ð½Ñƒ';
        } else {
            return number + ' ' + plural(format[key], +number);
        }
    }

    var be = moment.defineLocale('be', {
        months: {
            format: 'ÑÑ‚ÑƒÐ´Ð·ÐµÐ½Ñ_Ð»ÑŽÑ‚Ð°Ð³Ð°_ÑÐ°ÐºÐ°Ð²Ñ–ÐºÐ°_ÐºÑ€Ð°ÑÐ°Ð²Ñ–ÐºÐ°_Ñ‚Ñ€Ð°ÑžÐ½Ñ_Ñ‡ÑÑ€Ð²ÐµÐ½Ñ_Ð»Ñ–Ð¿ÐµÐ½Ñ_Ð¶Ð½Ñ–ÑžÐ½Ñ_Ð²ÐµÑ€Ð°ÑÐ½Ñ_ÐºÐ°ÑÑ‚Ñ€Ñ‹Ñ‡Ð½Ñ–ÐºÐ°_Ð»Ñ–ÑÑ‚Ð°Ð¿Ð°Ð´Ð°_ÑÐ½ÐµÐ¶Ð½Ñ'.split(
                '_'
            ),
            standalone:
                'ÑÑ‚ÑƒÐ´Ð·ÐµÐ½ÑŒ_Ð»ÑŽÑ‚Ñ‹_ÑÐ°ÐºÐ°Ð²Ñ–Ðº_ÐºÑ€Ð°ÑÐ°Ð²Ñ–Ðº_Ñ‚Ñ€Ð°Ð²ÐµÐ½ÑŒ_Ñ‡ÑÑ€Ð²ÐµÐ½ÑŒ_Ð»Ñ–Ð¿ÐµÐ½ÑŒ_Ð¶Ð½Ñ–Ð²ÐµÐ½ÑŒ_Ð²ÐµÑ€Ð°ÑÐµÐ½ÑŒ_ÐºÐ°ÑÑ‚Ñ€Ñ‹Ñ‡Ð½Ñ–Ðº_Ð»Ñ–ÑÑ‚Ð°Ð¿Ð°Ð´_ÑÐ½ÐµÐ¶Ð°Ð½ÑŒ'.split(
                    '_'
                ),
        },
        monthsShort:
            'ÑÑ‚ÑƒÐ´_Ð»ÑŽÑ‚_ÑÐ°Ðº_ÐºÑ€Ð°Ñ_Ñ‚Ñ€Ð°Ð²_Ñ‡ÑÑ€Ð²_Ð»Ñ–Ð¿_Ð¶Ð½Ñ–Ð²_Ð²ÐµÑ€_ÐºÐ°ÑÑ‚_Ð»Ñ–ÑÑ‚_ÑÐ½ÐµÐ¶'.split('_'),
        weekdays: {
            format: 'Ð½ÑÐ´Ð·ÐµÐ»ÑŽ_Ð¿Ð°Ð½ÑÐ´Ð·ÐµÐ»Ð°Ðº_Ð°ÑžÑ‚Ð¾Ñ€Ð°Ðº_ÑÐµÑ€Ð°Ð´Ñƒ_Ñ‡Ð°Ñ†Ð²ÐµÑ€_Ð¿ÑÑ‚Ð½Ñ–Ñ†Ñƒ_ÑÑƒÐ±Ð¾Ñ‚Ñƒ'.split(
                '_'
            ),
            standalone:
                'Ð½ÑÐ´Ð·ÐµÐ»Ñ_Ð¿Ð°Ð½ÑÐ´Ð·ÐµÐ»Ð°Ðº_Ð°ÑžÑ‚Ð¾Ñ€Ð°Ðº_ÑÐµÑ€Ð°Ð´Ð°_Ñ‡Ð°Ñ†Ð²ÐµÑ€_Ð¿ÑÑ‚Ð½Ñ–Ñ†Ð°_ÑÑƒÐ±Ð¾Ñ‚Ð°'.split(
                    '_'
                ),
            isFormat: /\[ ?[Ð£ÑƒÑž] ?(?:Ð¼Ñ–Ð½ÑƒÐ»ÑƒÑŽ|Ð½Ð°ÑÑ‚ÑƒÐ¿Ð½ÑƒÑŽ)? ?\] ?dddd/,
        },
        weekdaysShort: 'Ð½Ð´_Ð¿Ð½_Ð°Ñ‚_ÑÑ€_Ñ‡Ñ†_Ð¿Ñ‚_ÑÐ±'.split('_'),
        weekdaysMin: 'Ð½Ð´_Ð¿Ð½_Ð°Ñ‚_ÑÑ€_Ñ‡Ñ†_Ð¿Ñ‚_ÑÐ±'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY Ð³.',
            LLL: 'D MMMM YYYY Ð³., HH:mm',
            LLLL: 'dddd, D MMMM YYYY Ð³., HH:mm',
        },
        calendar: {
            sameDay: '[Ð¡Ñ‘Ð½Ð½Ñ Ñž] LT',
            nextDay: '[Ð—Ð°ÑžÑ‚Ñ€Ð° Ñž] LT',
            lastDay: '[Ð£Ñ‡Ð¾Ñ€Ð° Ñž] LT',
            nextWeek: function () {
                return '[Ð£] dddd [Ñž] LT';
            },
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                    case 3:
                    case 5:
                    case 6:
                        return '[Ð£ Ð¼Ñ–Ð½ÑƒÐ»ÑƒÑŽ] dddd [Ñž] LT';
                    case 1:
                    case 2:
                    case 4:
                        return '[Ð£ Ð¼Ñ–Ð½ÑƒÐ»Ñ‹] dddd [Ñž] LT';
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ð¿Ñ€Ð°Ð· %s',
            past: '%s Ñ‚Ð°Ð¼Ñƒ',
            s: 'Ð½ÐµÐºÐ°Ð»ÑŒÐºÑ– ÑÐµÐºÑƒÐ½Ð´',
            m: relativeTimeWithPlural,
            mm: relativeTimeWithPlural,
            h: relativeTimeWithPlural,
            hh: relativeTimeWithPlural,
            d: 'Ð´Ð·ÐµÐ½ÑŒ',
            dd: relativeTimeWithPlural,
            M: 'Ð¼ÐµÑÑÑ†',
            MM: relativeTimeWithPlural,
            y: 'Ð³Ð¾Ð´',
            yy: relativeTimeWithPlural,
        },
        meridiemParse: /Ð½Ð¾Ñ‡Ñ‹|Ñ€Ð°Ð½Ñ–Ñ†Ñ‹|Ð´Ð½Ñ|Ð²ÐµÑ‡Ð°Ñ€Ð°/,
        isPM: function (input) {
            return /^(Ð´Ð½Ñ|Ð²ÐµÑ‡Ð°Ñ€Ð°)$/.test(input);
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'Ð½Ð¾Ñ‡Ñ‹';
            } else if (hour &lt; 12) {
                return 'Ñ€Ð°Ð½Ñ–Ñ†Ñ‹';
            } else if (hour &lt; 17) {
                return 'Ð´Ð½Ñ';
            } else {
                return 'Ð²ÐµÑ‡Ð°Ñ€Ð°';
            }
        },
        dayOfMonthOrdinalParse: /\d{1,2}-(Ñ–|Ñ‹|Ð³Ð°)/,
        ordinal: function (number, period) {
            switch (period) {
                case 'M':
                case 'd':
                case 'DDD':
                case 'w':
                case 'W':
                    return (number % 10 === 2 || number % 10 === 3) &amp;&amp;
                        number % 100 !== 12 &amp;&amp;
                        number % 100 !== 13
                        ? number + '-Ñ–'
                        : number + '-Ñ‹';
                case 'D':
                    return number + '-Ð³Ð°';
                default:
                    return number;
            }
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return be;

})));


/***/ }),

/***/ "./node_modules/moment/locale/bg.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/bg.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Bulgarian [bg]
//! author : Krasen Borisov : https://github.com/kraz

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var bg = moment.defineLocale('bg', {
        months: 'ÑÐ½ÑƒÐ°Ñ€Ð¸_Ñ„ÐµÐ²Ñ€ÑƒÐ°Ñ€Ð¸_Ð¼Ð°Ñ€Ñ‚_Ð°Ð¿Ñ€Ð¸Ð»_Ð¼Ð°Ð¹_ÑŽÐ½Ð¸_ÑŽÐ»Ð¸_Ð°Ð²Ð³ÑƒÑÑ‚_ÑÐµÐ¿Ñ‚ÐµÐ¼Ð²Ñ€Ð¸_Ð¾ÐºÑ‚Ð¾Ð¼Ð²Ñ€Ð¸_Ð½Ð¾ÐµÐ¼Ð²Ñ€Ð¸_Ð´ÐµÐºÐµÐ¼Ð²Ñ€Ð¸'.split(
            '_'
        ),
        monthsShort: 'ÑÐ½Ñƒ_Ñ„ÐµÐ²_Ð¼Ð°Ñ€_Ð°Ð¿Ñ€_Ð¼Ð°Ð¹_ÑŽÐ½Ð¸_ÑŽÐ»Ð¸_Ð°Ð²Ð³_ÑÐµÐ¿_Ð¾ÐºÑ‚_Ð½Ð¾Ðµ_Ð´ÐµÐº'.split('_'),
        weekdays: 'Ð½ÐµÐ´ÐµÐ»Ñ_Ð¿Ð¾Ð½ÐµÐ´ÐµÐ»Ð½Ð¸Ðº_Ð²Ñ‚Ð¾Ñ€Ð½Ð¸Ðº_ÑÑ€ÑÐ´Ð°_Ñ‡ÐµÑ‚Ð²ÑŠÑ€Ñ‚ÑŠÐº_Ð¿ÐµÑ‚ÑŠÐº_ÑÑŠÐ±Ð¾Ñ‚Ð°'.split(
            '_'
        ),
        weekdaysShort: 'Ð½ÐµÐ´_Ð¿Ð¾Ð½_Ð²Ñ‚Ð¾_ÑÑ€Ñ_Ñ‡ÐµÑ‚_Ð¿ÐµÑ‚_ÑÑŠÐ±'.split('_'),
        weekdaysMin: 'Ð½Ð´_Ð¿Ð½_Ð²Ñ‚_ÑÑ€_Ñ‡Ñ‚_Ð¿Ñ‚_ÑÐ±'.split('_'),
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'D.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY H:mm',
            LLLL: 'dddd, D MMMM YYYY H:mm',
        },
        calendar: {
            sameDay: '[Ð”Ð½ÐµÑ Ð²] LT',
            nextDay: '[Ð£Ñ‚Ñ€Ðµ Ð²] LT',
            nextWeek: 'dddd [Ð²] LT',
            lastDay: '[Ð’Ñ‡ÐµÑ€Ð° Ð²] LT',
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                    case 3:
                    case 6:
                        return '[ÐœÐ¸Ð½Ð°Ð»Ð°Ñ‚Ð°] dddd [Ð²] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[ÐœÐ¸Ð½Ð°Ð»Ð¸Ñ] dddd [Ð²] LT';
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'ÑÐ»ÐµÐ´ %s',
            past: 'Ð¿Ñ€ÐµÐ´Ð¸ %s',
            s: 'Ð½ÑÐºÐ¾Ð»ÐºÐ¾ ÑÐµÐºÑƒÐ½Ð´Ð¸',
            ss: '%d ÑÐµÐºÑƒÐ½Ð´Ð¸',
            m: 'Ð¼Ð¸Ð½ÑƒÑ‚Ð°',
            mm: '%d Ð¼Ð¸Ð½ÑƒÑ‚Ð¸',
            h: 'Ñ‡Ð°Ñ',
            hh: '%d Ñ‡Ð°ÑÐ°',
            d: 'Ð´ÐµÐ½',
            dd: '%d Ð´ÐµÐ½Ð°',
            w: 'ÑÐµÐ´Ð¼Ð¸Ñ†Ð°',
            ww: '%d ÑÐµÐ´Ð¼Ð¸Ñ†Ð¸',
            M: 'Ð¼ÐµÑÐµÑ†',
            MM: '%d Ð¼ÐµÑÐµÑ†Ð°',
            y: 'Ð³Ð¾Ð´Ð¸Ð½Ð°',
            yy: '%d Ð³Ð¾Ð´Ð¸Ð½Ð¸',
        },
        dayOfMonthOrdinalParse: /\d{1,2}-(ÐµÐ²|ÐµÐ½|Ñ‚Ð¸|Ð²Ð¸|Ñ€Ð¸|Ð¼Ð¸)/,
        ordinal: function (number) {
            var lastDigit = number % 10,
                last2Digits = number % 100;
            if (number === 0) {
                return number + '-ÐµÐ²';
            } else if (last2Digits === 0) {
                return number + '-ÐµÐ½';
            } else if (last2Digits &gt; 10 &amp;&amp; last2Digits &lt; 20) {
                return number + '-Ñ‚Ð¸';
            } else if (lastDigit === 1) {
                return number + '-Ð²Ð¸';
            } else if (lastDigit === 2) {
                return number + '-Ñ€Ð¸';
            } else if (lastDigit === 7 || lastDigit === 8) {
                return number + '-Ð¼Ð¸';
            } else {
                return number + '-Ñ‚Ð¸';
            }
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return bg;

})));


/***/ }),

/***/ "./node_modules/moment/locale/bm.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/bm.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Bambara [bm]
//! author : Estelle Comment : https://github.com/estellecomment

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var bm = moment.defineLocale('bm', {
        months: 'Zanwuyekalo_Fewuruyekalo_Marisikalo_Awirilikalo_MÉ›kalo_ZuwÉ›nkalo_Zuluyekalo_Utikalo_SÉ›tanburukalo_É”kutÉ”burukalo_Nowanburukalo_Desanburukalo'.split(
            '_'
        ),
        monthsShort: 'Zan_Few_Mar_Awi_MÉ›_Zuw_Zul_Uti_SÉ›t_É”ku_Now_Des'.split('_'),
        weekdays: 'Kari_NtÉ›nÉ›n_Tarata_Araba_Alamisa_Juma_Sibiri'.split('_'),
        weekdaysShort: 'Kar_NtÉ›_Tar_Ara_Ala_Jum_Sib'.split('_'),
        weekdaysMin: 'Ka_Nt_Ta_Ar_Al_Ju_Si'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'MMMM [tile] D [san] YYYY',
            LLL: 'MMMM [tile] D [san] YYYY [lÉ›rÉ›] HH:mm',
            LLLL: 'dddd MMMM [tile] D [san] YYYY [lÉ›rÉ›] HH:mm',
        },
        calendar: {
            sameDay: '[Bi lÉ›rÉ›] LT',
            nextDay: '[Sini lÉ›rÉ›] LT',
            nextWeek: 'dddd [don lÉ›rÉ›] LT',
            lastDay: '[Kunu lÉ›rÉ›] LT',
            lastWeek: 'dddd [tÉ›mÉ›nen lÉ›rÉ›] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s kÉ”nÉ”',
            past: 'a bÉ› %s bÉ”',
            s: 'sanga dama dama',
            ss: 'sekondi %d',
            m: 'miniti kelen',
            mm: 'miniti %d',
            h: 'lÉ›rÉ› kelen',
            hh: 'lÉ›rÉ› %d',
            d: 'tile kelen',
            dd: 'tile %d',
            M: 'kalo kelen',
            MM: 'kalo %d',
            y: 'san kelen',
            yy: 'san %d',
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return bm;

})));


/***/ }),

/***/ "./node_modules/moment/locale/bn-bd.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/bn-bd.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Bengali (Bangladesh) [bn-bd]
//! author : Asraf Hossain Patoary : https://github.com/ashwoolford

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'à§§',
            2: 'à§¨',
            3: 'à§©',
            4: 'à§ª',
            5: 'à§«',
            6: 'à§¬',
            7: 'à§­',
            8: 'à§®',
            9: 'à§¯',
            0: 'à§¦',
        },
        numberMap = {
            'à§§': '1',
            'à§¨': '2',
            'à§©': '3',
            'à§ª': '4',
            'à§«': '5',
            'à§¬': '6',
            'à§­': '7',
            'à§®': '8',
            'à§¯': '9',
            'à§¦': '0',
        };

    var bnBd = moment.defineLocale('bn-bd', {
        months: 'à¦œà¦¾à¦¨à§à§Ÿà¦¾à¦°à¦¿_à¦«à§‡à¦¬à§à¦°à§à§Ÿà¦¾à¦°à¦¿_à¦®à¦¾à¦°à§à¦š_à¦à¦ªà§à¦°à¦¿à¦²_à¦®à§‡_à¦œà§à¦¨_à¦œà§à¦²à¦¾à¦‡_à¦†à¦—à¦¸à§à¦Ÿ_à¦¸à§‡à¦ªà§à¦Ÿà§‡à¦®à§à¦¬à¦°_à¦…à¦•à§à¦Ÿà§‹à¦¬à¦°_à¦¨à¦­à§‡à¦®à§à¦¬à¦°_à¦¡à¦¿à¦¸à§‡à¦®à§à¦¬à¦°'.split(
            '_'
        ),
        monthsShort:
            'à¦œà¦¾à¦¨à§_à¦«à§‡à¦¬à§à¦°à§_à¦®à¦¾à¦°à§à¦š_à¦à¦ªà§à¦°à¦¿à¦²_à¦®à§‡_à¦œà§à¦¨_à¦œà§à¦²à¦¾à¦‡_à¦†à¦—à¦¸à§à¦Ÿ_à¦¸à§‡à¦ªà§à¦Ÿ_à¦…à¦•à§à¦Ÿà§‹_à¦¨à¦­à§‡_à¦¡à¦¿à¦¸à§‡'.split(
                '_'
            ),
        weekdays: 'à¦°à¦¬à¦¿à¦¬à¦¾à¦°_à¦¸à§‹à¦®à¦¬à¦¾à¦°_à¦®à¦™à§à¦—à¦²à¦¬à¦¾à¦°_à¦¬à§à¦§à¦¬à¦¾à¦°_à¦¬à§ƒà¦¹à¦¸à§à¦ªà¦¤à¦¿à¦¬à¦¾à¦°_à¦¶à§à¦•à§à¦°à¦¬à¦¾à¦°_à¦¶à¦¨à¦¿à¦¬à¦¾à¦°'.split(
            '_'
        ),
        weekdaysShort: 'à¦°à¦¬à¦¿_à¦¸à§‹à¦®_à¦®à¦™à§à¦—à¦²_à¦¬à§à¦§_à¦¬à§ƒà¦¹à¦¸à§à¦ªà¦¤à¦¿_à¦¶à§à¦•à§à¦°_à¦¶à¦¨à¦¿'.split('_'),
        weekdaysMin: 'à¦°à¦¬à¦¿_à¦¸à§‹à¦®_à¦®à¦™à§à¦—à¦²_à¦¬à§à¦§_à¦¬à§ƒà¦¹_à¦¶à§à¦•à§à¦°_à¦¶à¦¨à¦¿'.split('_'),
        longDateFormat: {
            LT: 'A h:mm à¦¸à¦®à§Ÿ',
            LTS: 'A h:mm:ss à¦¸à¦®à§Ÿ',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, A h:mm à¦¸à¦®à§Ÿ',
            LLLL: 'dddd, D MMMM YYYY, A h:mm à¦¸à¦®à§Ÿ',
        },
        calendar: {
            sameDay: '[à¦†à¦œ] LT',
            nextDay: '[à¦†à¦—à¦¾à¦®à§€à¦•à¦¾à¦²] LT',
            nextWeek: 'dddd, LT',
            lastDay: '[à¦—à¦¤à¦•à¦¾à¦²] LT',
            lastWeek: '[à¦—à¦¤] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s à¦ªà¦°à§‡',
            past: '%s à¦†à¦—à§‡',
            s: 'à¦•à§Ÿà§‡à¦• à¦¸à§‡à¦•à§‡à¦¨à§à¦¡',
            ss: '%d à¦¸à§‡à¦•à§‡à¦¨à§à¦¡',
            m: 'à¦à¦• à¦®à¦¿à¦¨à¦¿à¦Ÿ',
            mm: '%d à¦®à¦¿à¦¨à¦¿à¦Ÿ',
            h: 'à¦à¦• à¦˜à¦¨à§à¦Ÿà¦¾',
            hh: '%d à¦˜à¦¨à§à¦Ÿà¦¾',
            d: 'à¦à¦• à¦¦à¦¿à¦¨',
            dd: '%d à¦¦à¦¿à¦¨',
            M: 'à¦à¦• à¦®à¦¾à¦¸',
            MM: '%d à¦®à¦¾à¦¸',
            y: 'à¦à¦• à¦¬à¦›à¦°',
            yy: '%d à¦¬à¦›à¦°',
        },
        preparse: function (string) {
            return string.replace(/[à§§à§¨à§©à§ªà§«à§¬à§­à§®à§¯à§¦]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },

        meridiemParse: /à¦°à¦¾à¦¤|à¦­à§‹à¦°|à¦¸à¦•à¦¾à¦²|à¦¦à§à¦ªà§à¦°|à¦¬à¦¿à¦•à¦¾à¦²|à¦¸à¦¨à§à¦§à§à¦¯à¦¾|à¦°à¦¾à¦¤/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'à¦°à¦¾à¦¤') {
                return hour &lt; 4 ? hour : hour + 12;
            } else if (meridiem === 'à¦­à§‹à¦°') {
                return hour;
            } else if (meridiem === 'à¦¸à¦•à¦¾à¦²') {
                return hour;
            } else if (meridiem === 'à¦¦à§à¦ªà§à¦°') {
                return hour &gt;= 3 ? hour : hour + 12;
            } else if (meridiem === 'à¦¬à¦¿à¦•à¦¾à¦²') {
                return hour + 12;
            } else if (meridiem === 'à¦¸à¦¨à§à¦§à§à¦¯à¦¾') {
                return hour + 12;
            }
        },

        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'à¦°à¦¾à¦¤';
            } else if (hour &lt; 6) {
                return 'à¦­à§‹à¦°';
            } else if (hour &lt; 12) {
                return 'à¦¸à¦•à¦¾à¦²';
            } else if (hour &lt; 15) {
                return 'à¦¦à§à¦ªà§à¦°';
            } else if (hour &lt; 18) {
                return 'à¦¬à¦¿à¦•à¦¾à¦²';
            } else if (hour &lt; 20) {
                return 'à¦¸à¦¨à§à¦§à§à¦¯à¦¾';
            } else {
                return 'à¦°à¦¾à¦¤';
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return bnBd;

})));


/***/ }),

/***/ "./node_modules/moment/locale/bn.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/bn.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Bengali [bn]
//! author : Kaushik Gandhi : https://github.com/kaushikgandhi

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'à§§',
            2: 'à§¨',
            3: 'à§©',
            4: 'à§ª',
            5: 'à§«',
            6: 'à§¬',
            7: 'à§­',
            8: 'à§®',
            9: 'à§¯',
            0: 'à§¦',
        },
        numberMap = {
            'à§§': '1',
            'à§¨': '2',
            'à§©': '3',
            'à§ª': '4',
            'à§«': '5',
            'à§¬': '6',
            'à§­': '7',
            'à§®': '8',
            'à§¯': '9',
            'à§¦': '0',
        };

    var bn = moment.defineLocale('bn', {
        months: 'à¦œà¦¾à¦¨à§à§Ÿà¦¾à¦°à¦¿_à¦«à§‡à¦¬à§à¦°à§à§Ÿà¦¾à¦°à¦¿_à¦®à¦¾à¦°à§à¦š_à¦à¦ªà§à¦°à¦¿à¦²_à¦®à§‡_à¦œà§à¦¨_à¦œà§à¦²à¦¾à¦‡_à¦†à¦—à¦¸à§à¦Ÿ_à¦¸à§‡à¦ªà§à¦Ÿà§‡à¦®à§à¦¬à¦°_à¦…à¦•à§à¦Ÿà§‹à¦¬à¦°_à¦¨à¦­à§‡à¦®à§à¦¬à¦°_à¦¡à¦¿à¦¸à§‡à¦®à§à¦¬à¦°'.split(
            '_'
        ),
        monthsShort:
            'à¦œà¦¾à¦¨à§_à¦«à§‡à¦¬à§à¦°à§_à¦®à¦¾à¦°à§à¦š_à¦à¦ªà§à¦°à¦¿à¦²_à¦®à§‡_à¦œà§à¦¨_à¦œà§à¦²à¦¾à¦‡_à¦†à¦—à¦¸à§à¦Ÿ_à¦¸à§‡à¦ªà§à¦Ÿ_à¦…à¦•à§à¦Ÿà§‹_à¦¨à¦­à§‡_à¦¡à¦¿à¦¸à§‡'.split(
                '_'
            ),
        weekdays: 'à¦°à¦¬à¦¿à¦¬à¦¾à¦°_à¦¸à§‹à¦®à¦¬à¦¾à¦°_à¦®à¦™à§à¦—à¦²à¦¬à¦¾à¦°_à¦¬à§à¦§à¦¬à¦¾à¦°_à¦¬à§ƒà¦¹à¦¸à§à¦ªà¦¤à¦¿à¦¬à¦¾à¦°_à¦¶à§à¦•à§à¦°à¦¬à¦¾à¦°_à¦¶à¦¨à¦¿à¦¬à¦¾à¦°'.split(
            '_'
        ),
        weekdaysShort: 'à¦°à¦¬à¦¿_à¦¸à§‹à¦®_à¦®à¦™à§à¦—à¦²_à¦¬à§à¦§_à¦¬à§ƒà¦¹à¦¸à§à¦ªà¦¤à¦¿_à¦¶à§à¦•à§à¦°_à¦¶à¦¨à¦¿'.split('_'),
        weekdaysMin: 'à¦°à¦¬à¦¿_à¦¸à§‹à¦®_à¦®à¦™à§à¦—à¦²_à¦¬à§à¦§_à¦¬à§ƒà¦¹_à¦¶à§à¦•à§à¦°_à¦¶à¦¨à¦¿'.split('_'),
        longDateFormat: {
            LT: 'A h:mm à¦¸à¦®à§Ÿ',
            LTS: 'A h:mm:ss à¦¸à¦®à§Ÿ',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, A h:mm à¦¸à¦®à§Ÿ',
            LLLL: 'dddd, D MMMM YYYY, A h:mm à¦¸à¦®à§Ÿ',
        },
        calendar: {
            sameDay: '[à¦†à¦œ] LT',
            nextDay: '[à¦†à¦—à¦¾à¦®à§€à¦•à¦¾à¦²] LT',
            nextWeek: 'dddd, LT',
            lastDay: '[à¦—à¦¤à¦•à¦¾à¦²] LT',
            lastWeek: '[à¦—à¦¤] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s à¦ªà¦°à§‡',
            past: '%s à¦†à¦—à§‡',
            s: 'à¦•à§Ÿà§‡à¦• à¦¸à§‡à¦•à§‡à¦¨à§à¦¡',
            ss: '%d à¦¸à§‡à¦•à§‡à¦¨à§à¦¡',
            m: 'à¦à¦• à¦®à¦¿à¦¨à¦¿à¦Ÿ',
            mm: '%d à¦®à¦¿à¦¨à¦¿à¦Ÿ',
            h: 'à¦à¦• à¦˜à¦¨à§à¦Ÿà¦¾',
            hh: '%d à¦˜à¦¨à§à¦Ÿà¦¾',
            d: 'à¦à¦• à¦¦à¦¿à¦¨',
            dd: '%d à¦¦à¦¿à¦¨',
            M: 'à¦à¦• à¦®à¦¾à¦¸',
            MM: '%d à¦®à¦¾à¦¸',
            y: 'à¦à¦• à¦¬à¦›à¦°',
            yy: '%d à¦¬à¦›à¦°',
        },
        preparse: function (string) {
            return string.replace(/[à§§à§¨à§©à§ªà§«à§¬à§­à§®à§¯à§¦]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        meridiemParse: /à¦°à¦¾à¦¤|à¦¸à¦•à¦¾à¦²|à¦¦à§à¦ªà§à¦°|à¦¬à¦¿à¦•à¦¾à¦²|à¦°à¦¾à¦¤/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (
                (meridiem === 'à¦°à¦¾à¦¤' &amp;&amp; hour &gt;= 4) ||
                (meridiem === 'à¦¦à§à¦ªà§à¦°' &amp;&amp; hour &lt; 5) ||
                meridiem === 'à¦¬à¦¿à¦•à¦¾à¦²'
            ) {
                return hour + 12;
            } else {
                return hour;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'à¦°à¦¾à¦¤';
            } else if (hour &lt; 10) {
                return 'à¦¸à¦•à¦¾à¦²';
            } else if (hour &lt; 17) {
                return 'à¦¦à§à¦ªà§à¦°';
            } else if (hour &lt; 20) {
                return 'à¦¬à¦¿à¦•à¦¾à¦²';
            } else {
                return 'à¦°à¦¾à¦¤';
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return bn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/bo.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/bo.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Tibetan [bo]
//! author : Thupten N. Chakrishar : https://github.com/vajradog

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'à¼¡',
            2: 'à¼¢',
            3: 'à¼£',
            4: 'à¼¤',
            5: 'à¼¥',
            6: 'à¼¦',
            7: 'à¼§',
            8: 'à¼¨',
            9: 'à¼©',
            0: 'à¼&nbsp;',
        },
        numberMap = {
            'à¼¡': '1',
            'à¼¢': '2',
            'à¼£': '3',
            'à¼¤': '4',
            'à¼¥': '5',
            'à¼¦': '6',
            'à¼§': '7',
            'à¼¨': '8',
            'à¼©': '9',
            'à¼&nbsp;': '0',
        };

    var bo = moment.defineLocale('bo', {
        months: 'à½Ÿà¾³à¼‹à½–à¼‹à½‘à½„à¼‹à½”à½¼_à½Ÿà¾³à¼‹à½–à¼‹à½‚à½‰à½²à½¦à¼‹à½”_à½Ÿà¾³à¼‹à½–à¼‹à½‚à½¦à½´à½˜à¼‹à½”_à½Ÿà¾³à¼‹à½–à¼‹à½–à½žà½²à¼‹à½”_à½Ÿà¾³à¼‹à½–à¼‹à½£à¾”à¼‹à½”_à½Ÿà¾³à¼‹à½–à¼‹à½‘à¾²à½´à½‚à¼‹à½”_à½Ÿà¾³à¼‹à½–à¼‹à½–à½‘à½´à½“à¼‹à½”_à½Ÿà¾³à¼‹à½–à¼‹à½–à½¢à¾’à¾±à½‘à¼‹à½”_à½Ÿà¾³à¼‹à½–à¼‹à½‘à½‚à½´à¼‹à½”_à½Ÿà¾³à¼‹à½–à¼‹à½–à½…à½´à¼‹à½”_à½Ÿà¾³à¼‹à½–à¼‹à½–à½…à½´à¼‹à½‚à½…à½²à½‚à¼‹à½”_à½Ÿà¾³à¼‹à½–à¼‹à½–à½…à½´à¼‹à½‚à½‰à½²à½¦à¼‹à½”'.split(
            '_'
        ),
        monthsShort:
            'à½Ÿà¾³à¼‹1_à½Ÿà¾³à¼‹2_à½Ÿà¾³à¼‹3_à½Ÿà¾³à¼‹4_à½Ÿà¾³à¼‹5_à½Ÿà¾³à¼‹6_à½Ÿà¾³à¼‹7_à½Ÿà¾³à¼‹8_à½Ÿà¾³à¼‹9_à½Ÿà¾³à¼‹10_à½Ÿà¾³à¼‹11_à½Ÿà¾³à¼‹12'.split(
                '_'
            ),
        monthsShortRegex: /^(à½Ÿà¾³à¼‹\d{1,2})/,
        monthsParseExact: true,
        weekdays:
            'à½‚à½Ÿà½&nbsp;à¼‹à½‰à½²à¼‹à½˜à¼‹_à½‚à½Ÿà½&nbsp;à¼‹à½Ÿà¾³à¼‹à½–à¼‹_à½‚à½Ÿà½&nbsp;à¼‹à½˜à½²à½‚à¼‹à½‘à½˜à½¢à¼‹_à½‚à½Ÿà½&nbsp;à¼‹à½£à¾·à½‚à¼‹à½”à¼‹_à½‚à½Ÿà½&nbsp;à¼‹à½•à½´à½¢à¼‹à½–à½´_à½‚à½Ÿà½&nbsp;à¼‹à½”à¼‹à½¦à½„à½¦à¼‹_à½‚à½Ÿà½&nbsp;à¼‹à½¦à¾¤à½ºà½“à¼‹à½”à¼‹'.split(
                '_'
            ),
        weekdaysShort: 'à½‰à½²à¼‹à½˜à¼‹_à½Ÿà¾³à¼‹à½–à¼‹_à½˜à½²à½‚à¼‹à½‘à½˜à½¢à¼‹_à½£à¾·à½‚à¼‹à½”à¼‹_à½•à½´à½¢à¼‹à½–à½´_à½”à¼‹à½¦à½„à½¦à¼‹_à½¦à¾¤à½ºà½“à¼‹à½”à¼‹'.split(
            '_'
        ),
        weekdaysMin: 'à½‰à½²_à½Ÿà¾³_à½˜à½²à½‚_à½£à¾·à½‚_à½•à½´à½¢_à½¦à½„à½¦_à½¦à¾¤à½ºà½“'.split('_'),
        longDateFormat: {
            LT: 'A h:mm',
            LTS: 'A h:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, A h:mm',
            LLLL: 'dddd, D MMMM YYYY, A h:mm',
        },
        calendar: {
            sameDay: '[à½‘à½²à¼‹à½¢à½²à½„] LT',
            nextDay: '[à½¦à½„à¼‹à½‰à½²à½“] LT',
            nextWeek: '[à½–à½‘à½´à½“à¼‹à½•à¾²à½‚à¼‹à½¢à¾—à½ºà½¦à¼‹à½˜], LT',
            lastDay: '[à½à¼‹à½¦à½„] LT',
            lastWeek: '[à½–à½‘à½´à½“à¼‹à½•à¾²à½‚à¼‹à½˜à½à½&nbsp;à¼‹à½˜] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s à½£à¼‹',
            past: '%s à½¦à¾”à½“à¼‹à½£',
            s: 'à½£à½˜à¼‹à½¦à½„',
            ss: '%d à½¦à¾à½¢à¼‹à½†à¼',
            m: 'à½¦à¾à½¢à¼‹à½˜à¼‹à½‚à½…à½²à½‚',
            mm: '%d à½¦à¾à½¢à¼‹à½˜',
            h: 'à½†à½´à¼‹à½šà½¼à½‘à¼‹à½‚à½…à½²à½‚',
            hh: '%d à½†à½´à¼‹à½šà½¼à½‘',
            d: 'à½‰à½²à½“à¼‹à½‚à½…à½²à½‚',
            dd: '%d à½‰à½²à½“à¼‹',
            M: 'à½Ÿà¾³à¼‹à½–à¼‹à½‚à½…à½²à½‚',
            MM: '%d à½Ÿà¾³à¼‹à½–',
            y: 'à½£à½¼à¼‹à½‚à½…à½²à½‚',
            yy: '%d à½£à½¼',
        },
        preparse: function (string) {
            return string.replace(/[à¼¡à¼¢à¼£à¼¤à¼¥à¼¦à¼§à¼¨à¼©à¼&nbsp;]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        meridiemParse: /à½˜à½šà½“à¼‹à½˜à½¼|à½žà½¼à½‚à½¦à¼‹à½€à½¦|à½‰à½²à½“à¼‹à½‚à½´à½„|à½‘à½‚à½¼à½„à¼‹à½‘à½‚|à½˜à½šà½“à¼‹à½˜à½¼/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (
                (meridiem === 'à½˜à½šà½“à¼‹à½˜à½¼' &amp;&amp; hour &gt;= 4) ||
                (meridiem === 'à½‰à½²à½“à¼‹à½‚à½´à½„' &amp;&amp; hour &lt; 5) ||
                meridiem === 'à½‘à½‚à½¼à½„à¼‹à½‘à½‚'
            ) {
                return hour + 12;
            } else {
                return hour;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'à½˜à½šà½“à¼‹à½˜à½¼';
            } else if (hour &lt; 10) {
                return 'à½žà½¼à½‚à½¦à¼‹à½€à½¦';
            } else if (hour &lt; 17) {
                return 'à½‰à½²à½“à¼‹à½‚à½´à½„';
            } else if (hour &lt; 20) {
                return 'à½‘à½‚à½¼à½„à¼‹à½‘à½‚';
            } else {
                return 'à½˜à½šà½“à¼‹à½˜à½¼';
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return bo;

})));


/***/ }),

/***/ "./node_modules/moment/locale/br.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/br.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Breton [br]
//! author : Jean-Baptiste Le Duigou : https://github.com/jbleduigou

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function relativeTimeWithMutation(number, withoutSuffix, key) {
        var format = {
            mm: 'munutenn',
            MM: 'miz',
            dd: 'devezh',
        };
        return number + ' ' + mutation(format[key], number);
    }
    function specialMutationForYears(number) {
        switch (lastNumber(number)) {
            case 1:
            case 3:
            case 4:
            case 5:
            case 9:
                return number + ' bloaz';
            default:
                return number + ' vloaz';
        }
    }
    function lastNumber(number) {
        if (number &gt; 9) {
            return lastNumber(number % 10);
        }
        return number;
    }
    function mutation(text, number) {
        if (number === 2) {
            return softMutation(text);
        }
        return text;
    }
    function softMutation(text) {
        var mutationTable = {
            m: 'v',
            b: 'v',
            d: 'z',
        };
        if (mutationTable[text.charAt(0)] === undefined) {
            return text;
        }
        return mutationTable[text.charAt(0)] + text.substring(1);
    }

    var monthsParse = [
            /^gen/i,
            /^c[Ê¼\']hwe/i,
            /^meu/i,
            /^ebr/i,
            /^mae/i,
            /^(mez|eve)/i,
            /^gou/i,
            /^eos/i,
            /^gwe/i,
            /^her/i,
            /^du/i,
            /^ker/i,
        ],
        monthsRegex =
            /^(genver|c[Ê¼\']hwevrer|meurzh|ebrel|mae|mezheven|gouere|eost|gwengolo|here|du|kerzu|gen|c[Ê¼\']hwe|meu|ebr|mae|eve|gou|eos|gwe|her|du|ker)/i,
        monthsStrictRegex =
            /^(genver|c[Ê¼\']hwevrer|meurzh|ebrel|mae|mezheven|gouere|eost|gwengolo|here|du|kerzu)/i,
        monthsShortStrictRegex =
            /^(gen|c[Ê¼\']hwe|meu|ebr|mae|eve|gou|eos|gwe|her|du|ker)/i,
        fullWeekdaysParse = [
            /^sul/i,
            /^lun/i,
            /^meurzh/i,
            /^merc[Ê¼\']her/i,
            /^yaou/i,
            /^gwener/i,
            /^sadorn/i,
        ],
        shortWeekdaysParse = [
            /^Sul/i,
            /^Lun/i,
            /^Meu/i,
            /^Mer/i,
            /^Yao/i,
            /^Gwe/i,
            /^Sad/i,
        ],
        minWeekdaysParse = [
            /^Su/i,
            /^Lu/i,
            /^Me([^r]|$)/i,
            /^Mer/i,
            /^Ya/i,
            /^Gw/i,
            /^Sa/i,
        ];

    var br = moment.defineLocale('br', {
        months: 'Genver_CÊ¼hwevrer_Meurzh_Ebrel_Mae_Mezheven_Gouere_Eost_Gwengolo_Here_Du_Kerzu'.split(
            '_'
        ),
        monthsShort: 'Gen_CÊ¼hwe_Meu_Ebr_Mae_Eve_Gou_Eos_Gwe_Her_Du_Ker'.split('_'),
        weekdays: 'Sul_Lun_Meurzh_MercÊ¼her_Yaou_Gwener_Sadorn'.split('_'),
        weekdaysShort: 'Sul_Lun_Meu_Mer_Yao_Gwe_Sad'.split('_'),
        weekdaysMin: 'Su_Lu_Me_Mer_Ya_Gw_Sa'.split('_'),
        weekdaysParse: minWeekdaysParse,
        fullWeekdaysParse: fullWeekdaysParse,
        shortWeekdaysParse: shortWeekdaysParse,
        minWeekdaysParse: minWeekdaysParse,

        monthsRegex: monthsRegex,
        monthsShortRegex: monthsRegex,
        monthsStrictRegex: monthsStrictRegex,
        monthsShortStrictRegex: monthsShortStrictRegex,
        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,

        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D [a viz] MMMM YYYY',
            LLL: 'D [a viz] MMMM YYYY HH:mm',
            LLLL: 'dddd, D [a viz] MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Hiziv da] LT',
            nextDay: '[WarcÊ¼hoazh da] LT',
            nextWeek: 'dddd [da] LT',
            lastDay: '[DecÊ¼h da] LT',
            lastWeek: 'dddd [paset da] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'a-benn %s',
            past: '%s Ê¼zo',
            s: 'un nebeud segondennoÃ¹',
            ss: '%d eilenn',
            m: 'ur vunutenn',
            mm: relativeTimeWithMutation,
            h: 'un eur',
            hh: '%d eur',
            d: 'un devezh',
            dd: relativeTimeWithMutation,
            M: 'ur miz',
            MM: relativeTimeWithMutation,
            y: 'ur bloaz',
            yy: specialMutationForYears,
        },
        dayOfMonthOrdinalParse: /\d{1,2}(aÃ±|vet)/,
        ordinal: function (number) {
            var output = number === 1 ? 'aÃ±' : 'vet';
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
        meridiemParse: /a.m.|g.m./, // goude merenn | a-raok merenn
        isPM: function (token) {
            return token === 'g.m.';
        },
        meridiem: function (hour, minute, isLower) {
            return hour &lt; 12 ? 'a.m.' : 'g.m.';
        },
    });

    return br;

})));


/***/ }),

/***/ "./node_modules/moment/locale/bs.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/bs.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Bosnian [bs]
//! author : Nedim Cholich : https://github.com/frontyard
//! based on (hr) translation by Bojan MarkoviÄ‡

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function translate(number, withoutSuffix, key) {
        var result = number + ' ';
        switch (key) {
            case 'ss':
                if (number === 1) {
                    result += 'sekunda';
                } else if (number === 2 || number === 3 || number === 4) {
                    result += 'sekunde';
                } else {
                    result += 'sekundi';
                }
                return result;
            case 'm':
                return withoutSuffix ? 'jedna minuta' : 'jedne minute';
            case 'mm':
                if (number === 1) {
                    result += 'minuta';
                } else if (number === 2 || number === 3 || number === 4) {
                    result += 'minute';
                } else {
                    result += 'minuta';
                }
                return result;
            case 'h':
                return withoutSuffix ? 'jedan sat' : 'jednog sata';
            case 'hh':
                if (number === 1) {
                    result += 'sat';
                } else if (number === 2 || number === 3 || number === 4) {
                    result += 'sata';
                } else {
                    result += 'sati';
                }
                return result;
            case 'dd':
                if (number === 1) {
                    result += 'dan';
                } else {
                    result += 'dana';
                }
                return result;
            case 'MM':
                if (number === 1) {
                    result += 'mjesec';
                } else if (number === 2 || number === 3 || number === 4) {
                    result += 'mjeseca';
                } else {
                    result += 'mjeseci';
                }
                return result;
            case 'yy':
                if (number === 1) {
                    result += 'godina';
                } else if (number === 2 || number === 3 || number === 4) {
                    result += 'godine';
                } else {
                    result += 'godina';
                }
                return result;
        }
    }

    var bs = moment.defineLocale('bs', {
        months: 'januar_februar_mart_april_maj_juni_juli_august_septembar_oktobar_novembar_decembar'.split(
            '_'
        ),
        monthsShort:
            'jan._feb._mar._apr._maj._jun._jul._aug._sep._okt._nov._dec.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'nedjelja_ponedjeljak_utorak_srijeda_Äetvrtak_petak_subota'.split(
            '_'
        ),
        weekdaysShort: 'ned._pon._uto._sri._Äet._pet._sub.'.split('_'),
        weekdaysMin: 'ne_po_ut_sr_Äe_pe_su'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY H:mm',
            LLLL: 'dddd, D. MMMM YYYY H:mm',
        },
        calendar: {
            sameDay: '[danas u] LT',
            nextDay: '[sutra u] LT',
            nextWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[u] [nedjelju] [u] LT';
                    case 3:
                        return '[u] [srijedu] [u] LT';
                    case 6:
                        return '[u] [subotu] [u] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[u] dddd [u] LT';
                }
            },
            lastDay: '[juÄer u] LT',
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                    case 3:
                        return '[proÅ¡lu] dddd [u] LT';
                    case 6:
                        return '[proÅ¡le] [subote] [u] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[proÅ¡li] dddd [u] LT';
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'za %s',
            past: 'prije %s',
            s: 'par sekundi',
            ss: translate,
            m: translate,
            mm: translate,
            h: translate,
            hh: translate,
            d: 'dan',
            dd: translate,
            M: 'mjesec',
            MM: translate,
            y: 'godinu',
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return bs;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ca.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ca.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Catalan [ca]
//! author : Juan G. Hurtado : https://github.com/juanghurtado

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var ca = moment.defineLocale('ca', {
        months: {
            standalone:
                'gener_febrer_marÃ§_abril_maig_juny_juliol_agost_setembre_octubre_novembre_desembre'.split(
                    '_'
                ),
            format: "de gener_de febrer_de marÃ§_d'abril_de maig_de juny_de juliol_d'agost_de setembre_d'octubre_de novembre_de desembre".split(
                '_'
            ),
            isFormat: /D[oD]?(\s)+MMMM/,
        },
        monthsShort:
            'gen._febr._marÃ§_abr._maig_juny_jul._ag._set._oct._nov._des.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays:
            'diumenge_dilluns_dimarts_dimecres_dijous_divendres_dissabte'.split(
                '_'
            ),
        weekdaysShort: 'dg._dl._dt._dc._dj._dv._ds.'.split('_'),
        weekdaysMin: 'dg_dl_dt_dc_dj_dv_ds'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM [de] YYYY',
            ll: 'D MMM YYYY',
            LLL: 'D MMMM [de] YYYY [a les] H:mm',
            lll: 'D MMM YYYY, H:mm',
            LLLL: 'dddd D MMMM [de] YYYY [a les] H:mm',
            llll: 'ddd D MMM YYYY, H:mm',
        },
        calendar: {
            sameDay: function () {
                return '[avui a ' + (this.hours() !== 1 ? 'les' : 'la') + '] LT';
            },
            nextDay: function () {
                return '[demÃ&nbsp; a ' + (this.hours() !== 1 ? 'les' : 'la') + '] LT';
            },
            nextWeek: function () {
                return 'dddd [a ' + (this.hours() !== 1 ? 'les' : 'la') + '] LT';
            },
            lastDay: function () {
                return '[ahir a ' + (this.hours() !== 1 ? 'les' : 'la') + '] LT';
            },
            lastWeek: function () {
                return (
                    '[el] dddd [passat a ' +
                    (this.hours() !== 1 ? 'les' : 'la') +
                    '] LT'
                );
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: "d'aquÃ­ %s",
            past: 'fa %s',
            s: 'uns segons',
            ss: '%d segons',
            m: 'un minut',
            mm: '%d minuts',
            h: 'una hora',
            hh: '%d hores',
            d: 'un dia',
            dd: '%d dies',
            M: 'un mes',
            MM: '%d mesos',
            y: 'un any',
            yy: '%d anys',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(r|n|t|Ã¨|a)/,
        ordinal: function (number, period) {
            var output =
                number === 1
                    ? 'r'
                    : number === 2
                    ? 'n'
                    : number === 3
                    ? 'r'
                    : number === 4
                    ? 't'
                    : 'Ã¨';
            if (period === 'w' || period === 'W') {
                output = 'a';
            }
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return ca;

})));


/***/ }),

/***/ "./node_modules/moment/locale/cs.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/cs.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Czech [cs]
//! author : petrbela : https://github.com/petrbela

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var months = {
            format: 'leden_Ãºnor_bÅ™ezen_duben_kvÄ›ten_Äerven_Äervenec_srpen_zÃ¡Å™Ã­_Å™Ã­jen_listopad_prosinec'.split(
                '_'
            ),
            standalone:
                'ledna_Ãºnora_bÅ™ezna_dubna_kvÄ›tna_Äervna_Äervence_srpna_zÃ¡Å™Ã­_Å™Ã­jna_listopadu_prosince'.split(
                    '_'
                ),
        },
        monthsShort = 'led_Ãºno_bÅ™e_dub_kvÄ›_Ävn_Ävc_srp_zÃ¡Å™_Å™Ã­j_lis_pro'.split('_'),
        monthsParse = [
            /^led/i,
            /^Ãºno/i,
            /^bÅ™e/i,
            /^dub/i,
            /^kvÄ›/i,
            /^(Ävn|Äerven$|Äervna)/i,
            /^(Ävc|Äervenec|Äervence)/i,
            /^srp/i,
            /^zÃ¡Å™/i,
            /^Å™Ã­j/i,
            /^lis/i,
            /^pro/i,
        ],
        // NOTE: 'Äerven' is substring of 'Äervenec'; therefore 'Äervenec' must precede 'Äerven' in the regex to be fully matched.
        // Otherwise parser matches '1. Äervenec' as '1. Äerven' + 'ec'.
        monthsRegex =
            /^(leden|Ãºnor|bÅ™ezen|duben|kvÄ›ten|Äervenec|Äervence|Äerven|Äervna|srpen|zÃ¡Å™Ã­|Å™Ã­jen|listopad|prosinec|led|Ãºno|bÅ™e|dub|kvÄ›|Ävn|Ävc|srp|zÃ¡Å™|Å™Ã­j|lis|pro)/i;

    function plural(n) {
        return n &gt; 1 &amp;&amp; n &lt; 5 &amp;&amp; ~~(n / 10) !== 1;
    }
    function translate(number, withoutSuffix, key, isFuture) {
        var result = number + ' ';
        switch (key) {
            case 's': // a few seconds / in a few seconds / a few seconds ago
                return withoutSuffix || isFuture ? 'pÃ¡r sekund' : 'pÃ¡r sekundami';
            case 'ss': // 9 seconds / in 9 seconds / 9 seconds ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'sekundy' : 'sekund');
                } else {
                    return result + 'sekundami';
                }
            case 'm': // a minute / in a minute / a minute ago
                return withoutSuffix ? 'minuta' : isFuture ? 'minutu' : 'minutou';
            case 'mm': // 9 minutes / in 9 minutes / 9 minutes ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'minuty' : 'minut');
                } else {
                    return result + 'minutami';
                }
            case 'h': // an hour / in an hour / an hour ago
                return withoutSuffix ? 'hodina' : isFuture ? 'hodinu' : 'hodinou';
            case 'hh': // 9 hours / in 9 hours / 9 hours ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'hodiny' : 'hodin');
                } else {
                    return result + 'hodinami';
                }
            case 'd': // a day / in a day / a day ago
                return withoutSuffix || isFuture ? 'den' : 'dnem';
            case 'dd': // 9 days / in 9 days / 9 days ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'dny' : 'dnÃ­');
                } else {
                    return result + 'dny';
                }
            case 'M': // a month / in a month / a month ago
                return withoutSuffix || isFuture ? 'mÄ›sÃ­c' : 'mÄ›sÃ­cem';
            case 'MM': // 9 months / in 9 months / 9 months ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'mÄ›sÃ­ce' : 'mÄ›sÃ­cÅ¯');
                } else {
                    return result + 'mÄ›sÃ­ci';
                }
            case 'y': // a year / in a year / a year ago
                return withoutSuffix || isFuture ? 'rok' : 'rokem';
            case 'yy': // 9 years / in 9 years / 9 years ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'roky' : 'let');
                } else {
                    return result + 'lety';
                }
        }
    }

    var cs = moment.defineLocale('cs', {
        months: months,
        monthsShort: monthsShort,
        monthsRegex: monthsRegex,
        monthsShortRegex: monthsRegex,
        // NOTE: 'Äerven' is substring of 'Äervenec'; therefore 'Äervenec' must precede 'Äerven' in the regex to be fully matched.
        // Otherwise parser matches '1. Äervenec' as '1. Äerven' + 'ec'.
        monthsStrictRegex:
            /^(leden|ledna|Ãºnora|Ãºnor|bÅ™ezen|bÅ™ezna|duben|dubna|kvÄ›ten|kvÄ›tna|Äervenec|Äervence|Äerven|Äervna|srpen|srpna|zÃ¡Å™Ã­|Å™Ã­jen|Å™Ã­jna|listopadu|listopad|prosinec|prosince)/i,
        monthsShortStrictRegex:
            /^(led|Ãºno|bÅ™e|dub|kvÄ›|Ävn|Ävc|srp|zÃ¡Å™|Å™Ã­j|lis|pro)/i,
        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,
        weekdays: 'nedÄ›le_pondÄ›lÃ­_ÃºterÃ½_stÅ™eda_Ätvrtek_pÃ¡tek_sobota'.split('_'),
        weekdaysShort: 'ne_po_Ãºt_st_Ät_pÃ¡_so'.split('_'),
        weekdaysMin: 'ne_po_Ãºt_st_Ät_pÃ¡_so'.split('_'),
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY H:mm',
            LLLL: 'dddd D. MMMM YYYY H:mm',
            l: 'D. M. YYYY',
        },
        calendar: {
            sameDay: '[dnes v] LT',
            nextDay: '[zÃ­tra v] LT',
            nextWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[v nedÄ›li v] LT';
                    case 1:
                    case 2:
                        return '[v] dddd [v] LT';
                    case 3:
                        return '[ve stÅ™edu v] LT';
                    case 4:
                        return '[ve Ätvrtek v] LT';
                    case 5:
                        return '[v pÃ¡tek v] LT';
                    case 6:
                        return '[v sobotu v] LT';
                }
            },
            lastDay: '[vÄera v] LT',
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[minulou nedÄ›li v] LT';
                    case 1:
                    case 2:
                        return '[minulÃ©] dddd [v] LT';
                    case 3:
                        return '[minulou stÅ™edu v] LT';
                    case 4:
                    case 5:
                        return '[minulÃ½] dddd [v] LT';
                    case 6:
                        return '[minulou sobotu v] LT';
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'za %s',
            past: 'pÅ™ed %s',
            s: translate,
            ss: translate,
            m: translate,
            mm: translate,
            h: translate,
            hh: translate,
            d: translate,
            dd: translate,
            M: translate,
            MM: translate,
            y: translate,
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return cs;

})));


/***/ }),

/***/ "./node_modules/moment/locale/cv.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/cv.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Chuvash [cv]
//! author : Anatoly Mironov : https://github.com/mirontoli

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var cv = moment.defineLocale('cv', {
        months: 'ÐºÓ‘Ñ€Ð»Ð°Ñ‡_Ð½Ð°Ñ€Ó‘Ñ_Ð¿ÑƒÑˆ_Ð°ÐºÐ°_Ð¼Ð°Ð¹_Ò«Ó—Ñ€Ñ‚Ð¼Ðµ_ÑƒÑ‚Ó‘_Ò«ÑƒÑ€Ð»Ð°_Ð°Ð²Ó‘Ð½_ÑŽÐ¿Ð°_Ñ‡Ó³Ðº_Ñ€Ð°ÑˆÑ‚Ð°Ð²'.split(
            '_'
        ),
        monthsShort: 'ÐºÓ‘Ñ€_Ð½Ð°Ñ€_Ð¿ÑƒÑˆ_Ð°ÐºÐ°_Ð¼Ð°Ð¹_Ò«Ó—Ñ€_ÑƒÑ‚Ó‘_Ò«ÑƒÑ€_Ð°Ð²Ð½_ÑŽÐ¿Ð°_Ñ‡Ó³Ðº_Ñ€Ð°Ñˆ'.split('_'),
        weekdays:
            'Ð²Ñ‹Ñ€ÑÐ°Ñ€Ð½Ð¸ÐºÑƒÐ½_Ñ‚ÑƒÐ½Ñ‚Ð¸ÐºÑƒÐ½_Ñ‹Ñ‚Ð»Ð°Ñ€Ð¸ÐºÑƒÐ½_ÑŽÐ½ÐºÑƒÐ½_ÐºÓ—Ò«Ð½ÐµÑ€Ð½Ð¸ÐºÑƒÐ½_ÑÑ€Ð½ÐµÐºÑƒÐ½_ÑˆÓ‘Ð¼Ð°Ñ‚ÐºÑƒÐ½'.split(
                '_'
            ),
        weekdaysShort: 'Ð²Ñ‹Ñ€_Ñ‚ÑƒÐ½_Ñ‹Ñ‚Ð»_ÑŽÐ½_ÐºÓ—Ò«_ÑÑ€Ð½_ÑˆÓ‘Ð¼'.split('_'),
        weekdaysMin: 'Ð²Ñ€_Ñ‚Ð½_Ñ‹Ñ‚_ÑŽÐ½_ÐºÒ«_ÑÑ€_ÑˆÐ¼'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD-MM-YYYY',
            LL: 'YYYY [Ò«ÑƒÐ»Ñ…Ð¸] MMMM [ÑƒÐ¹Ó‘Ñ…Ó—Ð½] D[-Ð¼Ó—ÑˆÓ—]',
            LLL: 'YYYY [Ò«ÑƒÐ»Ñ…Ð¸] MMMM [ÑƒÐ¹Ó‘Ñ…Ó—Ð½] D[-Ð¼Ó—ÑˆÓ—], HH:mm',
            LLLL: 'dddd, YYYY [Ò«ÑƒÐ»Ñ…Ð¸] MMMM [ÑƒÐ¹Ó‘Ñ…Ó—Ð½] D[-Ð¼Ó—ÑˆÓ—], HH:mm',
        },
        calendar: {
            sameDay: '[ÐŸÐ°ÑÐ½] LT [ÑÐµÑ…ÐµÑ‚Ñ€Ðµ]',
            nextDay: '[Ð«Ñ€Ð°Ð½] LT [ÑÐµÑ…ÐµÑ‚Ñ€Ðµ]',
            lastDay: '[Ó–Ð½ÐµÑ€] LT [ÑÐµÑ…ÐµÑ‚Ñ€Ðµ]',
            nextWeek: '[ÒªÐ¸Ñ‚ÐµÑ] dddd LT [ÑÐµÑ…ÐµÑ‚Ñ€Ðµ]',
            lastWeek: '[Ð˜Ñ€Ñ‚Ð½Ó—] dddd LT [ÑÐµÑ…ÐµÑ‚Ñ€Ðµ]',
            sameElse: 'L',
        },
        relativeTime: {
            future: function (output) {
                var affix = /ÑÐµÑ…ÐµÑ‚$/i.exec(output)
                    ? 'Ñ€ÐµÐ½'
                    : /Ò«ÑƒÐ»$/i.exec(output)
                    ? 'Ñ‚Ð°Ð½'
                    : 'Ñ€Ð°Ð½';
                return output + affix;
            },
            past: '%s ÐºÐ°ÑÐ»Ð»Ð°',
            s: 'Ð¿Ó—Ñ€-Ð¸Ðº Ò«ÐµÐºÐºÑƒÐ½Ñ‚',
            ss: '%d Ò«ÐµÐºÐºÑƒÐ½Ñ‚',
            m: 'Ð¿Ó—Ñ€ Ð¼Ð¸Ð½ÑƒÑ‚',
            mm: '%d Ð¼Ð¸Ð½ÑƒÑ‚',
            h: 'Ð¿Ó—Ñ€ ÑÐµÑ…ÐµÑ‚',
            hh: '%d ÑÐµÑ…ÐµÑ‚',
            d: 'Ð¿Ó—Ñ€ ÐºÑƒÐ½',
            dd: '%d ÐºÑƒÐ½',
            M: 'Ð¿Ó—Ñ€ ÑƒÐ¹Ó‘Ñ…',
            MM: '%d ÑƒÐ¹Ó‘Ñ…',
            y: 'Ð¿Ó—Ñ€ Ò«ÑƒÐ»',
            yy: '%d Ò«ÑƒÐ»',
        },
        dayOfMonthOrdinalParse: /\d{1,2}-Ð¼Ó—Ñˆ/,
        ordinal: '%d-Ð¼Ó—Ñˆ',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return cv;

})));


/***/ }),

/***/ "./node_modules/moment/locale/cy.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/cy.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Welsh [cy]
//! author : Robert Allen : https://github.com/robgallen
//! author : https://github.com/ryangreaves

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var cy = moment.defineLocale('cy', {
        months: 'Ionawr_Chwefror_Mawrth_Ebrill_Mai_Mehefin_Gorffennaf_Awst_Medi_Hydref_Tachwedd_Rhagfyr'.split(
            '_'
        ),
        monthsShort: 'Ion_Chwe_Maw_Ebr_Mai_Meh_Gor_Aws_Med_Hyd_Tach_Rhag'.split(
            '_'
        ),
        weekdays:
            'Dydd Sul_Dydd Llun_Dydd Mawrth_Dydd Mercher_Dydd Iau_Dydd Gwener_Dydd Sadwrn'.split(
                '_'
            ),
        weekdaysShort: 'Sul_Llun_Maw_Mer_Iau_Gwe_Sad'.split('_'),
        weekdaysMin: 'Su_Ll_Ma_Me_Ia_Gw_Sa'.split('_'),
        weekdaysParseExact: true,
        // time formats are the same as en-gb
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Heddiw am] LT',
            nextDay: '[Yfory am] LT',
            nextWeek: 'dddd [am] LT',
            lastDay: '[Ddoe am] LT',
            lastWeek: 'dddd [diwethaf am] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'mewn %s',
            past: '%s yn Ã´l',
            s: 'ychydig eiliadau',
            ss: '%d eiliad',
            m: 'munud',
            mm: '%d munud',
            h: 'awr',
            hh: '%d awr',
            d: 'diwrnod',
            dd: '%d diwrnod',
            M: 'mis',
            MM: '%d mis',
            y: 'blwyddyn',
            yy: '%d flynedd',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(fed|ain|af|il|ydd|ed|eg)/,
        // traditional ordinal numbers above 31 are not commonly used in colloquial Welsh
        ordinal: function (number) {
            var b = number,
                output = '',
                lookup = [
                    '',
                    'af',
                    'il',
                    'ydd',
                    'ydd',
                    'ed',
                    'ed',
                    'ed',
                    'fed',
                    'fed',
                    'fed', // 1af to 10fed
                    'eg',
                    'fed',
                    'eg',
                    'eg',
                    'fed',
                    'eg',
                    'eg',
                    'fed',
                    'eg',
                    'fed', // 11eg to 20fed
                ];
            if (b &gt; 20) {
                if (b === 40 || b === 50 || b === 60 || b === 80 || b === 100) {
                    output = 'fed'; // not 30ain, 70ain or 90ain
                } else {
                    output = 'ain';
                }
            } else if (b &gt; 0) {
                output = lookup[b];
            }
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return cy;

})));


/***/ }),

/***/ "./node_modules/moment/locale/da.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/da.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Danish [da]
//! author : Ulrik Nielsen : https://github.com/mrbase

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var da = moment.defineLocale('da', {
        months: 'januar_februar_marts_april_maj_juni_juli_august_september_oktober_november_december'.split(
            '_'
        ),
        monthsShort: 'jan_feb_mar_apr_maj_jun_jul_aug_sep_okt_nov_dec'.split('_'),
        weekdays: 'sÃ¸ndag_mandag_tirsdag_onsdag_torsdag_fredag_lÃ¸rdag'.split('_'),
        weekdaysShort: 'sÃ¸n_man_tir_ons_tor_fre_lÃ¸r'.split('_'),
        weekdaysMin: 'sÃ¸_ma_ti_on_to_fr_lÃ¸'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY HH:mm',
            LLLL: 'dddd [d.] D. MMMM YYYY [kl.] HH:mm',
        },
        calendar: {
            sameDay: '[i dag kl.] LT',
            nextDay: '[i morgen kl.] LT',
            nextWeek: 'pÃ¥ dddd [kl.] LT',
            lastDay: '[i gÃ¥r kl.] LT',
            lastWeek: '[i] dddd[s kl.] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'om %s',
            past: '%s siden',
            s: 'fÃ¥ sekunder',
            ss: '%d sekunder',
            m: 'et minut',
            mm: '%d minutter',
            h: 'en time',
            hh: '%d timer',
            d: 'en dag',
            dd: '%d dage',
            M: 'en mÃ¥ned',
            MM: '%d mÃ¥neder',
            y: 'et Ã¥r',
            yy: '%d Ã¥r',
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return da;

})));


/***/ }),

/***/ "./node_modules/moment/locale/de-at.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/de-at.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : German (Austria) [de-at]
//! author : lluchs : https://github.com/lluchs
//! author: Menelion ElensÃºle: https://github.com/Oire
//! author : Martin Groller : https://github.com/MadMG
//! author : Mikolaj Dadela : https://github.com/mik01aj

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function processRelativeTime(number, withoutSuffix, key, isFuture) {
        var format = {
            m: ['eine Minute', 'einer Minute'],
            h: ['eine Stunde', 'einer Stunde'],
            d: ['ein Tag', 'einem Tag'],
            dd: [number + ' Tage', number + ' Tagen'],
            w: ['eine Woche', 'einer Woche'],
            M: ['ein Monat', 'einem Monat'],
            MM: [number + ' Monate', number + ' Monaten'],
            y: ['ein Jahr', 'einem Jahr'],
            yy: [number + ' Jahre', number + ' Jahren'],
        };
        return withoutSuffix ? format[key][0] : format[key][1];
    }

    var deAt = moment.defineLocale('de-at', {
        months: 'JÃ¤nner_Februar_MÃ¤rz_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember'.split(
            '_'
        ),
        monthsShort:
            'JÃ¤n._Feb._MÃ¤rz_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.'.split('_'),
        monthsParseExact: true,
        weekdays:
            'Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag'.split(
                '_'
            ),
        weekdaysShort: 'So._Mo._Di._Mi._Do._Fr._Sa.'.split('_'),
        weekdaysMin: 'So_Mo_Di_Mi_Do_Fr_Sa'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY HH:mm',
            LLLL: 'dddd, D. MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[heute um] LT [Uhr]',
            sameElse: 'L',
            nextDay: '[morgen um] LT [Uhr]',
            nextWeek: 'dddd [um] LT [Uhr]',
            lastDay: '[gestern um] LT [Uhr]',
            lastWeek: '[letzten] dddd [um] LT [Uhr]',
        },
        relativeTime: {
            future: 'in %s',
            past: 'vor %s',
            s: 'ein paar Sekunden',
            ss: '%d Sekunden',
            m: processRelativeTime,
            mm: '%d Minuten',
            h: processRelativeTime,
            hh: '%d Stunden',
            d: processRelativeTime,
            dd: processRelativeTime,
            w: processRelativeTime,
            ww: '%d Wochen',
            M: processRelativeTime,
            MM: processRelativeTime,
            y: processRelativeTime,
            yy: processRelativeTime,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return deAt;

})));


/***/ }),

/***/ "./node_modules/moment/locale/de-ch.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/de-ch.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : German (Switzerland) [de-ch]
//! author : sschueller : https://github.com/sschueller

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function processRelativeTime(number, withoutSuffix, key, isFuture) {
        var format = {
            m: ['eine Minute', 'einer Minute'],
            h: ['eine Stunde', 'einer Stunde'],
            d: ['ein Tag', 'einem Tag'],
            dd: [number + ' Tage', number + ' Tagen'],
            w: ['eine Woche', 'einer Woche'],
            M: ['ein Monat', 'einem Monat'],
            MM: [number + ' Monate', number + ' Monaten'],
            y: ['ein Jahr', 'einem Jahr'],
            yy: [number + ' Jahre', number + ' Jahren'],
        };
        return withoutSuffix ? format[key][0] : format[key][1];
    }

    var deCh = moment.defineLocale('de-ch', {
        months: 'Januar_Februar_MÃ¤rz_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember'.split(
            '_'
        ),
        monthsShort:
            'Jan._Feb._MÃ¤rz_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.'.split('_'),
        monthsParseExact: true,
        weekdays:
            'Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag'.split(
                '_'
            ),
        weekdaysShort: 'So_Mo_Di_Mi_Do_Fr_Sa'.split('_'),
        weekdaysMin: 'So_Mo_Di_Mi_Do_Fr_Sa'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY HH:mm',
            LLLL: 'dddd, D. MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[heute um] LT [Uhr]',
            sameElse: 'L',
            nextDay: '[morgen um] LT [Uhr]',
            nextWeek: 'dddd [um] LT [Uhr]',
            lastDay: '[gestern um] LT [Uhr]',
            lastWeek: '[letzten] dddd [um] LT [Uhr]',
        },
        relativeTime: {
            future: 'in %s',
            past: 'vor %s',
            s: 'ein paar Sekunden',
            ss: '%d Sekunden',
            m: processRelativeTime,
            mm: '%d Minuten',
            h: processRelativeTime,
            hh: '%d Stunden',
            d: processRelativeTime,
            dd: processRelativeTime,
            w: processRelativeTime,
            ww: '%d Wochen',
            M: processRelativeTime,
            MM: processRelativeTime,
            y: processRelativeTime,
            yy: processRelativeTime,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return deCh;

})));


/***/ }),

/***/ "./node_modules/moment/locale/de.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/de.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : German [de]
//! author : lluchs : https://github.com/lluchs
//! author: Menelion ElensÃºle: https://github.com/Oire
//! author : Mikolaj Dadela : https://github.com/mik01aj

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function processRelativeTime(number, withoutSuffix, key, isFuture) {
        var format = {
            m: ['eine Minute', 'einer Minute'],
            h: ['eine Stunde', 'einer Stunde'],
            d: ['ein Tag', 'einem Tag'],
            dd: [number + ' Tage', number + ' Tagen'],
            w: ['eine Woche', 'einer Woche'],
            M: ['ein Monat', 'einem Monat'],
            MM: [number + ' Monate', number + ' Monaten'],
            y: ['ein Jahr', 'einem Jahr'],
            yy: [number + ' Jahre', number + ' Jahren'],
        };
        return withoutSuffix ? format[key][0] : format[key][1];
    }

    var de = moment.defineLocale('de', {
        months: 'Januar_Februar_MÃ¤rz_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember'.split(
            '_'
        ),
        monthsShort:
            'Jan._Feb._MÃ¤rz_Apr._Mai_Juni_Juli_Aug._Sep._Okt._Nov._Dez.'.split('_'),
        monthsParseExact: true,
        weekdays:
            'Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag'.split(
                '_'
            ),
        weekdaysShort: 'So._Mo._Di._Mi._Do._Fr._Sa.'.split('_'),
        weekdaysMin: 'So_Mo_Di_Mi_Do_Fr_Sa'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY HH:mm',
            LLLL: 'dddd, D. MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[heute um] LT [Uhr]',
            sameElse: 'L',
            nextDay: '[morgen um] LT [Uhr]',
            nextWeek: 'dddd [um] LT [Uhr]',
            lastDay: '[gestern um] LT [Uhr]',
            lastWeek: '[letzten] dddd [um] LT [Uhr]',
        },
        relativeTime: {
            future: 'in %s',
            past: 'vor %s',
            s: 'ein paar Sekunden',
            ss: '%d Sekunden',
            m: processRelativeTime,
            mm: '%d Minuten',
            h: processRelativeTime,
            hh: '%d Stunden',
            d: processRelativeTime,
            dd: processRelativeTime,
            w: processRelativeTime,
            ww: '%d Wochen',
            M: processRelativeTime,
            MM: processRelativeTime,
            y: processRelativeTime,
            yy: processRelativeTime,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return de;

})));


/***/ }),

/***/ "./node_modules/moment/locale/dv.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/dv.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Maldivian [dv]
//! author : Jawish Hameed : https://github.com/jawish

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var months = [
            'Þ–Þ¬Þ‚ÞªÞ‡Þ¦ÞƒÞ©',
            'ÞŠÞ¬Þ„Þ°ÞƒÞªÞ‡Þ¦ÞƒÞ©',
            'Þ‰Þ§ÞƒÞ¨Þ—Þª',
            'Þ‡Þ­Þ•Þ°ÞƒÞ©ÞÞª',
            'Þ‰Þ­',
            'Þ–Þ«Þ‚Þ°',
            'Þ–ÞªÞÞ¦Þ‡Þ¨',
            'Þ‡Þ¯ÞŽÞ¦ÞÞ°Þ“Þª',
            'ÞÞ¬Þ•Þ°Þ“Þ¬Þ‰Þ°Þ„Þ¦ÞƒÞª',
            'Þ‡Þ®Þ†Þ°Þ“Þ¯Þ„Þ¦ÞƒÞª',
            'Þ‚Þ®ÞˆÞ¬Þ‰Þ°Þ„Þ¦ÞƒÞª',
            'Þ‘Þ¨ÞÞ¬Þ‰Þ°Þ„Þ¦ÞƒÞª',
        ],
        weekdays = [
            'Þ‡Þ§Þ‹Þ¨Þ‡Þ°ÞŒÞ¦',
            'Þ€Þ¯Þ‰Þ¦',
            'Þ‡Þ¦Þ‚Þ°ÞŽÞ§ÞƒÞ¦',
            'Þ„ÞªÞ‹Þ¦',
            'Þ„ÞªÞƒÞ§ÞÞ°ÞŠÞ¦ÞŒÞ¨',
            'Þ€ÞªÞ†ÞªÞƒÞª',
            'Þ€Þ®Þ‚Þ¨Þ€Þ¨ÞƒÞª',
        ];

    var dv = moment.defineLocale('dv', {
        months: months,
        monthsShort: months,
        weekdays: weekdays,
        weekdaysShort: weekdays,
        weekdaysMin: 'Þ‡Þ§Þ‹Þ¨_Þ€Þ¯Þ‰Þ¦_Þ‡Þ¦Þ‚Þ°_Þ„ÞªÞ‹Þ¦_Þ„ÞªÞƒÞ§_Þ€ÞªÞ†Þª_Þ€Þ®Þ‚Þ¨'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'D/M/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        meridiemParse: /Þ‰Þ†|Þ‰ÞŠ/,
        isPM: function (input) {
            return 'Þ‰ÞŠ' === input;
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'Þ‰Þ†';
            } else {
                return 'Þ‰ÞŠ';
            }
        },
        calendar: {
            sameDay: '[Þ‰Þ¨Þ‡Þ¦Þ‹Þª] LT',
            nextDay: '[Þ‰Þ§Þ‹Þ¦Þ‰Þ§] LT',
            nextWeek: 'dddd LT',
            lastDay: '[Þ‡Þ¨Þ‡Þ°Þ”Þ¬] LT',
            lastWeek: '[ÞŠÞ§Þ‡Þ¨ÞŒÞªÞˆÞ¨] dddd LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'ÞŒÞ¬ÞƒÞ­ÞŽÞ¦Þ‡Þ¨ %s',
            past: 'Þ†ÞªÞƒÞ¨Þ‚Þ° %s',
            s: 'ÞÞ¨Þ†ÞªÞ‚Þ°ÞŒÞªÞ†Þ®Þ…Þ¬Þ‡Þ°',
            ss: 'd% ÞÞ¨Þ†ÞªÞ‚Þ°ÞŒÞª',
            m: 'Þ‰Þ¨Þ‚Þ¨Þ“Þ¬Þ‡Þ°',
            mm: 'Þ‰Þ¨Þ‚Þ¨Þ“Þª %d',
            h: 'ÞŽÞ¦Þ‘Þ¨Þ‡Þ¨ÞƒÞ¬Þ‡Þ°',
            hh: 'ÞŽÞ¦Þ‘Þ¨Þ‡Þ¨ÞƒÞª %d',
            d: 'Þ‹ÞªÞˆÞ¦Þ€Þ¬Þ‡Þ°',
            dd: 'Þ‹ÞªÞˆÞ¦ÞÞ° %d',
            M: 'Þ‰Þ¦Þ€Þ¬Þ‡Þ°',
            MM: 'Þ‰Þ¦ÞÞ° %d',
            y: 'Þ‡Þ¦Þ€Þ¦ÞƒÞ¬Þ‡Þ°',
            yy: 'Þ‡Þ¦Þ€Þ¦ÞƒÞª %d',
        },
        preparse: function (string) {
            return string.replace(/ØŒ/g, ',');
        },
        postformat: function (string) {
            return string.replace(/,/g, 'ØŒ');
        },
        week: {
            dow: 7, // Sunday is the first day of the week.
            doy: 12, // The week that contains Jan 12th is the first week of the year.
        },
    });

    return dv;

})));


/***/ }),

/***/ "./node_modules/moment/locale/el.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/el.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Greek [el]
//! author : Aggelos Karalias : https://github.com/mehiel

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function isFunction(input) {
        return (
            (typeof Function !== 'undefined' &amp;&amp; input instanceof Function) ||
            Object.prototype.toString.call(input) === '[object Function]'
        );
    }

    var el = moment.defineLocale('el', {
        monthsNominativeEl:
            'Î™Î±Î½Î¿Ï…Î¬ÏÎ¹Î¿Ï‚_Î¦ÎµÎ²ÏÎ¿Ï…Î¬ÏÎ¹Î¿Ï‚_ÎœÎ¬ÏÏ„Î¹Î¿Ï‚_Î‘Ï€ÏÎ¯Î»Î¹Î¿Ï‚_ÎœÎ¬Î¹Î¿Ï‚_Î™Î¿ÏÎ½Î¹Î¿Ï‚_Î™Î¿ÏÎ»Î¹Î¿Ï‚_Î‘ÏÎ³Î¿Ï…ÏƒÏ„Î¿Ï‚_Î£ÎµÏ€Ï„Î­Î¼Î²ÏÎ¹Î¿Ï‚_ÎŸÎºÏ„ÏŽÎ²ÏÎ¹Î¿Ï‚_ÎÎ¿Î­Î¼Î²ÏÎ¹Î¿Ï‚_Î”ÎµÎºÎ­Î¼Î²ÏÎ¹Î¿Ï‚'.split(
                '_'
            ),
        monthsGenitiveEl:
            'Î™Î±Î½Î¿Ï…Î±ÏÎ¯Î¿Ï…_Î¦ÎµÎ²ÏÎ¿Ï…Î±ÏÎ¯Î¿Ï…_ÎœÎ±ÏÏ„Î¯Î¿Ï…_Î‘Ï€ÏÎ¹Î»Î¯Î¿Ï…_ÎœÎ±ÎÎ¿Ï…_Î™Î¿Ï…Î½Î¯Î¿Ï…_Î™Î¿Ï…Î»Î¯Î¿Ï…_Î‘Ï…Î³Î¿ÏÏƒÏ„Î¿Ï…_Î£ÎµÏ€Ï„ÎµÎ¼Î²ÏÎ¯Î¿Ï…_ÎŸÎºÏ„Ï‰Î²ÏÎ¯Î¿Ï…_ÎÎ¿ÎµÎ¼Î²ÏÎ¯Î¿Ï…_Î”ÎµÎºÎµÎ¼Î²ÏÎ¯Î¿Ï…'.split(
                '_'
            ),
        months: function (momentToFormat, format) {
            if (!momentToFormat) {
                return this._monthsNominativeEl;
            } else if (
                typeof format === 'string' &amp;&amp;
                /D/.test(format.substring(0, format.indexOf('MMMM')))
            ) {
                // if there is a day number before 'MMMM'
                return this._monthsGenitiveEl[momentToFormat.month()];
            } else {
                return this._monthsNominativeEl[momentToFormat.month()];
            }
        },
        monthsShort: 'Î™Î±Î½_Î¦ÎµÎ²_ÎœÎ±Ï_Î‘Ï€Ï_ÎœÎ±ÏŠ_Î™Î¿Ï…Î½_Î™Î¿Ï…Î»_Î‘Ï…Î³_Î£ÎµÏ€_ÎŸÎºÏ„_ÎÎ¿Îµ_Î”ÎµÎº'.split('_'),
        weekdays: 'ÎšÏ…ÏÎ¹Î±ÎºÎ®_Î”ÎµÏ…Ï„Î­ÏÎ±_Î¤ÏÎ¯Ï„Î·_Î¤ÎµÏ„Î¬ÏÏ„Î·_Î&nbsp;Î­Î¼Ï€Ï„Î·_Î&nbsp;Î±ÏÎ±ÏƒÎºÎµÏ…Î®_Î£Î¬Î²Î²Î±Ï„Î¿'.split(
            '_'
        ),
        weekdaysShort: 'ÎšÏ…Ï_Î”ÎµÏ…_Î¤ÏÎ¹_Î¤ÎµÏ„_Î&nbsp;ÎµÎ¼_Î&nbsp;Î±Ï_Î£Î±Î²'.split('_'),
        weekdaysMin: 'ÎšÏ…_Î”Îµ_Î¤Ï_Î¤Îµ_Î&nbsp;Îµ_Î&nbsp;Î±_Î£Î±'.split('_'),
        meridiem: function (hours, minutes, isLower) {
            if (hours &gt; 11) {
                return isLower ? 'Î¼Î¼' : 'ÎœÎœ';
            } else {
                return isLower ? 'Ï€Î¼' : 'Î&nbsp;Îœ';
            }
        },
        isPM: function (input) {
            return (input + '').toLowerCase()[0] === 'Î¼';
        },
        meridiemParse: /[Î&nbsp;Îœ]\.?Îœ?\.?/i,
        longDateFormat: {
            LT: 'h:mm A',
            LTS: 'h:mm:ss A',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY h:mm A',
            LLLL: 'dddd, D MMMM YYYY h:mm A',
        },
        calendarEl: {
            sameDay: '[Î£Î®Î¼ÎµÏÎ± {}] LT',
            nextDay: '[Î‘ÏÏÎ¹Î¿ {}] LT',
            nextWeek: 'dddd [{}] LT',
            lastDay: '[Î§Î¸ÎµÏ‚ {}] LT',
            lastWeek: function () {
                switch (this.day()) {
                    case 6:
                        return '[Ï„Î¿ Ï€ÏÎ¿Î·Î³Î¿ÏÎ¼ÎµÎ½Î¿] dddd [{}] LT';
                    default:
                        return '[Ï„Î·Î½ Ï€ÏÎ¿Î·Î³Î¿ÏÎ¼ÎµÎ½Î·] dddd [{}] LT';
                }
            },
            sameElse: 'L',
        },
        calendar: function (key, mom) {
            var output = this._calendarEl[key],
                hours = mom &amp;&amp; mom.hours();
            if (isFunction(output)) {
                output = output.apply(mom);
            }
            return output.replace('{}', hours % 12 === 1 ? 'ÏƒÏ„Î·' : 'ÏƒÏ„Î¹Ï‚');
        },
        relativeTime: {
            future: 'ÏƒÎµ %s',
            past: '%s Ï€ÏÎ¹Î½',
            s: 'Î»Î¯Î³Î± Î´ÎµÏ…Ï„ÎµÏÏŒÎ»ÎµÏ€Ï„Î±',
            ss: '%d Î´ÎµÏ…Ï„ÎµÏÏŒÎ»ÎµÏ€Ï„Î±',
            m: 'Î­Î½Î± Î»ÎµÏ€Ï„ÏŒ',
            mm: '%d Î»ÎµÏ€Ï„Î¬',
            h: 'Î¼Î¯Î± ÏŽÏÎ±',
            hh: '%d ÏŽÏÎµÏ‚',
            d: 'Î¼Î¯Î± Î¼Î­ÏÎ±',
            dd: '%d Î¼Î­ÏÎµÏ‚',
            M: 'Î­Î½Î±Ï‚ Î¼Î®Î½Î±Ï‚',
            MM: '%d Î¼Î®Î½ÎµÏ‚',
            y: 'Î­Î½Î±Ï‚ Ï‡ÏÏŒÎ½Î¿Ï‚',
            yy: '%d Ï‡ÏÏŒÎ½Î¹Î±',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Î·/,
        ordinal: '%dÎ·',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4st is the first week of the year.
        },
    });

    return el;

})));


/***/ }),

/***/ "./node_modules/moment/locale/en-au.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/en-au.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : English (Australia) [en-au]
//! author : Jared Morse : https://github.com/jarcoal

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var enAu = moment.defineLocale('en-au', {
        months: 'January_February_March_April_May_June_July_August_September_October_November_December'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec'.split('_'),
        weekdays: 'Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday'.split(
            '_'
        ),
        weekdaysShort: 'Sun_Mon_Tue_Wed_Thu_Fri_Sat'.split('_'),
        weekdaysMin: 'Su_Mo_Tu_We_Th_Fr_Sa'.split('_'),
        longDateFormat: {
            LT: 'h:mm A',
            LTS: 'h:mm:ss A',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY h:mm A',
            LLLL: 'dddd, D MMMM YYYY h:mm A',
        },
        calendar: {
            sameDay: '[Today at] LT',
            nextDay: '[Tomorrow at] LT',
            nextWeek: 'dddd [at] LT',
            lastDay: '[Yesterday at] LT',
            lastWeek: '[Last] dddd [at] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'in %s',
            past: '%s ago',
            s: 'a few seconds',
            ss: '%d seconds',
            m: 'a minute',
            mm: '%d minutes',
            h: 'an hour',
            hh: '%d hours',
            d: 'a day',
            dd: '%d days',
            M: 'a month',
            MM: '%d months',
            y: 'a year',
            yy: '%d years',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(st|nd|rd|th)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return enAu;

})));


/***/ }),

/***/ "./node_modules/moment/locale/en-ca.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/en-ca.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : English (Canada) [en-ca]
//! author : Jonathan Abourbih : https://github.com/jonbca

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var enCa = moment.defineLocale('en-ca', {
        months: 'January_February_March_April_May_June_July_August_September_October_November_December'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec'.split('_'),
        weekdays: 'Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday'.split(
            '_'
        ),
        weekdaysShort: 'Sun_Mon_Tue_Wed_Thu_Fri_Sat'.split('_'),
        weekdaysMin: 'Su_Mo_Tu_We_Th_Fr_Sa'.split('_'),
        longDateFormat: {
            LT: 'h:mm A',
            LTS: 'h:mm:ss A',
            L: 'YYYY-MM-DD',
            LL: 'MMMM D, YYYY',
            LLL: 'MMMM D, YYYY h:mm A',
            LLLL: 'dddd, MMMM D, YYYY h:mm A',
        },
        calendar: {
            sameDay: '[Today at] LT',
            nextDay: '[Tomorrow at] LT',
            nextWeek: 'dddd [at] LT',
            lastDay: '[Yesterday at] LT',
            lastWeek: '[Last] dddd [at] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'in %s',
            past: '%s ago',
            s: 'a few seconds',
            ss: '%d seconds',
            m: 'a minute',
            mm: '%d minutes',
            h: 'an hour',
            hh: '%d hours',
            d: 'a day',
            dd: '%d days',
            M: 'a month',
            MM: '%d months',
            y: 'a year',
            yy: '%d years',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(st|nd|rd|th)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
    });

    return enCa;

})));


/***/ }),

/***/ "./node_modules/moment/locale/en-gb.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/en-gb.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : English (United Kingdom) [en-gb]
//! author : Chris Gedrim : https://github.com/chrisgedrim

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var enGb = moment.defineLocale('en-gb', {
        months: 'January_February_March_April_May_June_July_August_September_October_November_December'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec'.split('_'),
        weekdays: 'Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday'.split(
            '_'
        ),
        weekdaysShort: 'Sun_Mon_Tue_Wed_Thu_Fri_Sat'.split('_'),
        weekdaysMin: 'Su_Mo_Tu_We_Th_Fr_Sa'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Today at] LT',
            nextDay: '[Tomorrow at] LT',
            nextWeek: 'dddd [at] LT',
            lastDay: '[Yesterday at] LT',
            lastWeek: '[Last] dddd [at] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'in %s',
            past: '%s ago',
            s: 'a few seconds',
            ss: '%d seconds',
            m: 'a minute',
            mm: '%d minutes',
            h: 'an hour',
            hh: '%d hours',
            d: 'a day',
            dd: '%d days',
            M: 'a month',
            MM: '%d months',
            y: 'a year',
            yy: '%d years',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(st|nd|rd|th)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return enGb;

})));


/***/ }),

/***/ "./node_modules/moment/locale/en-ie.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/en-ie.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : English (Ireland) [en-ie]
//! author : Chris Cartlidge : https://github.com/chriscartlidge

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var enIe = moment.defineLocale('en-ie', {
        months: 'January_February_March_April_May_June_July_August_September_October_November_December'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec'.split('_'),
        weekdays: 'Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday'.split(
            '_'
        ),
        weekdaysShort: 'Sun_Mon_Tue_Wed_Thu_Fri_Sat'.split('_'),
        weekdaysMin: 'Su_Mo_Tu_We_Th_Fr_Sa'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Today at] LT',
            nextDay: '[Tomorrow at] LT',
            nextWeek: 'dddd [at] LT',
            lastDay: '[Yesterday at] LT',
            lastWeek: '[Last] dddd [at] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'in %s',
            past: '%s ago',
            s: 'a few seconds',
            ss: '%d seconds',
            m: 'a minute',
            mm: '%d minutes',
            h: 'an hour',
            hh: '%d hours',
            d: 'a day',
            dd: '%d days',
            M: 'a month',
            MM: '%d months',
            y: 'a year',
            yy: '%d years',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(st|nd|rd|th)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return enIe;

})));


/***/ }),

/***/ "./node_modules/moment/locale/en-il.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/en-il.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : English (Israel) [en-il]
//! author : Chris Gedrim : https://github.com/chrisgedrim

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var enIl = moment.defineLocale('en-il', {
        months: 'January_February_March_April_May_June_July_August_September_October_November_December'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec'.split('_'),
        weekdays: 'Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday'.split(
            '_'
        ),
        weekdaysShort: 'Sun_Mon_Tue_Wed_Thu_Fri_Sat'.split('_'),
        weekdaysMin: 'Su_Mo_Tu_We_Th_Fr_Sa'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Today at] LT',
            nextDay: '[Tomorrow at] LT',
            nextWeek: 'dddd [at] LT',
            lastDay: '[Yesterday at] LT',
            lastWeek: '[Last] dddd [at] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'in %s',
            past: '%s ago',
            s: 'a few seconds',
            ss: '%d seconds',
            m: 'a minute',
            mm: '%d minutes',
            h: 'an hour',
            hh: '%d hours',
            d: 'a day',
            dd: '%d days',
            M: 'a month',
            MM: '%d months',
            y: 'a year',
            yy: '%d years',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(st|nd|rd|th)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
    });

    return enIl;

})));


/***/ }),

/***/ "./node_modules/moment/locale/en-in.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/en-in.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : English (India) [en-in]
//! author : Jatin Agrawal : https://github.com/jatinag22

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var enIn = moment.defineLocale('en-in', {
        months: 'January_February_March_April_May_June_July_August_September_October_November_December'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec'.split('_'),
        weekdays: 'Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday'.split(
            '_'
        ),
        weekdaysShort: 'Sun_Mon_Tue_Wed_Thu_Fri_Sat'.split('_'),
        weekdaysMin: 'Su_Mo_Tu_We_Th_Fr_Sa'.split('_'),
        longDateFormat: {
            LT: 'h:mm A',
            LTS: 'h:mm:ss A',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY h:mm A',
            LLLL: 'dddd, D MMMM YYYY h:mm A',
        },
        calendar: {
            sameDay: '[Today at] LT',
            nextDay: '[Tomorrow at] LT',
            nextWeek: 'dddd [at] LT',
            lastDay: '[Yesterday at] LT',
            lastWeek: '[Last] dddd [at] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'in %s',
            past: '%s ago',
            s: 'a few seconds',
            ss: '%d seconds',
            m: 'a minute',
            mm: '%d minutes',
            h: 'an hour',
            hh: '%d hours',
            d: 'a day',
            dd: '%d days',
            M: 'a month',
            MM: '%d months',
            y: 'a year',
            yy: '%d years',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(st|nd|rd|th)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 1st is the first week of the year.
        },
    });

    return enIn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/en-nz.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/en-nz.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : English (New Zealand) [en-nz]
//! author : Luke McGregor : https://github.com/lukemcgregor

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var enNz = moment.defineLocale('en-nz', {
        months: 'January_February_March_April_May_June_July_August_September_October_November_December'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec'.split('_'),
        weekdays: 'Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday'.split(
            '_'
        ),
        weekdaysShort: 'Sun_Mon_Tue_Wed_Thu_Fri_Sat'.split('_'),
        weekdaysMin: 'Su_Mo_Tu_We_Th_Fr_Sa'.split('_'),
        longDateFormat: {
            LT: 'h:mm A',
            LTS: 'h:mm:ss A',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY h:mm A',
            LLLL: 'dddd, D MMMM YYYY h:mm A',
        },
        calendar: {
            sameDay: '[Today at] LT',
            nextDay: '[Tomorrow at] LT',
            nextWeek: 'dddd [at] LT',
            lastDay: '[Yesterday at] LT',
            lastWeek: '[Last] dddd [at] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'in %s',
            past: '%s ago',
            s: 'a few seconds',
            ss: '%d seconds',
            m: 'a minute',
            mm: '%d minutes',
            h: 'an hour',
            hh: '%d hours',
            d: 'a day',
            dd: '%d days',
            M: 'a month',
            MM: '%d months',
            y: 'a year',
            yy: '%d years',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(st|nd|rd|th)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return enNz;

})));


/***/ }),

/***/ "./node_modules/moment/locale/en-sg.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/en-sg.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : English (Singapore) [en-sg]
//! author : Matthew Castrillon-Madrigal : https://github.com/techdimension

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var enSg = moment.defineLocale('en-sg', {
        months: 'January_February_March_April_May_June_July_August_September_October_November_December'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec'.split('_'),
        weekdays: 'Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday'.split(
            '_'
        ),
        weekdaysShort: 'Sun_Mon_Tue_Wed_Thu_Fri_Sat'.split('_'),
        weekdaysMin: 'Su_Mo_Tu_We_Th_Fr_Sa'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Today at] LT',
            nextDay: '[Tomorrow at] LT',
            nextWeek: 'dddd [at] LT',
            lastDay: '[Yesterday at] LT',
            lastWeek: '[Last] dddd [at] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'in %s',
            past: '%s ago',
            s: 'a few seconds',
            ss: '%d seconds',
            m: 'a minute',
            mm: '%d minutes',
            h: 'an hour',
            hh: '%d hours',
            d: 'a day',
            dd: '%d days',
            M: 'a month',
            MM: '%d months',
            y: 'a year',
            yy: '%d years',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(st|nd|rd|th)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return enSg;

})));


/***/ }),

/***/ "./node_modules/moment/locale/eo.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/eo.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Esperanto [eo]
//! author : Colin Dean : https://github.com/colindean
//! author : Mia Nordentoft Imperatori : https://github.com/miestasmia
//! comment : miestasmia corrected the translation by colindean
//! comment : Vivakvo corrected the translation by colindean and miestasmia

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var eo = moment.defineLocale('eo', {
        months: 'januaro_februaro_marto_aprilo_majo_junio_julio_aÅ­gusto_septembro_oktobro_novembro_decembro'.split(
            '_'
        ),
        monthsShort: 'jan_feb_mart_apr_maj_jun_jul_aÅ­g_sept_okt_nov_dec'.split('_'),
        weekdays: 'dimanÄ‰o_lundo_mardo_merkredo_ÄµaÅ­do_vendredo_sabato'.split('_'),
        weekdaysShort: 'dim_lun_mard_merk_ÄµaÅ­_ven_sab'.split('_'),
        weekdaysMin: 'di_lu_ma_me_Äµa_ve_sa'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY-MM-DD',
            LL: '[la] D[-an de] MMMM, YYYY',
            LLL: '[la] D[-an de] MMMM, YYYY HH:mm',
            LLLL: 'dddd[n], [la] D[-an de] MMMM, YYYY HH:mm',
            llll: 'ddd, [la] D[-an de] MMM, YYYY HH:mm',
        },
        meridiemParse: /[ap]\.t\.m/i,
        isPM: function (input) {
            return input.charAt(0).toLowerCase() === 'p';
        },
        meridiem: function (hours, minutes, isLower) {
            if (hours &gt; 11) {
                return isLower ? 'p.t.m.' : 'P.T.M.';
            } else {
                return isLower ? 'a.t.m.' : 'A.T.M.';
            }
        },
        calendar: {
            sameDay: '[HodiaÅ­ je] LT',
            nextDay: '[MorgaÅ­ je] LT',
            nextWeek: 'dddd[n je] LT',
            lastDay: '[HieraÅ­ je] LT',
            lastWeek: '[pasintan] dddd[n je] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'post %s',
            past: 'antaÅ­ %s',
            s: 'kelkaj sekundoj',
            ss: '%d sekundoj',
            m: 'unu minuto',
            mm: '%d minutoj',
            h: 'unu horo',
            hh: '%d horoj',
            d: 'unu tago', //ne 'diurno', Ä‰ar estas uzita por proksimumo
            dd: '%d tagoj',
            M: 'unu monato',
            MM: '%d monatoj',
            y: 'unu jaro',
            yy: '%d jaroj',
        },
        dayOfMonthOrdinalParse: /\d{1,2}a/,
        ordinal: '%da',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return eo;

})));


/***/ }),

/***/ "./node_modules/moment/locale/es-do.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/es-do.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Spanish (Dominican Republic) [es-do]

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var monthsShortDot =
            'ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.'.split(
                '_'
            ),
        monthsShort = 'ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic'.split('_'),
        monthsParse = [
            /^ene/i,
            /^feb/i,
            /^mar/i,
            /^abr/i,
            /^may/i,
            /^jun/i,
            /^jul/i,
            /^ago/i,
            /^sep/i,
            /^oct/i,
            /^nov/i,
            /^dic/i,
        ],
        monthsRegex =
            /^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;

    var esDo = moment.defineLocale('es-do', {
        months: 'enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre'.split(
            '_'
        ),
        monthsShort: function (m, format) {
            if (!m) {
                return monthsShortDot;
            } else if (/-MMM-/.test(format)) {
                return monthsShort[m.month()];
            } else {
                return monthsShortDot[m.month()];
            }
        },
        monthsRegex: monthsRegex,
        monthsShortRegex: monthsRegex,
        monthsStrictRegex:
            /^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,
        monthsShortStrictRegex:
            /^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,
        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,
        weekdays: 'domingo_lunes_martes_miÃ©rcoles_jueves_viernes_sÃ¡bado'.split('_'),
        weekdaysShort: 'dom._lun._mar._miÃ©._jue._vie._sÃ¡b.'.split('_'),
        weekdaysMin: 'do_lu_ma_mi_ju_vi_sÃ¡'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'h:mm A',
            LTS: 'h:mm:ss A',
            L: 'DD/MM/YYYY',
            LL: 'D [de] MMMM [de] YYYY',
            LLL: 'D [de] MMMM [de] YYYY h:mm A',
            LLLL: 'dddd, D [de] MMMM [de] YYYY h:mm A',
        },
        calendar: {
            sameDay: function () {
                return '[hoy a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            nextDay: function () {
                return '[maÃ±ana a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            nextWeek: function () {
                return 'dddd [a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            lastDay: function () {
                return '[ayer a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            lastWeek: function () {
                return (
                    '[el] dddd [pasado a la' +
                    (this.hours() !== 1 ? 's' : '') +
                    '] LT'
                );
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'en %s',
            past: 'hace %s',
            s: 'unos segundos',
            ss: '%d segundos',
            m: 'un minuto',
            mm: '%d minutos',
            h: 'una hora',
            hh: '%d horas',
            d: 'un dÃ­a',
            dd: '%d dÃ­as',
            w: 'una semana',
            ww: '%d semanas',
            M: 'un mes',
            MM: '%d meses',
            y: 'un aÃ±o',
            yy: '%d aÃ±os',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return esDo;

})));


/***/ }),

/***/ "./node_modules/moment/locale/es-mx.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/es-mx.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Spanish (Mexico) [es-mx]
//! author : JC Franco : https://github.com/jcfranco

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var monthsShortDot =
            'ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.'.split(
                '_'
            ),
        monthsShort = 'ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic'.split('_'),
        monthsParse = [
            /^ene/i,
            /^feb/i,
            /^mar/i,
            /^abr/i,
            /^may/i,
            /^jun/i,
            /^jul/i,
            /^ago/i,
            /^sep/i,
            /^oct/i,
            /^nov/i,
            /^dic/i,
        ],
        monthsRegex =
            /^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;

    var esMx = moment.defineLocale('es-mx', {
        months: 'enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre'.split(
            '_'
        ),
        monthsShort: function (m, format) {
            if (!m) {
                return monthsShortDot;
            } else if (/-MMM-/.test(format)) {
                return monthsShort[m.month()];
            } else {
                return monthsShortDot[m.month()];
            }
        },
        monthsRegex: monthsRegex,
        monthsShortRegex: monthsRegex,
        monthsStrictRegex:
            /^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,
        monthsShortStrictRegex:
            /^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,
        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,
        weekdays: 'domingo_lunes_martes_miÃ©rcoles_jueves_viernes_sÃ¡bado'.split('_'),
        weekdaysShort: 'dom._lun._mar._miÃ©._jue._vie._sÃ¡b.'.split('_'),
        weekdaysMin: 'do_lu_ma_mi_ju_vi_sÃ¡'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D [de] MMMM [de] YYYY',
            LLL: 'D [de] MMMM [de] YYYY H:mm',
            LLLL: 'dddd, D [de] MMMM [de] YYYY H:mm',
        },
        calendar: {
            sameDay: function () {
                return '[hoy a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            nextDay: function () {
                return '[maÃ±ana a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            nextWeek: function () {
                return 'dddd [a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            lastDay: function () {
                return '[ayer a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            lastWeek: function () {
                return (
                    '[el] dddd [pasado a la' +
                    (this.hours() !== 1 ? 's' : '') +
                    '] LT'
                );
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'en %s',
            past: 'hace %s',
            s: 'unos segundos',
            ss: '%d segundos',
            m: 'un minuto',
            mm: '%d minutos',
            h: 'una hora',
            hh: '%d horas',
            d: 'un dÃ­a',
            dd: '%d dÃ­as',
            w: 'una semana',
            ww: '%d semanas',
            M: 'un mes',
            MM: '%d meses',
            y: 'un aÃ±o',
            yy: '%d aÃ±os',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
        invalidDate: 'Fecha invÃ¡lida',
    });

    return esMx;

})));


/***/ }),

/***/ "./node_modules/moment/locale/es-us.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/es-us.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Spanish (United States) [es-us]
//! author : bustta : https://github.com/bustta
//! author : chrisrodz : https://github.com/chrisrodz

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var monthsShortDot =
            'ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.'.split(
                '_'
            ),
        monthsShort = 'ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic'.split('_'),
        monthsParse = [
            /^ene/i,
            /^feb/i,
            /^mar/i,
            /^abr/i,
            /^may/i,
            /^jun/i,
            /^jul/i,
            /^ago/i,
            /^sep/i,
            /^oct/i,
            /^nov/i,
            /^dic/i,
        ],
        monthsRegex =
            /^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;

    var esUs = moment.defineLocale('es-us', {
        months: 'enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre'.split(
            '_'
        ),
        monthsShort: function (m, format) {
            if (!m) {
                return monthsShortDot;
            } else if (/-MMM-/.test(format)) {
                return monthsShort[m.month()];
            } else {
                return monthsShortDot[m.month()];
            }
        },
        monthsRegex: monthsRegex,
        monthsShortRegex: monthsRegex,
        monthsStrictRegex:
            /^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,
        monthsShortStrictRegex:
            /^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,
        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,
        weekdays: 'domingo_lunes_martes_miÃ©rcoles_jueves_viernes_sÃ¡bado'.split('_'),
        weekdaysShort: 'dom._lun._mar._miÃ©._jue._vie._sÃ¡b.'.split('_'),
        weekdaysMin: 'do_lu_ma_mi_ju_vi_sÃ¡'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'h:mm A',
            LTS: 'h:mm:ss A',
            L: 'MM/DD/YYYY',
            LL: 'D [de] MMMM [de] YYYY',
            LLL: 'D [de] MMMM [de] YYYY h:mm A',
            LLLL: 'dddd, D [de] MMMM [de] YYYY h:mm A',
        },
        calendar: {
            sameDay: function () {
                return '[hoy a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            nextDay: function () {
                return '[maÃ±ana a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            nextWeek: function () {
                return 'dddd [a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            lastDay: function () {
                return '[ayer a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            lastWeek: function () {
                return (
                    '[el] dddd [pasado a la' +
                    (this.hours() !== 1 ? 's' : '') +
                    '] LT'
                );
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'en %s',
            past: 'hace %s',
            s: 'unos segundos',
            ss: '%d segundos',
            m: 'un minuto',
            mm: '%d minutos',
            h: 'una hora',
            hh: '%d horas',
            d: 'un dÃ­a',
            dd: '%d dÃ­as',
            w: 'una semana',
            ww: '%d semanas',
            M: 'un mes',
            MM: '%d meses',
            y: 'un aÃ±o',
            yy: '%d aÃ±os',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return esUs;

})));


/***/ }),

/***/ "./node_modules/moment/locale/es.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/es.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Spanish [es]
//! author : Julio NapurÃ­ : https://github.com/julionc

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var monthsShortDot =
            'ene._feb._mar._abr._may._jun._jul._ago._sep._oct._nov._dic.'.split(
                '_'
            ),
        monthsShort = 'ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic'.split('_'),
        monthsParse = [
            /^ene/i,
            /^feb/i,
            /^mar/i,
            /^abr/i,
            /^may/i,
            /^jun/i,
            /^jul/i,
            /^ago/i,
            /^sep/i,
            /^oct/i,
            /^nov/i,
            /^dic/i,
        ],
        monthsRegex =
            /^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre|ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i;

    var es = moment.defineLocale('es', {
        months: 'enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre'.split(
            '_'
        ),
        monthsShort: function (m, format) {
            if (!m) {
                return monthsShortDot;
            } else if (/-MMM-/.test(format)) {
                return monthsShort[m.month()];
            } else {
                return monthsShortDot[m.month()];
            }
        },
        monthsRegex: monthsRegex,
        monthsShortRegex: monthsRegex,
        monthsStrictRegex:
            /^(enero|febrero|marzo|abril|mayo|junio|julio|agosto|septiembre|octubre|noviembre|diciembre)/i,
        monthsShortStrictRegex:
            /^(ene\.?|feb\.?|mar\.?|abr\.?|may\.?|jun\.?|jul\.?|ago\.?|sep\.?|oct\.?|nov\.?|dic\.?)/i,
        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,
        weekdays: 'domingo_lunes_martes_miÃ©rcoles_jueves_viernes_sÃ¡bado'.split('_'),
        weekdaysShort: 'dom._lun._mar._miÃ©._jue._vie._sÃ¡b.'.split('_'),
        weekdaysMin: 'do_lu_ma_mi_ju_vi_sÃ¡'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D [de] MMMM [de] YYYY',
            LLL: 'D [de] MMMM [de] YYYY H:mm',
            LLLL: 'dddd, D [de] MMMM [de] YYYY H:mm',
        },
        calendar: {
            sameDay: function () {
                return '[hoy a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            nextDay: function () {
                return '[maÃ±ana a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            nextWeek: function () {
                return 'dddd [a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            lastDay: function () {
                return '[ayer a la' + (this.hours() !== 1 ? 's' : '') + '] LT';
            },
            lastWeek: function () {
                return (
                    '[el] dddd [pasado a la' +
                    (this.hours() !== 1 ? 's' : '') +
                    '] LT'
                );
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'en %s',
            past: 'hace %s',
            s: 'unos segundos',
            ss: '%d segundos',
            m: 'un minuto',
            mm: '%d minutos',
            h: 'una hora',
            hh: '%d horas',
            d: 'un dÃ­a',
            dd: '%d dÃ­as',
            w: 'una semana',
            ww: '%d semanas',
            M: 'un mes',
            MM: '%d meses',
            y: 'un aÃ±o',
            yy: '%d aÃ±os',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
        invalidDate: 'Fecha invÃ¡lida',
    });

    return es;

})));


/***/ }),

/***/ "./node_modules/moment/locale/et.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/et.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Estonian [et]
//! author : Henry Kehlmann : https://github.com/madhenry
//! improvements : Illimar Tambek : https://github.com/ragulka

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function processRelativeTime(number, withoutSuffix, key, isFuture) {
        var format = {
            s: ['mÃµne sekundi', 'mÃµni sekund', 'paar sekundit'],
            ss: [number + 'sekundi', number + 'sekundit'],
            m: ['Ã¼he minuti', 'Ã¼ks minut'],
            mm: [number + ' minuti', number + ' minutit'],
            h: ['Ã¼he tunni', 'tund aega', 'Ã¼ks tund'],
            hh: [number + ' tunni', number + ' tundi'],
            d: ['Ã¼he pÃ¤eva', 'Ã¼ks pÃ¤ev'],
            M: ['kuu aja', 'kuu aega', 'Ã¼ks kuu'],
            MM: [number + ' kuu', number + ' kuud'],
            y: ['Ã¼he aasta', 'aasta', 'Ã¼ks aasta'],
            yy: [number + ' aasta', number + ' aastat'],
        };
        if (withoutSuffix) {
            return format[key][2] ? format[key][2] : format[key][1];
        }
        return isFuture ? format[key][0] : format[key][1];
    }

    var et = moment.defineLocale('et', {
        months: 'jaanuar_veebruar_mÃ¤rts_aprill_mai_juuni_juuli_august_september_oktoober_november_detsember'.split(
            '_'
        ),
        monthsShort:
            'jaan_veebr_mÃ¤rts_apr_mai_juuni_juuli_aug_sept_okt_nov_dets'.split('_'),
        weekdays:
            'pÃ¼hapÃ¤ev_esmaspÃ¤ev_teisipÃ¤ev_kolmapÃ¤ev_neljapÃ¤ev_reede_laupÃ¤ev'.split(
                '_'
            ),
        weekdaysShort: 'P_E_T_K_N_R_L'.split('_'),
        weekdaysMin: 'P_E_T_K_N_R_L'.split('_'),
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY H:mm',
            LLLL: 'dddd, D. MMMM YYYY H:mm',
        },
        calendar: {
            sameDay: '[TÃ¤na,] LT',
            nextDay: '[Homme,] LT',
            nextWeek: '[JÃ¤rgmine] dddd LT',
            lastDay: '[Eile,] LT',
            lastWeek: '[Eelmine] dddd LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s pÃ¤rast',
            past: '%s tagasi',
            s: processRelativeTime,
            ss: processRelativeTime,
            m: processRelativeTime,
            mm: processRelativeTime,
            h: processRelativeTime,
            hh: processRelativeTime,
            d: processRelativeTime,
            dd: '%d pÃ¤eva',
            M: processRelativeTime,
            MM: processRelativeTime,
            y: processRelativeTime,
            yy: processRelativeTime,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return et;

})));


/***/ }),

/***/ "./node_modules/moment/locale/eu.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/eu.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Basque [eu]
//! author : Eneko Illarramendi : https://github.com/eillarra

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var eu = moment.defineLocale('eu', {
        months: 'urtarrila_otsaila_martxoa_apirila_maiatza_ekaina_uztaila_abuztua_iraila_urria_azaroa_abendua'.split(
            '_'
        ),
        monthsShort:
            'urt._ots._mar._api._mai._eka._uzt._abu._ira._urr._aza._abe.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays:
            'igandea_astelehena_asteartea_asteazkena_osteguna_ostirala_larunbata'.split(
                '_'
            ),
        weekdaysShort: 'ig._al._ar._az._og._ol._lr.'.split('_'),
        weekdaysMin: 'ig_al_ar_az_og_ol_lr'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY-MM-DD',
            LL: 'YYYY[ko] MMMM[ren] D[a]',
            LLL: 'YYYY[ko] MMMM[ren] D[a] HH:mm',
            LLLL: 'dddd, YYYY[ko] MMMM[ren] D[a] HH:mm',
            l: 'YYYY-M-D',
            ll: 'YYYY[ko] MMM D[a]',
            lll: 'YYYY[ko] MMM D[a] HH:mm',
            llll: 'ddd, YYYY[ko] MMM D[a] HH:mm',
        },
        calendar: {
            sameDay: '[gaur] LT[etan]',
            nextDay: '[bihar] LT[etan]',
            nextWeek: 'dddd LT[etan]',
            lastDay: '[atzo] LT[etan]',
            lastWeek: '[aurreko] dddd LT[etan]',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s barru',
            past: 'duela %s',
            s: 'segundo batzuk',
            ss: '%d segundo',
            m: 'minutu bat',
            mm: '%d minutu',
            h: 'ordu bat',
            hh: '%d ordu',
            d: 'egun bat',
            dd: '%d egun',
            M: 'hilabete bat',
            MM: '%d hilabete',
            y: 'urte bat',
            yy: '%d urte',
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return eu;

})));


/***/ }),

/***/ "./node_modules/moment/locale/fa.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/fa.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Persian [fa]
//! author : Ebrahim Byagowi : https://github.com/ebraminio

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'Û±',
            2: 'Û²',
            3: 'Û³',
            4: 'Û´',
            5: 'Ûµ',
            6: 'Û¶',
            7: 'Û·',
            8: 'Û¸',
            9: 'Û¹',
            0: 'Û°',
        },
        numberMap = {
            'Û±': '1',
            'Û²': '2',
            'Û³': '3',
            'Û´': '4',
            'Ûµ': '5',
            'Û¶': '6',
            'Û·': '7',
            'Û¸': '8',
            'Û¹': '9',
            'Û°': '0',
        };

    var fa = moment.defineLocale('fa', {
        months: 'Ú˜Ø§Ù†ÙˆÛŒÙ‡_ÙÙˆØ±ÛŒÙ‡_Ù…Ø§Ø±Ø³_Ø¢ÙˆØ±ÛŒÙ„_Ù…Ù‡_Ú˜ÙˆØ¦Ù†_Ú˜ÙˆØ¦ÛŒÙ‡_Ø§ÙˆØª_Ø³Ù¾ØªØ§Ù…Ø¨Ø±_Ø§Ú©ØªØ¨Ø±_Ù†ÙˆØ§Ù…Ø¨Ø±_Ø¯Ø³Ø§Ù…Ø¨Ø±'.split(
            '_'
        ),
        monthsShort:
            'Ú˜Ø§Ù†ÙˆÛŒÙ‡_ÙÙˆØ±ÛŒÙ‡_Ù…Ø§Ø±Ø³_Ø¢ÙˆØ±ÛŒÙ„_Ù…Ù‡_Ú˜ÙˆØ¦Ù†_Ú˜ÙˆØ¦ÛŒÙ‡_Ø§ÙˆØª_Ø³Ù¾ØªØ§Ù…Ø¨Ø±_Ø§Ú©ØªØ¨Ø±_Ù†ÙˆØ§Ù…Ø¨Ø±_Ø¯Ø³Ø§Ù…Ø¨Ø±'.split(
                '_'
            ),
        weekdays:
            'ÛŒÚ©\u200cØ´Ù†Ø¨Ù‡_Ø¯ÙˆØ´Ù†Ø¨Ù‡_Ø³Ù‡\u200cØ´Ù†Ø¨Ù‡_Ú†Ù‡Ø§Ø±Ø´Ù†Ø¨Ù‡_Ù¾Ù†Ø¬\u200cØ´Ù†Ø¨Ù‡_Ø¬Ù…Ø¹Ù‡_Ø´Ù†Ø¨Ù‡'.split(
                '_'
            ),
        weekdaysShort:
            'ÛŒÚ©\u200cØ´Ù†Ø¨Ù‡_Ø¯ÙˆØ´Ù†Ø¨Ù‡_Ø³Ù‡\u200cØ´Ù†Ø¨Ù‡_Ú†Ù‡Ø§Ø±Ø´Ù†Ø¨Ù‡_Ù¾Ù†Ø¬\u200cØ´Ù†Ø¨Ù‡_Ø¬Ù…Ø¹Ù‡_Ø´Ù†Ø¨Ù‡'.split(
                '_'
            ),
        weekdaysMin: 'ÛŒ_Ø¯_Ø³_Ú†_Ù¾_Ø¬_Ø´'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        meridiemParse: /Ù‚Ø¨Ù„ Ø§Ø² Ø¸Ù‡Ø±|Ø¨Ø¹Ø¯ Ø§Ø² Ø¸Ù‡Ø±/,
        isPM: function (input) {
            return /Ø¨Ø¹Ø¯ Ø§Ø² Ø¸Ù‡Ø±/.test(input);
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'Ù‚Ø¨Ù„ Ø§Ø² Ø¸Ù‡Ø±';
            } else {
                return 'Ø¨Ø¹Ø¯ Ø§Ø² Ø¸Ù‡Ø±';
            }
        },
        calendar: {
            sameDay: '[Ø§Ù…Ø±ÙˆØ² Ø³Ø§Ø¹Øª] LT',
            nextDay: '[ÙØ±Ø¯Ø§ Ø³Ø§Ø¹Øª] LT',
            nextWeek: 'dddd [Ø³Ø§Ø¹Øª] LT',
            lastDay: '[Ø¯ÛŒØ±ÙˆØ² Ø³Ø§Ø¹Øª] LT',
            lastWeek: 'dddd [Ù¾ÛŒØ´] [Ø³Ø§Ø¹Øª] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ø¯Ø± %s',
            past: '%s Ù¾ÛŒØ´',
            s: 'Ú†Ù†Ø¯ Ø«Ø§Ù†ÛŒÙ‡',
            ss: '%d Ø«Ø§Ù†ÛŒÙ‡',
            m: 'ÛŒÚ© Ø¯Ù‚ÛŒÙ‚Ù‡',
            mm: '%d Ø¯Ù‚ÛŒÙ‚Ù‡',
            h: 'ÛŒÚ© Ø³Ø§Ø¹Øª',
            hh: '%d Ø³Ø§Ø¹Øª',
            d: 'ÛŒÚ© Ø±ÙˆØ²',
            dd: '%d Ø±ÙˆØ²',
            M: 'ÛŒÚ© Ù…Ø§Ù‡',
            MM: '%d Ù…Ø§Ù‡',
            y: 'ÛŒÚ© Ø³Ø§Ù„',
            yy: '%d Ø³Ø§Ù„',
        },
        preparse: function (string) {
            return string
                .replace(/[Û°-Û¹]/g, function (match) {
                    return numberMap[match];
                })
                .replace(/ØŒ/g, ',');
        },
        postformat: function (string) {
            return string
                .replace(/\d/g, function (match) {
                    return symbolMap[match];
                })
                .replace(/,/g, 'ØŒ');
        },
        dayOfMonthOrdinalParse: /\d{1,2}Ù…/,
        ordinal: '%dÙ…',
        week: {
            dow: 6, // Saturday is the first day of the week.
            doy: 12, // The week that contains Jan 12th is the first week of the year.
        },
    });

    return fa;

})));


/***/ }),

/***/ "./node_modules/moment/locale/fi.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/fi.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Finnish [fi]
//! author : Tarmo Aidantausta : https://github.com/bleadof

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var numbersPast =
            'nolla yksi kaksi kolme neljÃ¤ viisi kuusi seitsemÃ¤n kahdeksan yhdeksÃ¤n'.split(
                ' '
            ),
        numbersFuture = [
            'nolla',
            'yhden',
            'kahden',
            'kolmen',
            'neljÃ¤n',
            'viiden',
            'kuuden',
            numbersPast[7],
            numbersPast[8],
            numbersPast[9],
        ];
    function translate(number, withoutSuffix, key, isFuture) {
        var result = '';
        switch (key) {
            case 's':
                return isFuture ? 'muutaman sekunnin' : 'muutama sekunti';
            case 'ss':
                result = isFuture ? 'sekunnin' : 'sekuntia';
                break;
            case 'm':
                return isFuture ? 'minuutin' : 'minuutti';
            case 'mm':
                result = isFuture ? 'minuutin' : 'minuuttia';
                break;
            case 'h':
                return isFuture ? 'tunnin' : 'tunti';
            case 'hh':
                result = isFuture ? 'tunnin' : 'tuntia';
                break;
            case 'd':
                return isFuture ? 'pÃ¤ivÃ¤n' : 'pÃ¤ivÃ¤';
            case 'dd':
                result = isFuture ? 'pÃ¤ivÃ¤n' : 'pÃ¤ivÃ¤Ã¤';
                break;
            case 'M':
                return isFuture ? 'kuukauden' : 'kuukausi';
            case 'MM':
                result = isFuture ? 'kuukauden' : 'kuukautta';
                break;
            case 'y':
                return isFuture ? 'vuoden' : 'vuosi';
            case 'yy':
                result = isFuture ? 'vuoden' : 'vuotta';
                break;
        }
        result = verbalNumber(number, isFuture) + ' ' + result;
        return result;
    }
    function verbalNumber(number, isFuture) {
        return number &lt; 10
            ? isFuture
                ? numbersFuture[number]
                : numbersPast[number]
            : number;
    }

    var fi = moment.defineLocale('fi', {
        months: 'tammikuu_helmikuu_maaliskuu_huhtikuu_toukokuu_kesÃ¤kuu_heinÃ¤kuu_elokuu_syyskuu_lokakuu_marraskuu_joulukuu'.split(
            '_'
        ),
        monthsShort:
            'tammi_helmi_maalis_huhti_touko_kesÃ¤_heinÃ¤_elo_syys_loka_marras_joulu'.split(
                '_'
            ),
        weekdays:
            'sunnuntai_maanantai_tiistai_keskiviikko_torstai_perjantai_lauantai'.split(
                '_'
            ),
        weekdaysShort: 'su_ma_ti_ke_to_pe_la'.split('_'),
        weekdaysMin: 'su_ma_ti_ke_to_pe_la'.split('_'),
        longDateFormat: {
            LT: 'HH.mm',
            LTS: 'HH.mm.ss',
            L: 'DD.MM.YYYY',
            LL: 'Do MMMM[ta] YYYY',
            LLL: 'Do MMMM[ta] YYYY, [klo] HH.mm',
            LLLL: 'dddd, Do MMMM[ta] YYYY, [klo] HH.mm',
            l: 'D.M.YYYY',
            ll: 'Do MMM YYYY',
            lll: 'Do MMM YYYY, [klo] HH.mm',
            llll: 'ddd, Do MMM YYYY, [klo] HH.mm',
        },
        calendar: {
            sameDay: '[tÃ¤nÃ¤Ã¤n] [klo] LT',
            nextDay: '[huomenna] [klo] LT',
            nextWeek: 'dddd [klo] LT',
            lastDay: '[eilen] [klo] LT',
            lastWeek: '[viime] dddd[na] [klo] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s pÃ¤Ã¤stÃ¤',
            past: '%s sitten',
            s: translate,
            ss: translate,
            m: translate,
            mm: translate,
            h: translate,
            hh: translate,
            d: translate,
            dd: translate,
            M: translate,
            MM: translate,
            y: translate,
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return fi;

})));


/***/ }),

/***/ "./node_modules/moment/locale/fil.js":
/*!*******************************************!*\
  !*** ./node_modules/moment/locale/fil.js ***!
  \*******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Filipino [fil]
//! author : Dan Hagman : https://github.com/hagmandan
//! author : Matthew Co : https://github.com/matthewdeeco

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var fil = moment.defineLocale('fil', {
        months: 'Enero_Pebrero_Marso_Abril_Mayo_Hunyo_Hulyo_Agosto_Setyembre_Oktubre_Nobyembre_Disyembre'.split(
            '_'
        ),
        monthsShort: 'Ene_Peb_Mar_Abr_May_Hun_Hul_Ago_Set_Okt_Nob_Dis'.split('_'),
        weekdays: 'Linggo_Lunes_Martes_Miyerkules_Huwebes_Biyernes_Sabado'.split(
            '_'
        ),
        weekdaysShort: 'Lin_Lun_Mar_Miy_Huw_Biy_Sab'.split('_'),
        weekdaysMin: 'Li_Lu_Ma_Mi_Hu_Bi_Sab'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'MM/D/YYYY',
            LL: 'MMMM D, YYYY',
            LLL: 'MMMM D, YYYY HH:mm',
            LLLL: 'dddd, MMMM DD, YYYY HH:mm',
        },
        calendar: {
            sameDay: 'LT [ngayong araw]',
            nextDay: '[Bukas ng] LT',
            nextWeek: 'LT [sa susunod na] dddd',
            lastDay: 'LT [kahapon]',
            lastWeek: 'LT [noong nakaraang] dddd',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'sa loob ng %s',
            past: '%s ang nakalipas',
            s: 'ilang segundo',
            ss: '%d segundo',
            m: 'isang minuto',
            mm: '%d minuto',
            h: 'isang oras',
            hh: '%d oras',
            d: 'isang araw',
            dd: '%d araw',
            M: 'isang buwan',
            MM: '%d buwan',
            y: 'isang taon',
            yy: '%d taon',
        },
        dayOfMonthOrdinalParse: /\d{1,2}/,
        ordinal: function (number) {
            return number;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return fil;

})));


/***/ }),

/***/ "./node_modules/moment/locale/fo.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/fo.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Faroese [fo]
//! author : Ragnar Johannesen : https://github.com/ragnar123
//! author : Kristian Sakarisson : https://github.com/sakarisson

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var fo = moment.defineLocale('fo', {
        months: 'januar_februar_mars_aprÃ­l_mai_juni_juli_august_september_oktober_november_desember'.split(
            '_'
        ),
        monthsShort: 'jan_feb_mar_apr_mai_jun_jul_aug_sep_okt_nov_des'.split('_'),
        weekdays:
            'sunnudagur_mÃ¡nadagur_tÃ½sdagur_mikudagur_hÃ³sdagur_frÃ­ggjadagur_leygardagur'.split(
                '_'
            ),
        weekdaysShort: 'sun_mÃ¡n_tÃ½s_mik_hÃ³s_frÃ­_ley'.split('_'),
        weekdaysMin: 'su_mÃ¡_tÃ½_mi_hÃ³_fr_le'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D. MMMM, YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Ã dag kl.] LT',
            nextDay: '[Ã morgin kl.] LT',
            nextWeek: 'dddd [kl.] LT',
            lastDay: '[Ã gjÃ¡r kl.] LT',
            lastWeek: '[sÃ­Ã°stu] dddd [kl] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'um %s',
            past: '%s sÃ­Ã°ani',
            s: 'fÃ¡ sekund',
            ss: '%d sekundir',
            m: 'ein minuttur',
            mm: '%d minuttir',
            h: 'ein tÃ­mi',
            hh: '%d tÃ­mar',
            d: 'ein dagur',
            dd: '%d dagar',
            M: 'ein mÃ¡naÃ°ur',
            MM: '%d mÃ¡naÃ°ir',
            y: 'eitt Ã¡r',
            yy: '%d Ã¡r',
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return fo;

})));


/***/ }),

/***/ "./node_modules/moment/locale/fr-ca.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/fr-ca.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : French (Canada) [fr-ca]
//! author : Jonathan Abourbih : https://github.com/jonbca

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var frCa = moment.defineLocale('fr-ca', {
        months: 'janvier_fÃ©vrier_mars_avril_mai_juin_juillet_aoÃ»t_septembre_octobre_novembre_dÃ©cembre'.split(
            '_'
        ),
        monthsShort:
            'janv._fÃ©vr._mars_avr._mai_juin_juil._aoÃ»t_sept._oct._nov._dÃ©c.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi'.split('_'),
        weekdaysShort: 'dim._lun._mar._mer._jeu._ven._sam.'.split('_'),
        weekdaysMin: 'di_lu_ma_me_je_ve_sa'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY-MM-DD',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Aujourdâ€™hui Ã&nbsp;] LT',
            nextDay: '[Demain Ã&nbsp;] LT',
            nextWeek: 'dddd [Ã&nbsp;] LT',
            lastDay: '[Hier Ã&nbsp;] LT',
            lastWeek: 'dddd [dernier Ã&nbsp;] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'dans %s',
            past: 'il y a %s',
            s: 'quelques secondes',
            ss: '%d secondes',
            m: 'une minute',
            mm: '%d minutes',
            h: 'une heure',
            hh: '%d heures',
            d: 'un jour',
            dd: '%d jours',
            M: 'un mois',
            MM: '%d mois',
            y: 'un an',
            yy: '%d ans',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(er|e)/,
        ordinal: function (number, period) {
            switch (period) {
                // Words with masculine grammatical gender: mois, trimestre, jour
                default:
                case 'M':
                case 'Q':
                case 'D':
                case 'DDD':
                case 'd':
                    return number + (number === 1 ? 'er' : 'e');

                // Words with feminine grammatical gender: semaine
                case 'w':
                case 'W':
                    return number + (number === 1 ? 're' : 'e');
            }
        },
    });

    return frCa;

})));


/***/ }),

/***/ "./node_modules/moment/locale/fr-ch.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/fr-ch.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : French (Switzerland) [fr-ch]
//! author : Gaspard Bucher : https://github.com/gaspard

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var frCh = moment.defineLocale('fr-ch', {
        months: 'janvier_fÃ©vrier_mars_avril_mai_juin_juillet_aoÃ»t_septembre_octobre_novembre_dÃ©cembre'.split(
            '_'
        ),
        monthsShort:
            'janv._fÃ©vr._mars_avr._mai_juin_juil._aoÃ»t_sept._oct._nov._dÃ©c.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi'.split('_'),
        weekdaysShort: 'dim._lun._mar._mer._jeu._ven._sam.'.split('_'),
        weekdaysMin: 'di_lu_ma_me_je_ve_sa'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Aujourdâ€™hui Ã&nbsp;] LT',
            nextDay: '[Demain Ã&nbsp;] LT',
            nextWeek: 'dddd [Ã&nbsp;] LT',
            lastDay: '[Hier Ã&nbsp;] LT',
            lastWeek: 'dddd [dernier Ã&nbsp;] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'dans %s',
            past: 'il y a %s',
            s: 'quelques secondes',
            ss: '%d secondes',
            m: 'une minute',
            mm: '%d minutes',
            h: 'une heure',
            hh: '%d heures',
            d: 'un jour',
            dd: '%d jours',
            M: 'un mois',
            MM: '%d mois',
            y: 'un an',
            yy: '%d ans',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(er|e)/,
        ordinal: function (number, period) {
            switch (period) {
                // Words with masculine grammatical gender: mois, trimestre, jour
                default:
                case 'M':
                case 'Q':
                case 'D':
                case 'DDD':
                case 'd':
                    return number + (number === 1 ? 'er' : 'e');

                // Words with feminine grammatical gender: semaine
                case 'w':
                case 'W':
                    return number + (number === 1 ? 're' : 'e');
            }
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return frCh;

})));


/***/ }),

/***/ "./node_modules/moment/locale/fr.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/fr.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : French [fr]
//! author : John Fischer : https://github.com/jfroffice

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var monthsStrictRegex =
            /^(janvier|fÃ©vrier|mars|avril|mai|juin|juillet|aoÃ»t|septembre|octobre|novembre|dÃ©cembre)/i,
        monthsShortStrictRegex =
            /(janv\.?|fÃ©vr\.?|mars|avr\.?|mai|juin|juil\.?|aoÃ»t|sept\.?|oct\.?|nov\.?|dÃ©c\.?)/i,
        monthsRegex =
            /(janv\.?|fÃ©vr\.?|mars|avr\.?|mai|juin|juil\.?|aoÃ»t|sept\.?|oct\.?|nov\.?|dÃ©c\.?|janvier|fÃ©vrier|mars|avril|mai|juin|juillet|aoÃ»t|septembre|octobre|novembre|dÃ©cembre)/i,
        monthsParse = [
            /^janv/i,
            /^fÃ©vr/i,
            /^mars/i,
            /^avr/i,
            /^mai/i,
            /^juin/i,
            /^juil/i,
            /^aoÃ»t/i,
            /^sept/i,
            /^oct/i,
            /^nov/i,
            /^dÃ©c/i,
        ];

    var fr = moment.defineLocale('fr', {
        months: 'janvier_fÃ©vrier_mars_avril_mai_juin_juillet_aoÃ»t_septembre_octobre_novembre_dÃ©cembre'.split(
            '_'
        ),
        monthsShort:
            'janv._fÃ©vr._mars_avr._mai_juin_juil._aoÃ»t_sept._oct._nov._dÃ©c.'.split(
                '_'
            ),
        monthsRegex: monthsRegex,
        monthsShortRegex: monthsRegex,
        monthsStrictRegex: monthsStrictRegex,
        monthsShortStrictRegex: monthsShortStrictRegex,
        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,
        weekdays: 'dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi'.split('_'),
        weekdaysShort: 'dim._lun._mar._mer._jeu._ven._sam.'.split('_'),
        weekdaysMin: 'di_lu_ma_me_je_ve_sa'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Aujourdâ€™hui Ã&nbsp;] LT',
            nextDay: '[Demain Ã&nbsp;] LT',
            nextWeek: 'dddd [Ã&nbsp;] LT',
            lastDay: '[Hier Ã&nbsp;] LT',
            lastWeek: 'dddd [dernier Ã&nbsp;] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'dans %s',
            past: 'il y a %s',
            s: 'quelques secondes',
            ss: '%d secondes',
            m: 'une minute',
            mm: '%d minutes',
            h: 'une heure',
            hh: '%d heures',
            d: 'un jour',
            dd: '%d jours',
            w: 'une semaine',
            ww: '%d semaines',
            M: 'un mois',
            MM: '%d mois',
            y: 'un an',
            yy: '%d ans',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(er|)/,
        ordinal: function (number, period) {
            switch (period) {
                // TODO: Return 'e' when day of month &gt; 1. Move this case inside
                // block for masculine words below.
                // See https://github.com/moment/moment/issues/3375
                case 'D':
                    return number + (number === 1 ? 'er' : '');

                // Words with masculine grammatical gender: mois, trimestre, jour
                default:
                case 'M':
                case 'Q':
                case 'DDD':
                case 'd':
                    return number + (number === 1 ? 'er' : 'e');

                // Words with feminine grammatical gender: semaine
                case 'w':
                case 'W':
                    return number + (number === 1 ? 're' : 'e');
            }
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return fr;

})));


/***/ }),

/***/ "./node_modules/moment/locale/fy.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/fy.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Frisian [fy]
//! author : Robin van der Vliet : https://github.com/robin0van0der0v

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var monthsShortWithDots =
            'jan._feb._mrt._apr._mai_jun._jul._aug._sep._okt._nov._des.'.split('_'),
        monthsShortWithoutDots =
            'jan_feb_mrt_apr_mai_jun_jul_aug_sep_okt_nov_des'.split('_');

    var fy = moment.defineLocale('fy', {
        months: 'jannewaris_febrewaris_maart_april_maaie_juny_july_augustus_septimber_oktober_novimber_desimber'.split(
            '_'
        ),
        monthsShort: function (m, format) {
            if (!m) {
                return monthsShortWithDots;
            } else if (/-MMM-/.test(format)) {
                return monthsShortWithoutDots[m.month()];
            } else {
                return monthsShortWithDots[m.month()];
            }
        },
        monthsParseExact: true,
        weekdays: 'snein_moandei_tiisdei_woansdei_tongersdei_freed_sneon'.split(
            '_'
        ),
        weekdaysShort: 'si._mo._ti._wo._to._fr._so.'.split('_'),
        weekdaysMin: 'Si_Mo_Ti_Wo_To_Fr_So'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD-MM-YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[hjoed om] LT',
            nextDay: '[moarn om] LT',
            nextWeek: 'dddd [om] LT',
            lastDay: '[juster om] LT',
            lastWeek: '[Ã´frÃ»ne] dddd [om] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'oer %s',
            past: '%s lyn',
            s: 'in pear sekonden',
            ss: '%d sekonden',
            m: 'ien minÃºt',
            mm: '%d minuten',
            h: 'ien oere',
            hh: '%d oeren',
            d: 'ien dei',
            dd: '%d dagen',
            M: 'ien moanne',
            MM: '%d moannen',
            y: 'ien jier',
            yy: '%d jierren',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(ste|de)/,
        ordinal: function (number) {
            return (
                number +
                (number === 1 || number === 8 || number &gt;= 20 ? 'ste' : 'de')
            );
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return fy;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ga.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ga.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Irish or Irish Gaelic [ga]
//! author : AndrÃ© Silva : https://github.com/askpt

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var months = [
            'EanÃ¡ir',
            'Feabhra',
            'MÃ¡rta',
            'AibreÃ¡n',
            'Bealtaine',
            'Meitheamh',
            'IÃºil',
            'LÃºnasa',
            'MeÃ¡n FÃ³mhair',
            'Deireadh FÃ³mhair',
            'Samhain',
            'Nollaig',
        ],
        monthsShort = [
            'Ean',
            'Feabh',
            'MÃ¡rt',
            'Aib',
            'Beal',
            'Meith',
            'IÃºil',
            'LÃºn',
            'M.F.',
            'D.F.',
            'Samh',
            'Noll',
        ],
        weekdays = [
            'DÃ© Domhnaigh',
            'DÃ© Luain',
            'DÃ© MÃ¡irt',
            'DÃ© CÃ©adaoin',
            'DÃ©ardaoin',
            'DÃ© hAoine',
            'DÃ© Sathairn',
        ],
        weekdaysShort = ['Domh', 'Luan', 'MÃ¡irt', 'CÃ©ad', 'DÃ©ar', 'Aoine', 'Sath'],
        weekdaysMin = ['Do', 'Lu', 'MÃ¡', 'CÃ©', 'DÃ©', 'A', 'Sa'];

    var ga = moment.defineLocale('ga', {
        months: months,
        monthsShort: monthsShort,
        monthsParseExact: true,
        weekdays: weekdays,
        weekdaysShort: weekdaysShort,
        weekdaysMin: weekdaysMin,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Inniu ag] LT',
            nextDay: '[AmÃ¡rach ag] LT',
            nextWeek: 'dddd [ag] LT',
            lastDay: '[InnÃ© ag] LT',
            lastWeek: 'dddd [seo caite] [ag] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'i %s',
            past: '%s Ã³ shin',
            s: 'cÃºpla soicind',
            ss: '%d soicind',
            m: 'nÃ³imÃ©ad',
            mm: '%d nÃ³imÃ©ad',
            h: 'uair an chloig',
            hh: '%d uair an chloig',
            d: 'lÃ¡',
            dd: '%d lÃ¡',
            M: 'mÃ­',
            MM: '%d mÃ­onna',
            y: 'bliain',
            yy: '%d bliain',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(d|na|mh)/,
        ordinal: function (number) {
            var output = number === 1 ? 'd' : number % 10 === 2 ? 'na' : 'mh';
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return ga;

})));


/***/ }),

/***/ "./node_modules/moment/locale/gd.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/gd.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Scottish Gaelic [gd]
//! author : Jon Ashdown : https://github.com/jonashdown

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var months = [
            'Am Faoilleach',
            'An Gearran',
            'Am MÃ&nbsp;rt',
            'An Giblean',
            'An CÃ¨itean',
            'An t-Ã’gmhios',
            'An t-Iuchar',
            'An LÃ¹nastal',
            'An t-Sultain',
            'An DÃ&nbsp;mhair',
            'An t-Samhain',
            'An DÃ¹bhlachd',
        ],
        monthsShort = [
            'Faoi',
            'Gear',
            'MÃ&nbsp;rt',
            'Gibl',
            'CÃ¨it',
            'Ã’gmh',
            'Iuch',
            'LÃ¹n',
            'Sult',
            'DÃ&nbsp;mh',
            'Samh',
            'DÃ¹bh',
        ],
        weekdays = [
            'DidÃ²mhnaich',
            'Diluain',
            'DimÃ&nbsp;irt',
            'Diciadain',
            'Diardaoin',
            'Dihaoine',
            'Disathairne',
        ],
        weekdaysShort = ['Did', 'Dil', 'Dim', 'Dic', 'Dia', 'Dih', 'Dis'],
        weekdaysMin = ['DÃ²', 'Lu', 'MÃ&nbsp;', 'Ci', 'Ar', 'Ha', 'Sa'];

    var gd = moment.defineLocale('gd', {
        months: months,
        monthsShort: monthsShort,
        monthsParseExact: true,
        weekdays: weekdays,
        weekdaysShort: weekdaysShort,
        weekdaysMin: weekdaysMin,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[An-diugh aig] LT',
            nextDay: '[A-mÃ&nbsp;ireach aig] LT',
            nextWeek: 'dddd [aig] LT',
            lastDay: '[An-dÃ¨ aig] LT',
            lastWeek: 'dddd [seo chaidh] [aig] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'ann an %s',
            past: 'bho chionn %s',
            s: 'beagan diogan',
            ss: '%d diogan',
            m: 'mionaid',
            mm: '%d mionaidean',
            h: 'uair',
            hh: '%d uairean',
            d: 'latha',
            dd: '%d latha',
            M: 'mÃ¬os',
            MM: '%d mÃ¬osan',
            y: 'bliadhna',
            yy: '%d bliadhna',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(d|na|mh)/,
        ordinal: function (number) {
            var output = number === 1 ? 'd' : number % 10 === 2 ? 'na' : 'mh';
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return gd;

})));


/***/ }),

/***/ "./node_modules/moment/locale/gl.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/gl.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Galician [gl]
//! author : Juan G. Hurtado : https://github.com/juanghurtado

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var gl = moment.defineLocale('gl', {
        months: 'xaneiro_febreiro_marzo_abril_maio_xuÃ±o_xullo_agosto_setembro_outubro_novembro_decembro'.split(
            '_'
        ),
        monthsShort:
            'xan._feb._mar._abr._mai._xuÃ±._xul._ago._set._out._nov._dec.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'domingo_luns_martes_mÃ©rcores_xoves_venres_sÃ¡bado'.split('_'),
        weekdaysShort: 'dom._lun._mar._mÃ©r._xov._ven._sÃ¡b.'.split('_'),
        weekdaysMin: 'do_lu_ma_mÃ©_xo_ve_sÃ¡'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D [de] MMMM [de] YYYY',
            LLL: 'D [de] MMMM [de] YYYY H:mm',
            LLLL: 'dddd, D [de] MMMM [de] YYYY H:mm',
        },
        calendar: {
            sameDay: function () {
                return '[hoxe ' + (this.hours() !== 1 ? 'Ã¡s' : 'Ã¡') + '] LT';
            },
            nextDay: function () {
                return '[maÃ±Ã¡ ' + (this.hours() !== 1 ? 'Ã¡s' : 'Ã¡') + '] LT';
            },
            nextWeek: function () {
                return 'dddd [' + (this.hours() !== 1 ? 'Ã¡s' : 'a') + '] LT';
            },
            lastDay: function () {
                return '[onte ' + (this.hours() !== 1 ? 'Ã¡' : 'a') + '] LT';
            },
            lastWeek: function () {
                return (
                    '[o] dddd [pasado ' + (this.hours() !== 1 ? 'Ã¡s' : 'a') + '] LT'
                );
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: function (str) {
                if (str.indexOf('un') === 0) {
                    return 'n' + str;
                }
                return 'en ' + str;
            },
            past: 'hai %s',
            s: 'uns segundos',
            ss: '%d segundos',
            m: 'un minuto',
            mm: '%d minutos',
            h: 'unha hora',
            hh: '%d horas',
            d: 'un dÃ­a',
            dd: '%d dÃ­as',
            M: 'un mes',
            MM: '%d meses',
            y: 'un ano',
            yy: '%d anos',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return gl;

})));


/***/ }),

/***/ "./node_modules/moment/locale/gom-deva.js":
/*!************************************************!*\
  !*** ./node_modules/moment/locale/gom-deva.js ***!
  \************************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Konkani Devanagari script [gom-deva]
//! author : The Discoverer : https://github.com/WikiDiscoverer

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function processRelativeTime(number, withoutSuffix, key, isFuture) {
        var format = {
            s: ['à¤¥à¥‹à¤¡à¤¯à¤¾ à¤¸à¥…à¤•à¤‚à¤¡à¤¾à¤‚à¤¨à¥€', 'à¤¥à¥‹à¤¡à¥‡ à¤¸à¥…à¤•à¤‚à¤¡'],
            ss: [number + ' à¤¸à¥…à¤•à¤‚à¤¡à¤¾à¤‚à¤¨à¥€', number + ' à¤¸à¥…à¤•à¤‚à¤¡'],
            m: ['à¤à¤•à¤¾ à¤®à¤¿à¤£à¤Ÿà¤¾à¤¨', 'à¤à¤• à¤®à¤¿à¤¨à¥‚à¤Ÿ'],
            mm: [number + ' à¤®à¤¿à¤£à¤Ÿà¤¾à¤‚à¤¨à¥€', number + ' à¤®à¤¿à¤£à¤Ÿà¤¾à¤‚'],
            h: ['à¤à¤•à¤¾ à¤µà¤°à¤¾à¤¨', 'à¤à¤• à¤µà¤°'],
            hh: [number + ' à¤µà¤°à¤¾à¤‚à¤¨à¥€', number + ' à¤µà¤°à¤¾à¤‚'],
            d: ['à¤à¤•à¤¾ à¤¦à¤¿à¤¸à¤¾à¤¨', 'à¤à¤• à¤¦à¥€à¤¸'],
            dd: [number + ' à¤¦à¤¿à¤¸à¤¾à¤‚à¤¨à¥€', number + ' à¤¦à¥€à¤¸'],
            M: ['à¤à¤•à¤¾ à¤®à¥à¤¹à¤¯à¤¨à¥à¤¯à¤¾à¤¨', 'à¤à¤• à¤®à¥à¤¹à¤¯à¤¨à¥‹'],
            MM: [number + ' à¤®à¥à¤¹à¤¯à¤¨à¥à¤¯à¤¾à¤¨à¥€', number + ' à¤®à¥à¤¹à¤¯à¤¨à¥‡'],
            y: ['à¤à¤•à¤¾ à¤µà¤°à¥à¤¸à¤¾à¤¨', 'à¤à¤• à¤µà¤°à¥à¤¸'],
            yy: [number + ' à¤µà¤°à¥à¤¸à¤¾à¤‚à¤¨à¥€', number + ' à¤µà¤°à¥à¤¸à¤¾à¤‚'],
        };
        return isFuture ? format[key][0] : format[key][1];
    }

    var gomDeva = moment.defineLocale('gom-deva', {
        months: {
            standalone:
                'à¤œà¤¾à¤¨à¥‡à¤µà¤¾à¤°à¥€_à¤«à¥‡à¤¬à¥à¤°à¥à¤µà¤¾à¤°à¥€_à¤®à¤¾à¤°à¥à¤š_à¤à¤ªà¥à¤°à¥€à¤²_à¤®à¥‡_à¤œà¥‚à¤¨_à¤œà¥à¤²à¤¯_à¤‘à¤—à¤¸à¥à¤Ÿ_à¤¸à¤ªà¥à¤Ÿà¥‡à¤‚à¤¬à¤°_à¤‘à¤•à¥à¤Ÿà¥‹à¤¬à¤°_à¤¨à¥‹à¤µà¥à¤¹à¥‡à¤‚à¤¬à¤°_à¤¡à¤¿à¤¸à¥‡à¤‚à¤¬à¤°'.split(
                    '_'
                ),
            format: 'à¤œà¤¾à¤¨à¥‡à¤µà¤¾à¤°à¥€à¤šà¥à¤¯à¤¾_à¤«à¥‡à¤¬à¥à¤°à¥à¤µà¤¾à¤°à¥€à¤šà¥à¤¯à¤¾_à¤®à¤¾à¤°à¥à¤šà¤¾à¤šà¥à¤¯à¤¾_à¤à¤ªà¥à¤°à¥€à¤²à¤¾à¤šà¥à¤¯à¤¾_à¤®à¥‡à¤¯à¤¾à¤šà¥à¤¯à¤¾_à¤œà¥‚à¤¨à¤¾à¤šà¥à¤¯à¤¾_à¤œà¥à¤²à¤¯à¤¾à¤šà¥à¤¯à¤¾_à¤‘à¤—à¤¸à¥à¤Ÿà¤¾à¤šà¥à¤¯à¤¾_à¤¸à¤ªà¥à¤Ÿà¥‡à¤‚à¤¬à¤°à¤¾à¤šà¥à¤¯à¤¾_à¤‘à¤•à¥à¤Ÿà¥‹à¤¬à¤°à¤¾à¤šà¥à¤¯à¤¾_à¤¨à¥‹à¤µà¥à¤¹à¥‡à¤‚à¤¬à¤°à¤¾à¤šà¥à¤¯à¤¾_à¤¡à¤¿à¤¸à¥‡à¤‚à¤¬à¤°à¤¾à¤šà¥à¤¯à¤¾'.split(
                '_'
            ),
            isFormat: /MMMM(\s)+D[oD]?/,
        },
        monthsShort:
            'à¤œà¤¾à¤¨à¥‡._à¤«à¥‡à¤¬à¥à¤°à¥._à¤®à¤¾à¤°à¥à¤š_à¤à¤ªà¥à¤°à¥€._à¤®à¥‡_à¤œà¥‚à¤¨_à¤œà¥à¤²._à¤‘à¤—._à¤¸à¤ªà¥à¤Ÿà¥‡à¤‚._à¤‘à¤•à¥à¤Ÿà¥‹._à¤¨à¥‹à¤µà¥à¤¹à¥‡à¤‚._à¤¡à¤¿à¤¸à¥‡à¤‚.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'à¤†à¤¯à¤¤à¤¾à¤°_à¤¸à¥‹à¤®à¤¾à¤°_à¤®à¤‚à¤—à¤³à¤¾à¤°_à¤¬à¥à¤§à¤µà¤¾à¤°_à¤¬à¤¿à¤°à¥‡à¤¸à¥à¤¤à¤¾à¤°_à¤¸à¥à¤•à¥à¤°à¤¾à¤°_à¤¶à¥‡à¤¨à¤µà¤¾à¤°'.split('_'),
        weekdaysShort: 'à¤†à¤¯à¤¤._à¤¸à¥‹à¤®._à¤®à¤‚à¤—à¤³._à¤¬à¥à¤§._à¤¬à¥à¤°à¥‡à¤¸à¥à¤¤._à¤¸à¥à¤•à¥à¤°._à¤¶à¥‡à¤¨.'.split('_'),
        weekdaysMin: 'à¤†_à¤¸à¥‹_à¤®à¤‚_à¤¬à¥_à¤¬à¥à¤°à¥‡_à¤¸à¥_à¤¶à¥‡'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'A h:mm [à¤µà¤¾à¤œà¤¤à¤¾à¤‚]',
            LTS: 'A h:mm:ss [à¤µà¤¾à¤œà¤¤à¤¾à¤‚]',
            L: 'DD-MM-YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY A h:mm [à¤µà¤¾à¤œà¤¤à¤¾à¤‚]',
            LLLL: 'dddd, MMMM Do, YYYY, A h:mm [à¤µà¤¾à¤œà¤¤à¤¾à¤‚]',
            llll: 'ddd, D MMM YYYY, A h:mm [à¤µà¤¾à¤œà¤¤à¤¾à¤‚]',
        },
        calendar: {
            sameDay: '[à¤†à¤¯à¤œ] LT',
            nextDay: '[à¤«à¤¾à¤²à¥à¤¯à¤¾à¤‚] LT',
            nextWeek: '[à¤«à¥à¤¡à¤²à¥‹] dddd[,] LT',
            lastDay: '[à¤•à¤¾à¤²] LT',
            lastWeek: '[à¤«à¤¾à¤Ÿà¤²à¥‹] dddd[,] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s',
            past: '%s à¤†à¤¦à¥€à¤‚',
            s: processRelativeTime,
            ss: processRelativeTime,
            m: processRelativeTime,
            mm: processRelativeTime,
            h: processRelativeTime,
            hh: processRelativeTime,
            d: processRelativeTime,
            dd: processRelativeTime,
            M: processRelativeTime,
            MM: processRelativeTime,
            y: processRelativeTime,
            yy: processRelativeTime,
        },
        dayOfMonthOrdinalParse: /\d{1,2}(à¤µà¥‡à¤°)/,
        ordinal: function (number, period) {
            switch (period) {
                // the ordinal 'à¤µà¥‡à¤°' only applies to day of the month
                case 'D':
                    return number + 'à¤µà¥‡à¤°';
                default:
                case 'M':
                case 'Q':
                case 'DDD':
                case 'd':
                case 'w':
                case 'W':
                    return number;
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week
            doy: 3, // The week that contains Jan 4th is the first week of the year (7 + 0 - 4)
        },
        meridiemParse: /à¤°à¤¾à¤¤à¥€|à¤¸à¤•à¤¾à¤³à¥€à¤‚|à¤¦à¤¨à¤ªà¤¾à¤°à¤¾à¤‚|à¤¸à¤¾à¤‚à¤œà¥‡/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'à¤°à¤¾à¤¤à¥€') {
                return hour &lt; 4 ? hour : hour + 12;
            } else if (meridiem === 'à¤¸à¤•à¤¾à¤³à¥€à¤‚') {
                return hour;
            } else if (meridiem === 'à¤¦à¤¨à¤ªà¤¾à¤°à¤¾à¤‚') {
                return hour &gt; 12 ? hour : hour + 12;
            } else if (meridiem === 'à¤¸à¤¾à¤‚à¤œà¥‡') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'à¤°à¤¾à¤¤à¥€';
            } else if (hour &lt; 12) {
                return 'à¤¸à¤•à¤¾à¤³à¥€à¤‚';
            } else if (hour &lt; 16) {
                return 'à¤¦à¤¨à¤ªà¤¾à¤°à¤¾à¤‚';
            } else if (hour &lt; 20) {
                return 'à¤¸à¤¾à¤‚à¤œà¥‡';
            } else {
                return 'à¤°à¤¾à¤¤à¥€';
            }
        },
    });

    return gomDeva;

})));


/***/ }),

/***/ "./node_modules/moment/locale/gom-latn.js":
/*!************************************************!*\
  !*** ./node_modules/moment/locale/gom-latn.js ***!
  \************************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Konkani Latin script [gom-latn]
//! author : The Discoverer : https://github.com/WikiDiscoverer

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function processRelativeTime(number, withoutSuffix, key, isFuture) {
        var format = {
            s: ['thoddea sekondamni', 'thodde sekond'],
            ss: [number + ' sekondamni', number + ' sekond'],
            m: ['eka mintan', 'ek minut'],
            mm: [number + ' mintamni', number + ' mintam'],
            h: ['eka voran', 'ek vor'],
            hh: [number + ' voramni', number + ' voram'],
            d: ['eka disan', 'ek dis'],
            dd: [number + ' disamni', number + ' dis'],
            M: ['eka mhoinean', 'ek mhoino'],
            MM: [number + ' mhoineamni', number + ' mhoine'],
            y: ['eka vorsan', 'ek voros'],
            yy: [number + ' vorsamni', number + ' vorsam'],
        };
        return isFuture ? format[key][0] : format[key][1];
    }

    var gomLatn = moment.defineLocale('gom-latn', {
        months: {
            standalone:
                'Janer_Febrer_Mars_Abril_Mai_Jun_Julai_Agost_Setembr_Otubr_Novembr_Dezembr'.split(
                    '_'
                ),
            format: 'Janerachea_Febrerachea_Marsachea_Abrilachea_Maiachea_Junachea_Julaiachea_Agostachea_Setembrachea_Otubrachea_Novembrachea_Dezembrachea'.split(
                '_'
            ),
            isFormat: /MMMM(\s)+D[oD]?/,
        },
        monthsShort:
            'Jan._Feb._Mars_Abr._Mai_Jun_Jul._Ago._Set._Otu._Nov._Dez.'.split('_'),
        monthsParseExact: true,
        weekdays: "Aitar_Somar_Mongllar_Budhvar_Birestar_Sukrar_Son'var".split('_'),
        weekdaysShort: 'Ait._Som._Mon._Bud._Bre._Suk._Son.'.split('_'),
        weekdaysMin: 'Ai_Sm_Mo_Bu_Br_Su_Sn'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'A h:mm [vazta]',
            LTS: 'A h:mm:ss [vazta]',
            L: 'DD-MM-YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY A h:mm [vazta]',
            LLLL: 'dddd, MMMM Do, YYYY, A h:mm [vazta]',
            llll: 'ddd, D MMM YYYY, A h:mm [vazta]',
        },
        calendar: {
            sameDay: '[Aiz] LT',
            nextDay: '[Faleam] LT',
            nextWeek: '[Fuddlo] dddd[,] LT',
            lastDay: '[Kal] LT',
            lastWeek: '[Fattlo] dddd[,] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s',
            past: '%s adim',
            s: processRelativeTime,
            ss: processRelativeTime,
            m: processRelativeTime,
            mm: processRelativeTime,
            h: processRelativeTime,
            hh: processRelativeTime,
            d: processRelativeTime,
            dd: processRelativeTime,
            M: processRelativeTime,
            MM: processRelativeTime,
            y: processRelativeTime,
            yy: processRelativeTime,
        },
        dayOfMonthOrdinalParse: /\d{1,2}(er)/,
        ordinal: function (number, period) {
            switch (period) {
                // the ordinal 'er' only applies to day of the month
                case 'D':
                    return number + 'er';
                default:
                case 'M':
                case 'Q':
                case 'DDD':
                case 'd':
                case 'w':
                case 'W':
                    return number;
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week
            doy: 3, // The week that contains Jan 4th is the first week of the year (7 + 0 - 4)
        },
        meridiemParse: /rati|sokallim|donparam|sanje/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'rati') {
                return hour &lt; 4 ? hour : hour + 12;
            } else if (meridiem === 'sokallim') {
                return hour;
            } else if (meridiem === 'donparam') {
                return hour &gt; 12 ? hour : hour + 12;
            } else if (meridiem === 'sanje') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'rati';
            } else if (hour &lt; 12) {
                return 'sokallim';
            } else if (hour &lt; 16) {
                return 'donparam';
            } else if (hour &lt; 20) {
                return 'sanje';
            } else {
                return 'rati';
            }
        },
    });

    return gomLatn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/gu.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/gu.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Gujarati [gu]
//! author : Kaushik Thanki : https://github.com/Kaushik1987

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'à«§',
            2: 'à«¨',
            3: 'à«©',
            4: 'à«ª',
            5: 'à««',
            6: 'à«¬',
            7: 'à«­',
            8: 'à«®',
            9: 'à«¯',
            0: 'à«¦',
        },
        numberMap = {
            'à«§': '1',
            'à«¨': '2',
            'à«©': '3',
            'à«ª': '4',
            'à««': '5',
            'à«¬': '6',
            'à«­': '7',
            'à«®': '8',
            'à«¯': '9',
            'à«¦': '0',
        };

    var gu = moment.defineLocale('gu', {
        months: 'àªœàª¾àª¨à«àª¯à«àª†àª°à«€_àª«à«‡àª¬à«àª°à«àª†àª°à«€_àª®àª¾àª°à«àªš_àªàªªà«àª°àª¿àª²_àª®à«‡_àªœà«‚àª¨_àªœà«àª²àª¾àªˆ_àª‘àª—àª¸à«àªŸ_àª¸àªªà«àªŸà«‡àª®à«àª¬àª°_àª‘àª•à«àªŸà«àª¬àª°_àª¨àªµà«‡àª®à«àª¬àª°_àª¡àª¿àª¸à«‡àª®à«àª¬àª°'.split(
            '_'
        ),
        monthsShort:
            'àªœàª¾àª¨à«àª¯à«._àª«à«‡àª¬à«àª°à«._àª®àª¾àª°à«àªš_àªàªªà«àª°àª¿._àª®à«‡_àªœà«‚àª¨_àªœà«àª²àª¾._àª‘àª—._àª¸àªªà«àªŸà«‡._àª‘àª•à«àªŸà«._àª¨àªµà«‡._àª¡àª¿àª¸à«‡.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'àª°àªµàª¿àªµàª¾àª°_àª¸à«‹àª®àªµàª¾àª°_àª®àª‚àª—àª³àªµàª¾àª°_àª¬à«àª§à«àªµàª¾àª°_àª—à«àª°à«àªµàª¾àª°_àª¶à«àª•à«àª°àªµàª¾àª°_àª¶àª¨àª¿àªµàª¾àª°'.split(
            '_'
        ),
        weekdaysShort: 'àª°àªµàª¿_àª¸à«‹àª®_àª®àª‚àª—àª³_àª¬à«àª§à«_àª—à«àª°à«_àª¶à«àª•à«àª°_àª¶àª¨àª¿'.split('_'),
        weekdaysMin: 'àª°_àª¸à«‹_àª®àª‚_àª¬à«_àª—à«_àª¶à«_àª¶'.split('_'),
        longDateFormat: {
            LT: 'A h:mm àªµàª¾àª—à«àª¯à«‡',
            LTS: 'A h:mm:ss àªµàª¾àª—à«àª¯à«‡',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, A h:mm àªµàª¾àª—à«àª¯à«‡',
            LLLL: 'dddd, D MMMM YYYY, A h:mm àªµàª¾àª—à«àª¯à«‡',
        },
        calendar: {
            sameDay: '[àª†àªœ] LT',
            nextDay: '[àª•àª¾àª²à«‡] LT',
            nextWeek: 'dddd, LT',
            lastDay: '[àª—àª‡àª•àª¾àª²à«‡] LT',
            lastWeek: '[àªªàª¾àª›àª²àª¾] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s àª®àª¾',
            past: '%s àªªàª¹à«‡àª²àª¾',
            s: 'àª…àª®à«àª• àªªàª³à«‹',
            ss: '%d àª¸à«‡àª•àª‚àª¡',
            m: 'àªàª• àª®àª¿àª¨àª¿àªŸ',
            mm: '%d àª®àª¿àª¨àª¿àªŸ',
            h: 'àªàª• àª•àª²àª¾àª•',
            hh: '%d àª•àª²àª¾àª•',
            d: 'àªàª• àª¦àª¿àªµàª¸',
            dd: '%d àª¦àª¿àªµàª¸',
            M: 'àªàª• àª®àª¹àª¿àª¨à«‹',
            MM: '%d àª®àª¹àª¿àª¨à«‹',
            y: 'àªàª• àªµàª°à«àª·',
            yy: '%d àªµàª°à«àª·',
        },
        preparse: function (string) {
            return string.replace(/[à«§à«¨à«©à«ªà««à«¬à«­à«®à«¯à«¦]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        // Gujarati notation for meridiems are quite fuzzy in practice. While there exists
        // a rigid notion of a 'Pahar' it is not used as rigidly in modern Gujarati.
        meridiemParse: /àª°àª¾àª¤|àª¬àªªà«‹àª°|àª¸àªµàª¾àª°|àª¸àª¾àª‚àªœ/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'àª°àª¾àª¤') {
                return hour &lt; 4 ? hour : hour + 12;
            } else if (meridiem === 'àª¸àªµàª¾àª°') {
                return hour;
            } else if (meridiem === 'àª¬àªªà«‹àª°') {
                return hour &gt;= 10 ? hour : hour + 12;
            } else if (meridiem === 'àª¸àª¾àª‚àªœ') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'àª°àª¾àª¤';
            } else if (hour &lt; 10) {
                return 'àª¸àªµàª¾àª°';
            } else if (hour &lt; 17) {
                return 'àª¬àªªà«‹àª°';
            } else if (hour &lt; 20) {
                return 'àª¸àª¾àª‚àªœ';
            } else {
                return 'àª°àª¾àª¤';
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return gu;

})));


/***/ }),

/***/ "./node_modules/moment/locale/he.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/he.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Hebrew [he]
//! author : Tomer Cohen : https://github.com/tomer
//! author : Moshe Simantov : https://github.com/DevelopmentIL
//! author : Tal Ater : https://github.com/TalAter

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var he = moment.defineLocale('he', {
        months: '×™×&nbsp;×•××¨_×¤×‘×¨×•××¨_×ž×¨×¥_××¤×¨×™×œ_×ž××™_×™×•×&nbsp;×™_×™×•×œ×™_××•×’×•×¡×˜_×¡×¤×˜×ž×‘×¨_××•×§×˜×•×‘×¨_×&nbsp;×•×‘×ž×‘×¨_×“×¦×ž×‘×¨'.split(
            '_'
        ),
        monthsShort:
            '×™×&nbsp;×•×³_×¤×‘×¨×³_×ž×¨×¥_××¤×¨×³_×ž××™_×™×•×&nbsp;×™_×™×•×œ×™_××•×’×³_×¡×¤×˜×³_××•×§×³_×&nbsp;×•×‘×³_×“×¦×ž×³'.split('_'),
        weekdays: '×¨××©×•×Ÿ_×©×&nbsp;×™_×©×œ×™×©×™_×¨×‘×™×¢×™_×—×ž×™×©×™_×©×™×©×™_×©×‘×ª'.split('_'),
        weekdaysShort: '××³_×‘×³_×’×³_×“×³_×”×³_×•×³_×©×³'.split('_'),
        weekdaysMin: '×_×‘_×’_×“_×”_×•_×©'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D [×‘]MMMM YYYY',
            LLL: 'D [×‘]MMMM YYYY HH:mm',
            LLLL: 'dddd, D [×‘]MMMM YYYY HH:mm',
            l: 'D/M/YYYY',
            ll: 'D MMM YYYY',
            lll: 'D MMM YYYY HH:mm',
            llll: 'ddd, D MMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[×”×™×•× ×‘Ö¾]LT',
            nextDay: '[×ž×—×¨ ×‘Ö¾]LT',
            nextWeek: 'dddd [×‘×©×¢×”] LT',
            lastDay: '[××ª×ž×•×œ ×‘Ö¾]LT',
            lastWeek: '[×‘×™×•×] dddd [×”××—×¨×•×Ÿ ×‘×©×¢×”] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '×‘×¢×•×“ %s',
            past: '×œ×¤×&nbsp;×™ %s',
            s: '×ž×¡×¤×¨ ×©×&nbsp;×™×•×ª',
            ss: '%d ×©×&nbsp;×™×•×ª',
            m: '×“×§×”',
            mm: '%d ×“×§×•×ª',
            h: '×©×¢×”',
            hh: function (number) {
                if (number === 2) {
                    return '×©×¢×ª×™×™×';
                }
                return number + ' ×©×¢×•×ª';
            },
            d: '×™×•×',
            dd: function (number) {
                if (number === 2) {
                    return '×™×•×ž×™×™×';
                }
                return number + ' ×™×ž×™×';
            },
            M: '×—×•×“×©',
            MM: function (number) {
                if (number === 2) {
                    return '×—×•×“×©×™×™×';
                }
                return number + ' ×—×•×“×©×™×';
            },
            y: '×©×&nbsp;×”',
            yy: function (number) {
                if (number === 2) {
                    return '×©×&nbsp;×ª×™×™×';
                } else if (number % 10 === 0 &amp;&amp; number !== 10) {
                    return number + ' ×©×&nbsp;×”';
                }
                return number + ' ×©×&nbsp;×™×';
            },
        },
        meridiemParse:
            /××—×”"×¦|×œ×¤×&nbsp;×”"×¦|××—×¨×™ ×”×¦×”×¨×™×™×|×œ×¤×&nbsp;×™ ×”×¦×”×¨×™×™×|×œ×¤×&nbsp;×•×ª ×‘×•×§×¨|×‘×‘×•×§×¨|×‘×¢×¨×‘/i,
        isPM: function (input) {
            return /^(××—×”"×¦|××—×¨×™ ×”×¦×”×¨×™×™×|×‘×¢×¨×‘)$/.test(input);
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 5) {
                return '×œ×¤×&nbsp;×•×ª ×‘×•×§×¨';
            } else if (hour &lt; 10) {
                return '×‘×‘×•×§×¨';
            } else if (hour &lt; 12) {
                return isLower ? '×œ×¤×&nbsp;×”"×¦' : '×œ×¤×&nbsp;×™ ×”×¦×”×¨×™×™×';
            } else if (hour &lt; 18) {
                return isLower ? '××—×”"×¦' : '××—×¨×™ ×”×¦×”×¨×™×™×';
            } else {
                return '×‘×¢×¨×‘';
            }
        },
    });

    return he;

})));


/***/ }),

/***/ "./node_modules/moment/locale/hi.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/hi.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Hindi [hi]
//! author : Mayank Singhal : https://github.com/mayanksinghal

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'à¥§',
            2: 'à¥¨',
            3: 'à¥©',
            4: 'à¥ª',
            5: 'à¥«',
            6: 'à¥¬',
            7: 'à¥­',
            8: 'à¥®',
            9: 'à¥¯',
            0: 'à¥¦',
        },
        numberMap = {
            'à¥§': '1',
            'à¥¨': '2',
            'à¥©': '3',
            'à¥ª': '4',
            'à¥«': '5',
            'à¥¬': '6',
            'à¥­': '7',
            'à¥®': '8',
            'à¥¯': '9',
            'à¥¦': '0',
        },
        monthsParse = [
            /^à¤œà¤¨/i,
            /^à¤«à¤¼à¤°|à¤«à¤°/i,
            /^à¤®à¤¾à¤°à¥à¤š/i,
            /^à¤…à¤ªà¥à¤°à¥ˆ/i,
            /^à¤®à¤ˆ/i,
            /^à¤œà¥‚à¤¨/i,
            /^à¤œà¥à¤²/i,
            /^à¤…à¤—/i,
            /^à¤¸à¤¿à¤¤à¤‚|à¤¸à¤¿à¤¤/i,
            /^à¤…à¤•à¥à¤Ÿà¥‚/i,
            /^à¤¨à¤µ|à¤¨à¤µà¤‚/i,
            /^à¤¦à¤¿à¤¸à¤‚|à¤¦à¤¿à¤¸/i,
        ],
        shortMonthsParse = [
            /^à¤œà¤¨/i,
            /^à¤«à¤¼à¤°/i,
            /^à¤®à¤¾à¤°à¥à¤š/i,
            /^à¤…à¤ªà¥à¤°à¥ˆ/i,
            /^à¤®à¤ˆ/i,
            /^à¤œà¥‚à¤¨/i,
            /^à¤œà¥à¤²/i,
            /^à¤…à¤—/i,
            /^à¤¸à¤¿à¤¤/i,
            /^à¤…à¤•à¥à¤Ÿà¥‚/i,
            /^à¤¨à¤µ/i,
            /^à¤¦à¤¿à¤¸/i,
        ];

    var hi = moment.defineLocale('hi', {
        months: {
            format: 'à¤œà¤¨à¤µà¤°à¥€_à¤«à¤¼à¤°à¤µà¤°à¥€_à¤®à¤¾à¤°à¥à¤š_à¤…à¤ªà¥à¤°à¥ˆà¤²_à¤®à¤ˆ_à¤œà¥‚à¤¨_à¤œà¥à¤²à¤¾à¤ˆ_à¤…à¤—à¤¸à¥à¤¤_à¤¸à¤¿à¤¤à¤®à¥à¤¬à¤°_à¤…à¤•à¥à¤Ÿà¥‚à¤¬à¤°_à¤¨à¤µà¤®à¥à¤¬à¤°_à¤¦à¤¿à¤¸à¤®à¥à¤¬à¤°'.split(
                '_'
            ),
            standalone:
                'à¤œà¤¨à¤µà¤°à¥€_à¤«à¤°à¤µà¤°à¥€_à¤®à¤¾à¤°à¥à¤š_à¤…à¤ªà¥à¤°à¥ˆà¤²_à¤®à¤ˆ_à¤œà¥‚à¤¨_à¤œà¥à¤²à¤¾à¤ˆ_à¤…à¤—à¤¸à¥à¤¤_à¤¸à¤¿à¤¤à¤‚à¤¬à¤°_à¤…à¤•à¥à¤Ÿà¥‚à¤¬à¤°_à¤¨à¤µà¤‚à¤¬à¤°_à¤¦à¤¿à¤¸à¤‚à¤¬à¤°'.split(
                    '_'
                ),
        },
        monthsShort:
            'à¤œà¤¨._à¤«à¤¼à¤°._à¤®à¤¾à¤°à¥à¤š_à¤…à¤ªà¥à¤°à¥ˆ._à¤®à¤ˆ_à¤œà¥‚à¤¨_à¤œà¥à¤²._à¤…à¤—._à¤¸à¤¿à¤¤._à¤…à¤•à¥à¤Ÿà¥‚._à¤¨à¤µ._à¤¦à¤¿à¤¸.'.split('_'),
        weekdays: 'à¤°à¤µà¤¿à¤µà¤¾à¤°_à¤¸à¥‹à¤®à¤µà¤¾à¤°_à¤®à¤‚à¤—à¤²à¤µà¤¾à¤°_à¤¬à¥à¤§à¤µà¤¾à¤°_à¤—à¥à¤°à¥‚à¤µà¤¾à¤°_à¤¶à¥à¤•à¥à¤°à¤µà¤¾à¤°_à¤¶à¤¨à¤¿à¤µà¤¾à¤°'.split('_'),
        weekdaysShort: 'à¤°à¤µà¤¿_à¤¸à¥‹à¤®_à¤®à¤‚à¤—à¤²_à¤¬à¥à¤§_à¤—à¥à¤°à¥‚_à¤¶à¥à¤•à¥à¤°_à¤¶à¤¨à¤¿'.split('_'),
        weekdaysMin: 'à¤°_à¤¸à¥‹_à¤®à¤‚_à¤¬à¥_à¤—à¥_à¤¶à¥_à¤¶'.split('_'),
        longDateFormat: {
            LT: 'A h:mm à¤¬à¤œà¥‡',
            LTS: 'A h:mm:ss à¤¬à¤œà¥‡',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, A h:mm à¤¬à¤œà¥‡',
            LLLL: 'dddd, D MMMM YYYY, A h:mm à¤¬à¤œà¥‡',
        },

        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: shortMonthsParse,

        monthsRegex:
            /^(à¤œà¤¨à¤µà¤°à¥€|à¤œà¤¨\.?|à¤«à¤¼à¤°à¤µà¤°à¥€|à¤«à¤°à¤µà¤°à¥€|à¤«à¤¼à¤°\.?|à¤®à¤¾à¤°à¥à¤š?|à¤…à¤ªà¥à¤°à¥ˆà¤²|à¤…à¤ªà¥à¤°à¥ˆ\.?|à¤®à¤ˆ?|à¤œà¥‚à¤¨?|à¤œà¥à¤²à¤¾à¤ˆ|à¤œà¥à¤²\.?|à¤…à¤—à¤¸à¥à¤¤|à¤…à¤—\.?|à¤¸à¤¿à¤¤à¤®à¥à¤¬à¤°|à¤¸à¤¿à¤¤à¤‚à¤¬à¤°|à¤¸à¤¿à¤¤\.?|à¤…à¤•à¥à¤Ÿà¥‚à¤¬à¤°|à¤…à¤•à¥à¤Ÿà¥‚\.?|à¤¨à¤µà¤®à¥à¤¬à¤°|à¤¨à¤µà¤‚à¤¬à¤°|à¤¨à¤µ\.?|à¤¦à¤¿à¤¸à¤®à¥à¤¬à¤°|à¤¦à¤¿à¤¸à¤‚à¤¬à¤°|à¤¦à¤¿à¤¸\.?)/i,

        monthsShortRegex:
            /^(à¤œà¤¨à¤µà¤°à¥€|à¤œà¤¨\.?|à¤«à¤¼à¤°à¤µà¤°à¥€|à¤«à¤°à¤µà¤°à¥€|à¤«à¤¼à¤°\.?|à¤®à¤¾à¤°à¥à¤š?|à¤…à¤ªà¥à¤°à¥ˆà¤²|à¤…à¤ªà¥à¤°à¥ˆ\.?|à¤®à¤ˆ?|à¤œà¥‚à¤¨?|à¤œà¥à¤²à¤¾à¤ˆ|à¤œà¥à¤²\.?|à¤…à¤—à¤¸à¥à¤¤|à¤…à¤—\.?|à¤¸à¤¿à¤¤à¤®à¥à¤¬à¤°|à¤¸à¤¿à¤¤à¤‚à¤¬à¤°|à¤¸à¤¿à¤¤\.?|à¤…à¤•à¥à¤Ÿà¥‚à¤¬à¤°|à¤…à¤•à¥à¤Ÿà¥‚\.?|à¤¨à¤µà¤®à¥à¤¬à¤°|à¤¨à¤µà¤‚à¤¬à¤°|à¤¨à¤µ\.?|à¤¦à¤¿à¤¸à¤®à¥à¤¬à¤°|à¤¦à¤¿à¤¸à¤‚à¤¬à¤°|à¤¦à¤¿à¤¸\.?)/i,

        monthsStrictRegex:
            /^(à¤œà¤¨à¤µà¤°à¥€?|à¤«à¤¼à¤°à¤µà¤°à¥€|à¤«à¤°à¤µà¤°à¥€?|à¤®à¤¾à¤°à¥à¤š?|à¤…à¤ªà¥à¤°à¥ˆà¤²?|à¤®à¤ˆ?|à¤œà¥‚à¤¨?|à¤œà¥à¤²à¤¾à¤ˆ?|à¤…à¤—à¤¸à¥à¤¤?|à¤¸à¤¿à¤¤à¤®à¥à¤¬à¤°|à¤¸à¤¿à¤¤à¤‚à¤¬à¤°|à¤¸à¤¿à¤¤?\.?|à¤…à¤•à¥à¤Ÿà¥‚à¤¬à¤°|à¤…à¤•à¥à¤Ÿà¥‚\.?|à¤¨à¤µà¤®à¥à¤¬à¤°|à¤¨à¤µà¤‚à¤¬à¤°?|à¤¦à¤¿à¤¸à¤®à¥à¤¬à¤°|à¤¦à¤¿à¤¸à¤‚à¤¬à¤°?)/i,

        monthsShortStrictRegex:
            /^(à¤œà¤¨\.?|à¤«à¤¼à¤°\.?|à¤®à¤¾à¤°à¥à¤š?|à¤…à¤ªà¥à¤°à¥ˆ\.?|à¤®à¤ˆ?|à¤œà¥‚à¤¨?|à¤œà¥à¤²\.?|à¤…à¤—\.?|à¤¸à¤¿à¤¤\.?|à¤…à¤•à¥à¤Ÿà¥‚\.?|à¤¨à¤µ\.?|à¤¦à¤¿à¤¸\.?)/i,

        calendar: {
            sameDay: '[à¤†à¤œ] LT',
            nextDay: '[à¤•à¤²] LT',
            nextWeek: 'dddd, LT',
            lastDay: '[à¤•à¤²] LT',
            lastWeek: '[à¤ªà¤¿à¤›à¤²à¥‡] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s à¤®à¥‡à¤‚',
            past: '%s à¤ªà¤¹à¤²à¥‡',
            s: 'à¤•à¥à¤› à¤¹à¥€ à¤•à¥à¤·à¤£',
            ss: '%d à¤¸à¥‡à¤•à¤‚à¤¡',
            m: 'à¤à¤• à¤®à¤¿à¤¨à¤Ÿ',
            mm: '%d à¤®à¤¿à¤¨à¤Ÿ',
            h: 'à¤à¤• à¤˜à¤‚à¤Ÿà¤¾',
            hh: '%d à¤˜à¤‚à¤Ÿà¥‡',
            d: 'à¤à¤• à¤¦à¤¿à¤¨',
            dd: '%d à¤¦à¤¿à¤¨',
            M: 'à¤à¤• à¤®à¤¹à¥€à¤¨à¥‡',
            MM: '%d à¤®à¤¹à¥€à¤¨à¥‡',
            y: 'à¤à¤• à¤µà¤°à¥à¤·',
            yy: '%d à¤µà¤°à¥à¤·',
        },
        preparse: function (string) {
            return string.replace(/[à¥§à¥¨à¥©à¥ªà¥«à¥¬à¥­à¥®à¥¯à¥¦]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        // Hindi notation for meridiems are quite fuzzy in practice. While there exists
        // a rigid notion of a 'Pahar' it is not used as rigidly in modern Hindi.
        meridiemParse: /à¤°à¤¾à¤¤|à¤¸à¥à¤¬à¤¹|à¤¦à¥‹à¤ªà¤¹à¤°|à¤¶à¤¾à¤®/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'à¤°à¤¾à¤¤') {
                return hour &lt; 4 ? hour : hour + 12;
            } else if (meridiem === 'à¤¸à¥à¤¬à¤¹') {
                return hour;
            } else if (meridiem === 'à¤¦à¥‹à¤ªà¤¹à¤°') {
                return hour &gt;= 10 ? hour : hour + 12;
            } else if (meridiem === 'à¤¶à¤¾à¤®') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'à¤°à¤¾à¤¤';
            } else if (hour &lt; 10) {
                return 'à¤¸à¥à¤¬à¤¹';
            } else if (hour &lt; 17) {
                return 'à¤¦à¥‹à¤ªà¤¹à¤°';
            } else if (hour &lt; 20) {
                return 'à¤¶à¤¾à¤®';
            } else {
                return 'à¤°à¤¾à¤¤';
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return hi;

})));


/***/ }),

/***/ "./node_modules/moment/locale/hr.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/hr.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Croatian [hr]
//! author : Bojan MarkoviÄ‡ : https://github.com/bmarkovic

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function translate(number, withoutSuffix, key) {
        var result = number + ' ';
        switch (key) {
            case 'ss':
                if (number === 1) {
                    result += 'sekunda';
                } else if (number === 2 || number === 3 || number === 4) {
                    result += 'sekunde';
                } else {
                    result += 'sekundi';
                }
                return result;
            case 'm':
                return withoutSuffix ? 'jedna minuta' : 'jedne minute';
            case 'mm':
                if (number === 1) {
                    result += 'minuta';
                } else if (number === 2 || number === 3 || number === 4) {
                    result += 'minute';
                } else {
                    result += 'minuta';
                }
                return result;
            case 'h':
                return withoutSuffix ? 'jedan sat' : 'jednog sata';
            case 'hh':
                if (number === 1) {
                    result += 'sat';
                } else if (number === 2 || number === 3 || number === 4) {
                    result += 'sata';
                } else {
                    result += 'sati';
                }
                return result;
            case 'dd':
                if (number === 1) {
                    result += 'dan';
                } else {
                    result += 'dana';
                }
                return result;
            case 'MM':
                if (number === 1) {
                    result += 'mjesec';
                } else if (number === 2 || number === 3 || number === 4) {
                    result += 'mjeseca';
                } else {
                    result += 'mjeseci';
                }
                return result;
            case 'yy':
                if (number === 1) {
                    result += 'godina';
                } else if (number === 2 || number === 3 || number === 4) {
                    result += 'godine';
                } else {
                    result += 'godina';
                }
                return result;
        }
    }

    var hr = moment.defineLocale('hr', {
        months: {
            format: 'sijeÄnja_veljaÄe_oÅ¾ujka_travnja_svibnja_lipnja_srpnja_kolovoza_rujna_listopada_studenoga_prosinca'.split(
                '_'
            ),
            standalone:
                'sijeÄanj_veljaÄa_oÅ¾ujak_travanj_svibanj_lipanj_srpanj_kolovoz_rujan_listopad_studeni_prosinac'.split(
                    '_'
                ),
        },
        monthsShort:
            'sij._velj._oÅ¾u._tra._svi._lip._srp._kol._ruj._lis._stu._pro.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'nedjelja_ponedjeljak_utorak_srijeda_Äetvrtak_petak_subota'.split(
            '_'
        ),
        weekdaysShort: 'ned._pon._uto._sri._Äet._pet._sub.'.split('_'),
        weekdaysMin: 'ne_po_ut_sr_Äe_pe_su'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'Do MMMM YYYY',
            LLL: 'Do MMMM YYYY H:mm',
            LLLL: 'dddd, Do MMMM YYYY H:mm',
        },
        calendar: {
            sameDay: '[danas u] LT',
            nextDay: '[sutra u] LT',
            nextWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[u] [nedjelju] [u] LT';
                    case 3:
                        return '[u] [srijedu] [u] LT';
                    case 6:
                        return '[u] [subotu] [u] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[u] dddd [u] LT';
                }
            },
            lastDay: '[juÄer u] LT',
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[proÅ¡lu] [nedjelju] [u] LT';
                    case 3:
                        return '[proÅ¡lu] [srijedu] [u] LT';
                    case 6:
                        return '[proÅ¡le] [subote] [u] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[proÅ¡li] dddd [u] LT';
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'za %s',
            past: 'prije %s',
            s: 'par sekundi',
            ss: translate,
            m: translate,
            mm: translate,
            h: translate,
            hh: translate,
            d: 'dan',
            dd: translate,
            M: 'mjesec',
            MM: translate,
            y: 'godinu',
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return hr;

})));


/***/ }),

/***/ "./node_modules/moment/locale/hu.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/hu.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Hungarian [hu]
//! author : Adam Brunner : https://github.com/adambrunner
//! author : Peter Viszt  : https://github.com/passatgt

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var weekEndings =
        'vasÃ¡rnap hÃ©tfÅ‘n kedden szerdÃ¡n csÃ¼tÃ¶rtÃ¶kÃ¶n pÃ©nteken szombaton'.split(' ');
    function translate(number, withoutSuffix, key, isFuture) {
        var num = number;
        switch (key) {
            case 's':
                return isFuture || withoutSuffix
                    ? 'nÃ©hÃ¡ny mÃ¡sodperc'
                    : 'nÃ©hÃ¡ny mÃ¡sodperce';
            case 'ss':
                return num + (isFuture || withoutSuffix)
                    ? ' mÃ¡sodperc'
                    : ' mÃ¡sodperce';
            case 'm':
                return 'egy' + (isFuture || withoutSuffix ? ' perc' : ' perce');
            case 'mm':
                return num + (isFuture || withoutSuffix ? ' perc' : ' perce');
            case 'h':
                return 'egy' + (isFuture || withoutSuffix ? ' Ã³ra' : ' Ã³rÃ¡ja');
            case 'hh':
                return num + (isFuture || withoutSuffix ? ' Ã³ra' : ' Ã³rÃ¡ja');
            case 'd':
                return 'egy' + (isFuture || withoutSuffix ? ' nap' : ' napja');
            case 'dd':
                return num + (isFuture || withoutSuffix ? ' nap' : ' napja');
            case 'M':
                return 'egy' + (isFuture || withoutSuffix ? ' hÃ³nap' : ' hÃ³napja');
            case 'MM':
                return num + (isFuture || withoutSuffix ? ' hÃ³nap' : ' hÃ³napja');
            case 'y':
                return 'egy' + (isFuture || withoutSuffix ? ' Ã©v' : ' Ã©ve');
            case 'yy':
                return num + (isFuture || withoutSuffix ? ' Ã©v' : ' Ã©ve');
        }
        return '';
    }
    function week(isFuture) {
        return (
            (isFuture ? '' : '[mÃºlt] ') +
            '[' +
            weekEndings[this.day()] +
            '] LT[-kor]'
        );
    }

    var hu = moment.defineLocale('hu', {
        months: 'januÃ¡r_februÃ¡r_mÃ¡rcius_Ã¡prilis_mÃ¡jus_jÃºnius_jÃºlius_augusztus_szeptember_oktÃ³ber_november_december'.split(
            '_'
        ),
        monthsShort:
            'jan._feb._mÃ¡rc._Ã¡pr._mÃ¡j._jÃºn._jÃºl._aug._szept._okt._nov._dec.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'vasÃ¡rnap_hÃ©tfÅ‘_kedd_szerda_csÃ¼tÃ¶rtÃ¶k_pÃ©ntek_szombat'.split('_'),
        weekdaysShort: 'vas_hÃ©t_kedd_sze_csÃ¼t_pÃ©n_szo'.split('_'),
        weekdaysMin: 'v_h_k_sze_cs_p_szo'.split('_'),
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'YYYY.MM.DD.',
            LL: 'YYYY. MMMM D.',
            LLL: 'YYYY. MMMM D. H:mm',
            LLLL: 'YYYY. MMMM D., dddd H:mm',
        },
        meridiemParse: /de|du/i,
        isPM: function (input) {
            return input.charAt(1).toLowerCase() === 'u';
        },
        meridiem: function (hours, minutes, isLower) {
            if (hours &lt; 12) {
                return isLower === true ? 'de' : 'DE';
            } else {
                return isLower === true ? 'du' : 'DU';
            }
        },
        calendar: {
            sameDay: '[ma] LT[-kor]',
            nextDay: '[holnap] LT[-kor]',
            nextWeek: function () {
                return week.call(this, true);
            },
            lastDay: '[tegnap] LT[-kor]',
            lastWeek: function () {
                return week.call(this, false);
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s mÃºlva',
            past: '%s',
            s: translate,
            ss: translate,
            m: translate,
            mm: translate,
            h: translate,
            hh: translate,
            d: translate,
            dd: translate,
            M: translate,
            MM: translate,
            y: translate,
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return hu;

})));


/***/ }),

/***/ "./node_modules/moment/locale/hy-am.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/hy-am.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Armenian [hy-am]
//! author : Armendarabyan : https://github.com/armendarabyan

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var hyAm = moment.defineLocale('hy-am', {
        months: {
            format: 'Õ°Õ¸Ö‚Õ¶Õ¾Õ¡Ö€Õ«_ÖƒÕ¥Õ¿Ö€Õ¾Õ¡Ö€Õ«_Õ´Õ¡Ö€Õ¿Õ«_Õ¡ÕºÖ€Õ«Õ¬Õ«_Õ´Õ¡ÕµÕ«Õ½Õ«_Õ°Õ¸Ö‚Õ¶Õ«Õ½Õ«_Õ°Õ¸Ö‚Õ¬Õ«Õ½Õ«_Ö…Õ£Õ¸Õ½Õ¿Õ¸Õ½Õ«_Õ½Õ¥ÕºÕ¿Õ¥Õ´Õ¢Õ¥Ö€Õ«_Õ°Õ¸Õ¯Õ¿Õ¥Õ´Õ¢Õ¥Ö€Õ«_Õ¶Õ¸ÕµÕ¥Õ´Õ¢Õ¥Ö€Õ«_Õ¤Õ¥Õ¯Õ¿Õ¥Õ´Õ¢Õ¥Ö€Õ«'.split(
                '_'
            ),
            standalone:
                'Õ°Õ¸Ö‚Õ¶Õ¾Õ¡Ö€_ÖƒÕ¥Õ¿Ö€Õ¾Õ¡Ö€_Õ´Õ¡Ö€Õ¿_Õ¡ÕºÖ€Õ«Õ¬_Õ´Õ¡ÕµÕ«Õ½_Õ°Õ¸Ö‚Õ¶Õ«Õ½_Õ°Õ¸Ö‚Õ¬Õ«Õ½_Ö…Õ£Õ¸Õ½Õ¿Õ¸Õ½_Õ½Õ¥ÕºÕ¿Õ¥Õ´Õ¢Õ¥Ö€_Õ°Õ¸Õ¯Õ¿Õ¥Õ´Õ¢Õ¥Ö€_Õ¶Õ¸ÕµÕ¥Õ´Õ¢Õ¥Ö€_Õ¤Õ¥Õ¯Õ¿Õ¥Õ´Õ¢Õ¥Ö€'.split(
                    '_'
                ),
        },
        monthsShort: 'Õ°Õ¶Õ¾_ÖƒÕ¿Ö€_Õ´Ö€Õ¿_Õ¡ÕºÖ€_Õ´ÕµÕ½_Õ°Õ¶Õ½_Õ°Õ¬Õ½_Ö…Õ£Õ½_Õ½ÕºÕ¿_Õ°Õ¯Õ¿_Õ¶Õ´Õ¢_Õ¤Õ¯Õ¿'.split('_'),
        weekdays:
            'Õ¯Õ«Ö€Õ¡Õ¯Õ«_Õ¥Ö€Õ¯Õ¸Ö‚Õ·Õ¡Õ¢Õ©Õ«_Õ¥Ö€Õ¥Ö„Õ·Õ¡Õ¢Õ©Õ«_Õ¹Õ¸Ö€Õ¥Ö„Õ·Õ¡Õ¢Õ©Õ«_Õ°Õ«Õ¶Õ£Õ·Õ¡Õ¢Õ©Õ«_Õ¸Ö‚Ö€Õ¢Õ¡Õ©_Õ·Õ¡Õ¢Õ¡Õ©'.split(
                '_'
            ),
        weekdaysShort: 'Õ¯Ö€Õ¯_Õ¥Ö€Õ¯_Õ¥Ö€Ö„_Õ¹Ö€Ö„_Õ°Õ¶Õ£_Õ¸Ö‚Ö€Õ¢_Õ·Õ¢Õ©'.split('_'),
        weekdaysMin: 'Õ¯Ö€Õ¯_Õ¥Ö€Õ¯_Õ¥Ö€Ö„_Õ¹Ö€Ö„_Õ°Õ¶Õ£_Õ¸Ö‚Ö€Õ¢_Õ·Õ¢Õ©'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY Õ©.',
            LLL: 'D MMMM YYYY Õ©., HH:mm',
            LLLL: 'dddd, D MMMM YYYY Õ©., HH:mm',
        },
        calendar: {
            sameDay: '[Õ¡ÕµÕ½Ö…Ö€] LT',
            nextDay: '[Õ¾Õ¡Õ²Õ¨] LT',
            lastDay: '[Õ¥Ö€Õ¥Õ¯] LT',
            nextWeek: function () {
                return 'dddd [Ö…Ö€Õ¨ ÕªÕ¡Õ´Õ¨] LT';
            },
            lastWeek: function () {
                return '[Õ¡Õ¶ÖÕ¡Õ®] dddd [Ö…Ö€Õ¨ ÕªÕ¡Õ´Õ¨] LT';
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s Õ°Õ¥Õ¿Õ¸',
            past: '%s Õ¡Õ¼Õ¡Õ»',
            s: 'Õ´Õ« Ö„Õ¡Õ¶Õ« Õ¾Õ¡ÕµÖ€Õ¯ÕµÕ¡Õ¶',
            ss: '%d Õ¾Õ¡ÕµÖ€Õ¯ÕµÕ¡Õ¶',
            m: 'Ö€Õ¸ÕºÕ¥',
            mm: '%d Ö€Õ¸ÕºÕ¥',
            h: 'ÕªÕ¡Õ´',
            hh: '%d ÕªÕ¡Õ´',
            d: 'Ö…Ö€',
            dd: '%d Ö…Ö€',
            M: 'Õ¡Õ´Õ«Õ½',
            MM: '%d Õ¡Õ´Õ«Õ½',
            y: 'Õ¿Õ¡Ö€Õ«',
            yy: '%d Õ¿Õ¡Ö€Õ«',
        },
        meridiemParse: /Õ£Õ«Õ·Õ¥Ö€Õ¾Õ¡|Õ¡Õ¼Õ¡Õ¾Õ¸Õ¿Õ¾Õ¡|ÖÕ¥Ö€Õ¥Õ¯Õ¾Õ¡|Õ¥Ö€Õ¥Õ¯Õ¸ÕµÕ¡Õ¶/,
        isPM: function (input) {
            return /^(ÖÕ¥Ö€Õ¥Õ¯Õ¾Õ¡|Õ¥Ö€Õ¥Õ¯Õ¸ÕµÕ¡Õ¶)$/.test(input);
        },
        meridiem: function (hour) {
            if (hour &lt; 4) {
                return 'Õ£Õ«Õ·Õ¥Ö€Õ¾Õ¡';
            } else if (hour &lt; 12) {
                return 'Õ¡Õ¼Õ¡Õ¾Õ¸Õ¿Õ¾Õ¡';
            } else if (hour &lt; 17) {
                return 'ÖÕ¥Ö€Õ¥Õ¯Õ¾Õ¡';
            } else {
                return 'Õ¥Ö€Õ¥Õ¯Õ¸ÕµÕ¡Õ¶';
            }
        },
        dayOfMonthOrdinalParse: /\d{1,2}|\d{1,2}-(Õ«Õ¶|Ö€Õ¤)/,
        ordinal: function (number, period) {
            switch (period) {
                case 'DDD':
                case 'w':
                case 'W':
                case 'DDDo':
                    if (number === 1) {
                        return number + '-Õ«Õ¶';
                    }
                    return number + '-Ö€Õ¤';
                default:
                    return number;
            }
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return hyAm;

})));


/***/ }),

/***/ "./node_modules/moment/locale/id.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/id.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Indonesian [id]
//! author : Mohammad Satrio Utomo : https://github.com/tyok
//! reference: http://id.wikisource.org/wiki/Pedoman_Umum_Ejaan_Bahasa_Indonesia_yang_Disempurnakan

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var id = moment.defineLocale('id', {
        months: 'Januari_Februari_Maret_April_Mei_Juni_Juli_Agustus_September_Oktober_November_Desember'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mar_Apr_Mei_Jun_Jul_Agt_Sep_Okt_Nov_Des'.split('_'),
        weekdays: 'Minggu_Senin_Selasa_Rabu_Kamis_Jumat_Sabtu'.split('_'),
        weekdaysShort: 'Min_Sen_Sel_Rab_Kam_Jum_Sab'.split('_'),
        weekdaysMin: 'Mg_Sn_Sl_Rb_Km_Jm_Sb'.split('_'),
        longDateFormat: {
            LT: 'HH.mm',
            LTS: 'HH.mm.ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY [pukul] HH.mm',
            LLLL: 'dddd, D MMMM YYYY [pukul] HH.mm',
        },
        meridiemParse: /pagi|siang|sore|malam/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'pagi') {
                return hour;
            } else if (meridiem === 'siang') {
                return hour &gt;= 11 ? hour : hour + 12;
            } else if (meridiem === 'sore' || meridiem === 'malam') {
                return hour + 12;
            }
        },
        meridiem: function (hours, minutes, isLower) {
            if (hours &lt; 11) {
                return 'pagi';
            } else if (hours &lt; 15) {
                return 'siang';
            } else if (hours &lt; 19) {
                return 'sore';
            } else {
                return 'malam';
            }
        },
        calendar: {
            sameDay: '[Hari ini pukul] LT',
            nextDay: '[Besok pukul] LT',
            nextWeek: 'dddd [pukul] LT',
            lastDay: '[Kemarin pukul] LT',
            lastWeek: 'dddd [lalu pukul] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'dalam %s',
            past: '%s yang lalu',
            s: 'beberapa detik',
            ss: '%d detik',
            m: 'semenit',
            mm: '%d menit',
            h: 'sejam',
            hh: '%d jam',
            d: 'sehari',
            dd: '%d hari',
            M: 'sebulan',
            MM: '%d bulan',
            y: 'setahun',
            yy: '%d tahun',
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return id;

})));


/***/ }),

/***/ "./node_modules/moment/locale/is.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/is.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Icelandic [is]
//! author : Hinrik Ã–rn SigurÃ°sson : https://github.com/hinrik

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function plural(n) {
        if (n % 100 === 11) {
            return true;
        } else if (n % 10 === 1) {
            return false;
        }
        return true;
    }
    function translate(number, withoutSuffix, key, isFuture) {
        var result = number + ' ';
        switch (key) {
            case 's':
                return withoutSuffix || isFuture
                    ? 'nokkrar sekÃºndur'
                    : 'nokkrum sekÃºndum';
            case 'ss':
                if (plural(number)) {
                    return (
                        result +
                        (withoutSuffix || isFuture ? 'sekÃºndur' : 'sekÃºndum')
                    );
                }
                return result + 'sekÃºnda';
            case 'm':
                return withoutSuffix ? 'mÃ­nÃºta' : 'mÃ­nÃºtu';
            case 'mm':
                if (plural(number)) {
                    return (
                        result + (withoutSuffix || isFuture ? 'mÃ­nÃºtur' : 'mÃ­nÃºtum')
                    );
                } else if (withoutSuffix) {
                    return result + 'mÃ­nÃºta';
                }
                return result + 'mÃ­nÃºtu';
            case 'hh':
                if (plural(number)) {
                    return (
                        result +
                        (withoutSuffix || isFuture
                            ? 'klukkustundir'
                            : 'klukkustundum')
                    );
                }
                return result + 'klukkustund';
            case 'd':
                if (withoutSuffix) {
                    return 'dagur';
                }
                return isFuture ? 'dag' : 'degi';
            case 'dd':
                if (plural(number)) {
                    if (withoutSuffix) {
                        return result + 'dagar';
                    }
                    return result + (isFuture ? 'daga' : 'dÃ¶gum');
                } else if (withoutSuffix) {
                    return result + 'dagur';
                }
                return result + (isFuture ? 'dag' : 'degi');
            case 'M':
                if (withoutSuffix) {
                    return 'mÃ¡nuÃ°ur';
                }
                return isFuture ? 'mÃ¡nuÃ°' : 'mÃ¡nuÃ°i';
            case 'MM':
                if (plural(number)) {
                    if (withoutSuffix) {
                        return result + 'mÃ¡nuÃ°ir';
                    }
                    return result + (isFuture ? 'mÃ¡nuÃ°i' : 'mÃ¡nuÃ°um');
                } else if (withoutSuffix) {
                    return result + 'mÃ¡nuÃ°ur';
                }
                return result + (isFuture ? 'mÃ¡nuÃ°' : 'mÃ¡nuÃ°i');
            case 'y':
                return withoutSuffix || isFuture ? 'Ã¡r' : 'Ã¡ri';
            case 'yy':
                if (plural(number)) {
                    return result + (withoutSuffix || isFuture ? 'Ã¡r' : 'Ã¡rum');
                }
                return result + (withoutSuffix || isFuture ? 'Ã¡r' : 'Ã¡ri');
        }
    }

    var is = moment.defineLocale('is', {
        months: 'janÃºar_febrÃºar_mars_aprÃ­l_maÃ­_jÃºnÃ­_jÃºlÃ­_Ã¡gÃºst_september_oktÃ³ber_nÃ³vember_desember'.split(
            '_'
        ),
        monthsShort: 'jan_feb_mar_apr_maÃ­_jÃºn_jÃºl_Ã¡gÃº_sep_okt_nÃ³v_des'.split('_'),
        weekdays:
            'sunnudagur_mÃ¡nudagur_Ã¾riÃ°judagur_miÃ°vikudagur_fimmtudagur_fÃ¶studagur_laugardagur'.split(
                '_'
            ),
        weekdaysShort: 'sun_mÃ¡n_Ã¾ri_miÃ°_fim_fÃ¶s_lau'.split('_'),
        weekdaysMin: 'Su_MÃ¡_Ãžr_Mi_Fi_FÃ¶_La'.split('_'),
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY [kl.] H:mm',
            LLLL: 'dddd, D. MMMM YYYY [kl.] H:mm',
        },
        calendar: {
            sameDay: '[Ã­ dag kl.] LT',
            nextDay: '[Ã¡ morgun kl.] LT',
            nextWeek: 'dddd [kl.] LT',
            lastDay: '[Ã­ gÃ¦r kl.] LT',
            lastWeek: '[sÃ­Ã°asta] dddd [kl.] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'eftir %s',
            past: 'fyrir %s sÃ­Ã°an',
            s: translate,
            ss: translate,
            m: translate,
            mm: translate,
            h: 'klukkustund',
            hh: translate,
            d: translate,
            dd: translate,
            M: translate,
            MM: translate,
            y: translate,
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return is;

})));


/***/ }),

/***/ "./node_modules/moment/locale/it-ch.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/it-ch.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Italian (Switzerland) [it-ch]
//! author : xfh : https://github.com/xfh

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var itCh = moment.defineLocale('it-ch', {
        months: 'gennaio_febbraio_marzo_aprile_maggio_giugno_luglio_agosto_settembre_ottobre_novembre_dicembre'.split(
            '_'
        ),
        monthsShort: 'gen_feb_mar_apr_mag_giu_lug_ago_set_ott_nov_dic'.split('_'),
        weekdays: 'domenica_lunedÃ¬_martedÃ¬_mercoledÃ¬_giovedÃ¬_venerdÃ¬_sabato'.split(
            '_'
        ),
        weekdaysShort: 'dom_lun_mar_mer_gio_ven_sab'.split('_'),
        weekdaysMin: 'do_lu_ma_me_gi_ve_sa'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Oggi alle] LT',
            nextDay: '[Domani alle] LT',
            nextWeek: 'dddd [alle] LT',
            lastDay: '[Ieri alle] LT',
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[la scorsa] dddd [alle] LT';
                    default:
                        return '[lo scorso] dddd [alle] LT';
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: function (s) {
                return (/^[0-9].+$/.test(s) ? 'tra' : 'in') + ' ' + s;
            },
            past: '%s fa',
            s: 'alcuni secondi',
            ss: '%d secondi',
            m: 'un minuto',
            mm: '%d minuti',
            h: "un'ora",
            hh: '%d ore',
            d: 'un giorno',
            dd: '%d giorni',
            M: 'un mese',
            MM: '%d mesi',
            y: 'un anno',
            yy: '%d anni',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return itCh;

})));


/***/ }),

/***/ "./node_modules/moment/locale/it.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/it.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Italian [it]
//! author : Lorenzo : https://github.com/aliem
//! author: Mattia Larentis: https://github.com/nostalgiaz
//! author: Marco : https://github.com/Manfre98

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var it = moment.defineLocale('it', {
        months: 'gennaio_febbraio_marzo_aprile_maggio_giugno_luglio_agosto_settembre_ottobre_novembre_dicembre'.split(
            '_'
        ),
        monthsShort: 'gen_feb_mar_apr_mag_giu_lug_ago_set_ott_nov_dic'.split('_'),
        weekdays: 'domenica_lunedÃ¬_martedÃ¬_mercoledÃ¬_giovedÃ¬_venerdÃ¬_sabato'.split(
            '_'
        ),
        weekdaysShort: 'dom_lun_mar_mer_gio_ven_sab'.split('_'),
        weekdaysMin: 'do_lu_ma_me_gi_ve_sa'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: function () {
                return (
                    '[Oggi a' +
                    (this.hours() &gt; 1 ? 'lle ' : this.hours() === 0 ? ' ' : "ll'") +
                    ']LT'
                );
            },
            nextDay: function () {
                return (
                    '[Domani a' +
                    (this.hours() &gt; 1 ? 'lle ' : this.hours() === 0 ? ' ' : "ll'") +
                    ']LT'
                );
            },
            nextWeek: function () {
                return (
                    'dddd [a' +
                    (this.hours() &gt; 1 ? 'lle ' : this.hours() === 0 ? ' ' : "ll'") +
                    ']LT'
                );
            },
            lastDay: function () {
                return (
                    '[Ieri a' +
                    (this.hours() &gt; 1 ? 'lle ' : this.hours() === 0 ? ' ' : "ll'") +
                    ']LT'
                );
            },
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                        return (
                            '[La scorsa] dddd [a' +
                            (this.hours() &gt; 1
                                ? 'lle '
                                : this.hours() === 0
                                ? ' '
                                : "ll'") +
                            ']LT'
                        );
                    default:
                        return (
                            '[Lo scorso] dddd [a' +
                            (this.hours() &gt; 1
                                ? 'lle '
                                : this.hours() === 0
                                ? ' '
                                : "ll'") +
                            ']LT'
                        );
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'tra %s',
            past: '%s fa',
            s: 'alcuni secondi',
            ss: '%d secondi',
            m: 'un minuto',
            mm: '%d minuti',
            h: "un'ora",
            hh: '%d ore',
            d: 'un giorno',
            dd: '%d giorni',
            w: 'una settimana',
            ww: '%d settimane',
            M: 'un mese',
            MM: '%d mesi',
            y: 'un anno',
            yy: '%d anni',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return it;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ja.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ja.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Japanese [ja]
//! author : LI Long : https://github.com/baryon

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var ja = moment.defineLocale('ja', {
        eras: [
            {
                since: '2019-05-01',
                offset: 1,
                name: 'ä»¤å’Œ',
                narrow: 'ã‹¿',
                abbr: 'R',
            },
            {
                since: '1989-01-08',
                until: '2019-04-30',
                offset: 1,
                name: 'å¹³æˆ',
                narrow: 'ã»',
                abbr: 'H',
            },
            {
                since: '1926-12-25',
                until: '1989-01-07',
                offset: 1,
                name: 'æ˜­å’Œ',
                narrow: 'ã¼',
                abbr: 'S',
            },
            {
                since: '1912-07-30',
                until: '1926-12-24',
                offset: 1,
                name: 'å¤§æ­£',
                narrow: 'ã½',
                abbr: 'T',
            },
            {
                since: '1873-01-01',
                until: '1912-07-29',
                offset: 6,
                name: 'æ˜Žæ²»',
                narrow: 'ã¾',
                abbr: 'M',
            },
            {
                since: '0001-01-01',
                until: '1873-12-31',
                offset: 1,
                name: 'è¥¿æš¦',
                narrow: 'AD',
                abbr: 'AD',
            },
            {
                since: '0000-12-31',
                until: -Infinity,
                offset: 1,
                name: 'ç´€å…ƒå‰',
                narrow: 'BC',
                abbr: 'BC',
            },
        ],
        eraYearOrdinalRegex: /(å…ƒ|\d+)å¹´/,
        eraYearOrdinalParse: function (input, match) {
            return match[1] === 'å…ƒ' ? 1 : parseInt(match[1] || input, 10);
        },
        months: '1æœˆ_2æœˆ_3æœˆ_4æœˆ_5æœˆ_6æœˆ_7æœˆ_8æœˆ_9æœˆ_10æœˆ_11æœˆ_12æœˆ'.split('_'),
        monthsShort: '1æœˆ_2æœˆ_3æœˆ_4æœˆ_5æœˆ_6æœˆ_7æœˆ_8æœˆ_9æœˆ_10æœˆ_11æœˆ_12æœˆ'.split(
            '_'
        ),
        weekdays: 'æ—¥æ›œæ—¥_æœˆæ›œæ—¥_ç«æ›œæ—¥_æ°´æ›œæ—¥_æœ¨æ›œæ—¥_é‡‘æ›œæ—¥_åœŸæ›œæ—¥'.split('_'),
        weekdaysShort: 'æ—¥_æœˆ_ç«_æ°´_æœ¨_é‡‘_åœŸ'.split('_'),
        weekdaysMin: 'æ—¥_æœˆ_ç«_æ°´_æœ¨_é‡‘_åœŸ'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY/MM/DD',
            LL: 'YYYYå¹´MæœˆDæ—¥',
            LLL: 'YYYYå¹´MæœˆDæ—¥ HH:mm',
            LLLL: 'YYYYå¹´MæœˆDæ—¥ dddd HH:mm',
            l: 'YYYY/MM/DD',
            ll: 'YYYYå¹´MæœˆDæ—¥',
            lll: 'YYYYå¹´MæœˆDæ—¥ HH:mm',
            llll: 'YYYYå¹´MæœˆDæ—¥(ddd) HH:mm',
        },
        meridiemParse: /åˆå‰|åˆå¾Œ/i,
        isPM: function (input) {
            return input === 'åˆå¾Œ';
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'åˆå‰';
            } else {
                return 'åˆå¾Œ';
            }
        },
        calendar: {
            sameDay: '[ä»Šæ—¥] LT',
            nextDay: '[æ˜Žæ—¥] LT',
            nextWeek: function (now) {
                if (now.week() !== this.week()) {
                    return '[æ¥é€±]dddd LT';
                } else {
                    return 'dddd LT';
                }
            },
            lastDay: '[æ˜¨æ—¥] LT',
            lastWeek: function (now) {
                if (this.week() !== now.week()) {
                    return '[å…ˆé€±]dddd LT';
                } else {
                    return 'dddd LT';
                }
            },
            sameElse: 'L',
        },
        dayOfMonthOrdinalParse: /\d{1,2}æ—¥/,
        ordinal: function (number, period) {
            switch (period) {
                case 'y':
                    return number === 1 ? 'å…ƒå¹´' : number + 'å¹´';
                case 'd':
                case 'D':
                case 'DDD':
                    return number + 'æ—¥';
                default:
                    return number;
            }
        },
        relativeTime: {
            future: '%så¾Œ',
            past: '%så‰',
            s: 'æ•°ç§’',
            ss: '%dç§’',
            m: '1åˆ†',
            mm: '%dåˆ†',
            h: '1æ™‚é–“',
            hh: '%dæ™‚é–“',
            d: '1æ—¥',
            dd: '%dæ—¥',
            M: '1ãƒ¶æœˆ',
            MM: '%dãƒ¶æœˆ',
            y: '1å¹´',
            yy: '%då¹´',
        },
    });

    return ja;

})));


/***/ }),

/***/ "./node_modules/moment/locale/jv.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/jv.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Javanese [jv]
//! author : Rony Lantip : https://github.com/lantip
//! reference: http://jv.wikipedia.org/wiki/Basa_Jawa

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var jv = moment.defineLocale('jv', {
        months: 'Januari_Februari_Maret_April_Mei_Juni_Juli_Agustus_September_Oktober_Nopember_Desember'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mar_Apr_Mei_Jun_Jul_Ags_Sep_Okt_Nop_Des'.split('_'),
        weekdays: 'Minggu_Senen_Seloso_Rebu_Kemis_Jemuwah_Septu'.split('_'),
        weekdaysShort: 'Min_Sen_Sel_Reb_Kem_Jem_Sep'.split('_'),
        weekdaysMin: 'Mg_Sn_Sl_Rb_Km_Jm_Sp'.split('_'),
        longDateFormat: {
            LT: 'HH.mm',
            LTS: 'HH.mm.ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY [pukul] HH.mm',
            LLLL: 'dddd, D MMMM YYYY [pukul] HH.mm',
        },
        meridiemParse: /enjing|siyang|sonten|ndalu/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'enjing') {
                return hour;
            } else if (meridiem === 'siyang') {
                return hour &gt;= 11 ? hour : hour + 12;
            } else if (meridiem === 'sonten' || meridiem === 'ndalu') {
                return hour + 12;
            }
        },
        meridiem: function (hours, minutes, isLower) {
            if (hours &lt; 11) {
                return 'enjing';
            } else if (hours &lt; 15) {
                return 'siyang';
            } else if (hours &lt; 19) {
                return 'sonten';
            } else {
                return 'ndalu';
            }
        },
        calendar: {
            sameDay: '[Dinten puniko pukul] LT',
            nextDay: '[Mbenjang pukul] LT',
            nextWeek: 'dddd [pukul] LT',
            lastDay: '[Kala wingi pukul] LT',
            lastWeek: 'dddd [kepengker pukul] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'wonten ing %s',
            past: '%s ingkang kepengker',
            s: 'sawetawis detik',
            ss: '%d detik',
            m: 'setunggal menit',
            mm: '%d menit',
            h: 'setunggal jam',
            hh: '%d jam',
            d: 'sedinten',
            dd: '%d dinten',
            M: 'sewulan',
            MM: '%d wulan',
            y: 'setaun',
            yy: '%d taun',
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return jv;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ka.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ka.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Georgian [ka]
//! author : Irakli Janiashvili : https://github.com/IrakliJani

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var ka = moment.defineLocale('ka', {
        months: 'áƒ˜áƒáƒœáƒ•áƒáƒ&nbsp;áƒ˜_áƒ—áƒ”áƒ‘áƒ”áƒ&nbsp;áƒ•áƒáƒšáƒ˜_áƒ›áƒáƒ&nbsp;áƒ¢áƒ˜_áƒáƒžáƒ&nbsp;áƒ˜áƒšáƒ˜_áƒ›áƒáƒ˜áƒ¡áƒ˜_áƒ˜áƒ•áƒœáƒ˜áƒ¡áƒ˜_áƒ˜áƒ•áƒšáƒ˜áƒ¡áƒ˜_áƒáƒ’áƒ•áƒ˜áƒ¡áƒ¢áƒ_áƒ¡áƒ”áƒ¥áƒ¢áƒ”áƒ›áƒ‘áƒ”áƒ&nbsp;áƒ˜_áƒáƒ¥áƒ¢áƒáƒ›áƒ‘áƒ”áƒ&nbsp;áƒ˜_áƒœáƒáƒ”áƒ›áƒ‘áƒ”áƒ&nbsp;áƒ˜_áƒ“áƒ”áƒ™áƒ”áƒ›áƒ‘áƒ”áƒ&nbsp;áƒ˜'.split(
            '_'
        ),
        monthsShort: 'áƒ˜áƒáƒœ_áƒ—áƒ”áƒ‘_áƒ›áƒáƒ&nbsp;_áƒáƒžáƒ&nbsp;_áƒ›áƒáƒ˜_áƒ˜áƒ•áƒœ_áƒ˜áƒ•áƒš_áƒáƒ’áƒ•_áƒ¡áƒ”áƒ¥_áƒáƒ¥áƒ¢_áƒœáƒáƒ”_áƒ“áƒ”áƒ™'.split('_'),
        weekdays: {
            standalone:
                'áƒ™áƒ•áƒ˜áƒ&nbsp;áƒ_áƒáƒ&nbsp;áƒ¨áƒáƒ‘áƒáƒ—áƒ˜_áƒ¡áƒáƒ›áƒ¨áƒáƒ‘áƒáƒ—áƒ˜_áƒáƒ—áƒ®áƒ¨áƒáƒ‘áƒáƒ—áƒ˜_áƒ®áƒ£áƒ—áƒ¨áƒáƒ‘áƒáƒ—áƒ˜_áƒžáƒáƒ&nbsp;áƒáƒ¡áƒ™áƒ”áƒ•áƒ˜_áƒ¨áƒáƒ‘áƒáƒ—áƒ˜'.split(
                    '_'
                ),
            format: 'áƒ™áƒ•áƒ˜áƒ&nbsp;áƒáƒ¡_áƒáƒ&nbsp;áƒ¨áƒáƒ‘áƒáƒ—áƒ¡_áƒ¡áƒáƒ›áƒ¨áƒáƒ‘áƒáƒ—áƒ¡_áƒáƒ—áƒ®áƒ¨áƒáƒ‘áƒáƒ—áƒ¡_áƒ®áƒ£áƒ—áƒ¨áƒáƒ‘áƒáƒ—áƒ¡_áƒžáƒáƒ&nbsp;áƒáƒ¡áƒ™áƒ”áƒ•áƒ¡_áƒ¨áƒáƒ‘áƒáƒ—áƒ¡'.split(
                '_'
            ),
            isFormat: /(áƒ¬áƒ˜áƒœáƒ|áƒ¨áƒ”áƒ›áƒ“áƒ”áƒ’)/,
        },
        weekdaysShort: 'áƒ™áƒ•áƒ˜_áƒáƒ&nbsp;áƒ¨_áƒ¡áƒáƒ›_áƒáƒ—áƒ®_áƒ®áƒ£áƒ—_áƒžáƒáƒ&nbsp;_áƒ¨áƒáƒ‘'.split('_'),
        weekdaysMin: 'áƒ™áƒ•_áƒáƒ&nbsp;_áƒ¡áƒ_áƒáƒ—_áƒ®áƒ£_áƒžáƒ_áƒ¨áƒ'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[áƒ“áƒ¦áƒ”áƒ¡] LT[-áƒ–áƒ”]',
            nextDay: '[áƒ®áƒ•áƒáƒš] LT[-áƒ–áƒ”]',
            lastDay: '[áƒ’áƒ£áƒ¨áƒ˜áƒœ] LT[-áƒ–áƒ”]',
            nextWeek: '[áƒ¨áƒ”áƒ›áƒ“áƒ”áƒ’] dddd LT[-áƒ–áƒ”]',
            lastWeek: '[áƒ¬áƒ˜áƒœáƒ] dddd LT-áƒ–áƒ”',
            sameElse: 'L',
        },
        relativeTime: {
            future: function (s) {
                return s.replace(
                    /(áƒ¬áƒáƒ›|áƒ¬áƒ£áƒ—|áƒ¡áƒáƒáƒ—|áƒ¬áƒ”áƒš|áƒ“áƒ¦|áƒ—áƒ•)(áƒ˜|áƒ”)/,
                    function ($0, $1, $2) {
                        return $2 === 'áƒ˜' ? $1 + 'áƒ¨áƒ˜' : $1 + $2 + 'áƒ¨áƒ˜';
                    }
                );
            },
            past: function (s) {
                if (/(áƒ¬áƒáƒ›áƒ˜|áƒ¬áƒ£áƒ—áƒ˜|áƒ¡áƒáƒáƒ—áƒ˜|áƒ“áƒ¦áƒ”|áƒ—áƒ•áƒ”)/.test(s)) {
                    return s.replace(/(áƒ˜|áƒ”)$/, 'áƒ˜áƒ¡ áƒ¬áƒ˜áƒœ');
                }
                if (/áƒ¬áƒ”áƒšáƒ˜/.test(s)) {
                    return s.replace(/áƒ¬áƒ”áƒšáƒ˜$/, 'áƒ¬áƒšáƒ˜áƒ¡ áƒ¬áƒ˜áƒœ');
                }
                return s;
            },
            s: 'áƒ&nbsp;áƒáƒ›áƒ“áƒ”áƒœáƒ˜áƒ›áƒ” áƒ¬áƒáƒ›áƒ˜',
            ss: '%d áƒ¬áƒáƒ›áƒ˜',
            m: 'áƒ¬áƒ£áƒ—áƒ˜',
            mm: '%d áƒ¬áƒ£áƒ—áƒ˜',
            h: 'áƒ¡áƒáƒáƒ—áƒ˜',
            hh: '%d áƒ¡áƒáƒáƒ—áƒ˜',
            d: 'áƒ“áƒ¦áƒ”',
            dd: '%d áƒ“áƒ¦áƒ”',
            M: 'áƒ—áƒ•áƒ”',
            MM: '%d áƒ—áƒ•áƒ”',
            y: 'áƒ¬áƒ”áƒšáƒ˜',
            yy: '%d áƒ¬áƒ”áƒšáƒ˜',
        },
        dayOfMonthOrdinalParse: /0|1-áƒšáƒ˜|áƒ›áƒ”-\d{1,2}|\d{1,2}-áƒ”/,
        ordinal: function (number) {
            if (number === 0) {
                return number;
            }
            if (number === 1) {
                return number + '-áƒšáƒ˜';
            }
            if (
                number &lt; 20 ||
                (number &lt;= 100 &amp;&amp; number % 20 === 0) ||
                number % 100 === 0
            ) {
                return 'áƒ›áƒ”-' + number;
            }
            return number + '-áƒ”';
        },
        week: {
            dow: 1,
            doy: 7,
        },
    });

    return ka;

})));


/***/ }),

/***/ "./node_modules/moment/locale/kk.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/kk.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Kazakh [kk]
//! authors : Nurlan Rakhimzhanov : https://github.com/nurlan

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var suffixes = {
        0: '-ÑˆÑ–',
        1: '-ÑˆÑ–',
        2: '-ÑˆÑ–',
        3: '-ÑˆÑ–',
        4: '-ÑˆÑ–',
        5: '-ÑˆÑ–',
        6: '-ÑˆÑ‹',
        7: '-ÑˆÑ–',
        8: '-ÑˆÑ–',
        9: '-ÑˆÑ‹',
        10: '-ÑˆÑ‹',
        20: '-ÑˆÑ‹',
        30: '-ÑˆÑ‹',
        40: '-ÑˆÑ‹',
        50: '-ÑˆÑ–',
        60: '-ÑˆÑ‹',
        70: '-ÑˆÑ–',
        80: '-ÑˆÑ–',
        90: '-ÑˆÑ‹',
        100: '-ÑˆÑ–',
    };

    var kk = moment.defineLocale('kk', {
        months: 'Ò›Ð°Ò£Ñ‚Ð°Ñ€_Ð°Ò›Ð¿Ð°Ð½_Ð½Ð°ÑƒÑ€Ñ‹Ð·_ÑÓ™ÑƒÑ–Ñ€_Ð¼Ð°Ð¼Ñ‹Ñ€_Ð¼Ð°ÑƒÑÑ‹Ð¼_ÑˆÑ–Ð»Ð´Ðµ_Ñ‚Ð°Ð¼Ñ‹Ð·_Ò›Ñ‹Ñ€ÐºÒ¯Ð¹ÐµÐº_Ò›Ð°Ð·Ð°Ð½_Ò›Ð°Ñ€Ð°ÑˆÐ°_Ð¶ÐµÐ»Ñ‚Ð¾Ò›ÑÐ°Ð½'.split(
            '_'
        ),
        monthsShort: 'Ò›Ð°Ò£_Ð°Ò›Ð¿_Ð½Ð°Ñƒ_ÑÓ™Ñƒ_Ð¼Ð°Ð¼_Ð¼Ð°Ñƒ_ÑˆÑ–Ð»_Ñ‚Ð°Ð¼_Ò›Ñ‹Ñ€_Ò›Ð°Ð·_Ò›Ð°Ñ€_Ð¶ÐµÐ»'.split('_'),
        weekdays: 'Ð¶ÐµÐºÑÐµÐ½Ð±Ñ–_Ð´Ò¯Ð¹ÑÐµÐ½Ð±Ñ–_ÑÐµÐ¹ÑÐµÐ½Ð±Ñ–_ÑÓ™Ñ€ÑÐµÐ½Ð±Ñ–_Ð±ÐµÐ¹ÑÐµÐ½Ð±Ñ–_Ð¶Ò±Ð¼Ð°_ÑÐµÐ½Ð±Ñ–'.split(
            '_'
        ),
        weekdaysShort: 'Ð¶ÐµÐº_Ð´Ò¯Ð¹_ÑÐµÐ¹_ÑÓ™Ñ€_Ð±ÐµÐ¹_Ð¶Ò±Ð¼_ÑÐµÐ½'.split('_'),
        weekdaysMin: 'Ð¶Ðº_Ð´Ð¹_ÑÐ¹_ÑÑ€_Ð±Ð¹_Ð¶Ð¼_ÑÐ½'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Ð‘Ò¯Ð³Ñ–Ð½ ÑÐ°Ò“Ð°Ñ‚] LT',
            nextDay: '[Ð•Ñ€Ñ‚ÐµÒ£ ÑÐ°Ò“Ð°Ñ‚] LT',
            nextWeek: 'dddd [ÑÐ°Ò“Ð°Ñ‚] LT',
            lastDay: '[ÐšÐµÑˆÐµ ÑÐ°Ò“Ð°Ñ‚] LT',
            lastWeek: '[Ó¨Ñ‚ÐºÐµÐ½ Ð°Ð¿Ñ‚Ð°Ð½Ñ‹Ò£] dddd [ÑÐ°Ò“Ð°Ñ‚] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s Ñ–ÑˆÑ–Ð½Ð´Ðµ',
            past: '%s Ð±Ò±Ñ€Ñ‹Ð½',
            s: 'Ð±Ñ–Ñ€Ð½ÐµÑˆÐµ ÑÐµÐºÑƒÐ½Ð´',
            ss: '%d ÑÐµÐºÑƒÐ½Ð´',
            m: 'Ð±Ñ–Ñ€ Ð¼Ð¸Ð½ÑƒÑ‚',
            mm: '%d Ð¼Ð¸Ð½ÑƒÑ‚',
            h: 'Ð±Ñ–Ñ€ ÑÐ°Ò“Ð°Ñ‚',
            hh: '%d ÑÐ°Ò“Ð°Ñ‚',
            d: 'Ð±Ñ–Ñ€ ÐºÒ¯Ð½',
            dd: '%d ÐºÒ¯Ð½',
            M: 'Ð±Ñ–Ñ€ Ð°Ð¹',
            MM: '%d Ð°Ð¹',
            y: 'Ð±Ñ–Ñ€ Ð¶Ñ‹Ð»',
            yy: '%d Ð¶Ñ‹Ð»',
        },
        dayOfMonthOrdinalParse: /\d{1,2}-(ÑˆÑ–|ÑˆÑ‹)/,
        ordinal: function (number) {
            var a = number % 10,
                b = number &gt;= 100 ? 100 : null;
            return number + (suffixes[number] || suffixes[a] || suffixes[b]);
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return kk;

})));


/***/ }),

/***/ "./node_modules/moment/locale/km.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/km.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Cambodian [km]
//! author : Kruy Vanna : https://github.com/kruyvanna

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'áŸ¡',
            2: 'áŸ¢',
            3: 'áŸ£',
            4: 'áŸ¤',
            5: 'áŸ¥',
            6: 'áŸ¦',
            7: 'áŸ§',
            8: 'áŸ¨',
            9: 'áŸ©',
            0: 'áŸ&nbsp;',
        },
        numberMap = {
            'áŸ¡': '1',
            'áŸ¢': '2',
            'áŸ£': '3',
            'áŸ¤': '4',
            'áŸ¥': '5',
            'áŸ¦': '6',
            'áŸ§': '7',
            'áŸ¨': '8',
            'áŸ©': '9',
            'áŸ&nbsp;': '0',
        };

    var km = moment.defineLocale('km', {
        months: 'áž˜áž€ážšáž¶_áž€áž»áž˜áŸ’áž—áŸˆ_áž˜áž¸áž“áž¶_áž˜áŸážŸáž¶_áž§ážŸáž—áž¶_áž˜áž·ážáž»áž“áž¶_áž€áž€áŸ’áž€ážŠáž¶_ážŸáž¸áž&nbsp;áž¶_áž€áž‰áŸ’áž‰áž¶_ážáž»áž›áž¶_ážœáž·áž…áŸ’áž†áž·áž€áž¶_áž’áŸ’áž“áž¼'.split(
            '_'
        ),
        monthsShort:
            'áž˜áž€ážšáž¶_áž€áž»áž˜áŸ’áž—áŸˆ_áž˜áž¸áž“áž¶_áž˜áŸážŸáž¶_áž§ážŸáž—áž¶_áž˜áž·ážáž»áž“áž¶_áž€áž€áŸ’áž€ážŠáž¶_ážŸáž¸áž&nbsp;áž¶_áž€áž‰áŸ’áž‰áž¶_ážáž»áž›áž¶_ážœáž·áž…áŸ’áž†áž·áž€áž¶_áž’áŸ’áž“áž¼'.split(
                '_'
            ),
        weekdays: 'áž¢áž¶áž‘áž·ážáŸ’áž™_áž…áŸáž“áŸ’áž‘_áž¢áž„áŸ’áž‚áž¶ážš_áž–áž»áž’_áž–áŸ’ážšáž&nbsp;ážŸáŸ’áž”ážáž·áŸ_ážŸáž»áž€áŸ’ážš_ážŸáŸ…ážšáŸ'.split('_'),
        weekdaysShort: 'áž¢áž¶_áž…_áž¢_áž–_áž–áŸ’ážš_ážŸáž»_ážŸ'.split('_'),
        weekdaysMin: 'áž¢áž¶_áž…_áž¢_áž–_áž–áŸ’ážš_ážŸáž»_ážŸ'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        meridiemParse: /áž–áŸ’ážšáž¹áž€|áž›áŸ’áž„áž¶áž…/,
        isPM: function (input) {
            return input === 'áž›áŸ’áž„áž¶áž…';
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'áž–áŸ’ážšáž¹áž€';
            } else {
                return 'áž›áŸ’áž„áž¶áž…';
            }
        },
        calendar: {
            sameDay: '[ážáŸ’áž„áŸƒáž“áŸáŸ‡ áž˜áŸ‰áŸ„áž„] LT',
            nextDay: '[ážŸáŸ’áž¢áŸ‚áž€ áž˜áŸ‰áŸ„áž„] LT',
            nextWeek: 'dddd [áž˜áŸ‰áŸ„áž„] LT',
            lastDay: '[áž˜áŸ’ážŸáž·áž›áž˜áž·áž‰ áž˜áŸ‰áŸ„áž„] LT',
            lastWeek: 'dddd [ážŸáž”áŸ’ážáž¶áž&nbsp;áŸáž˜áž»áž“] [áž˜áŸ‰áŸ„áž„] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%sáž‘áŸ€áž',
            past: '%sáž˜áž»áž“',
            s: 'áž”áŸ‰áž»áž“áŸ’áž˜áž¶áž“ážœáž·áž“áž¶áž‘áž¸',
            ss: '%d ážœáž·áž“áž¶áž‘áž¸',
            m: 'áž˜áž½áž™áž“áž¶áž‘áž¸',
            mm: '%d áž“áž¶áž‘áž¸',
            h: 'áž˜áž½áž™áž˜áŸ‰áŸ„áž„',
            hh: '%d áž˜áŸ‰áŸ„áž„',
            d: 'áž˜áž½áž™ážáŸ’áž„áŸƒ',
            dd: '%d ážáŸ’áž„áŸƒ',
            M: 'áž˜áž½áž™ážáŸ‚',
            MM: '%d ážáŸ‚',
            y: 'áž˜áž½áž™áž†áŸ’áž“áž¶áŸ†',
            yy: '%d áž†áŸ’áž“áž¶áŸ†',
        },
        dayOfMonthOrdinalParse: /áž‘áž¸\d{1,2}/,
        ordinal: 'áž‘áž¸%d',
        preparse: function (string) {
            return string.replace(/[áŸ¡áŸ¢áŸ£áŸ¤áŸ¥áŸ¦áŸ§áŸ¨áŸ©áŸ&nbsp;]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return km;

})));


/***/ }),

/***/ "./node_modules/moment/locale/kn.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/kn.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Kannada [kn]
//! author : Rajeev Naik : https://github.com/rajeevnaikte

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'à³§',
            2: 'à³¨',
            3: 'à³©',
            4: 'à³ª',
            5: 'à³«',
            6: 'à³¬',
            7: 'à³­',
            8: 'à³®',
            9: 'à³¯',
            0: 'à³¦',
        },
        numberMap = {
            'à³§': '1',
            'à³¨': '2',
            'à³©': '3',
            'à³ª': '4',
            'à³«': '5',
            'à³¬': '6',
            'à³­': '7',
            'à³®': '8',
            'à³¯': '9',
            'à³¦': '0',
        };

    var kn = moment.defineLocale('kn', {
        months: 'à²œà²¨à²µà²°à²¿_à²«à³†à²¬à³à²°à²µà²°à²¿_à²®à²¾à²°à³à²šà³_à²à²ªà³à²°à²¿à²²à³_à²®à³†à³•_à²œà³‚à²¨à³_à²œà³à²²à³†à³–_à²†à²—à²¸à³à²Ÿà³_à²¸à³†à²ªà³à²Ÿà³†à²‚à²¬à²°à³_à²…à²•à³à²Ÿà³†à³‚à³•à²¬à²°à³_à²¨à²µà³†à²‚à²¬à²°à³_à²¡à²¿à²¸à³†à²‚à²¬à²°à³'.split(
            '_'
        ),
        monthsShort:
            'à²œà²¨_à²«à³†à²¬à³à²°_à²®à²¾à²°à³à²šà³_à²à²ªà³à²°à²¿à²²à³_à²®à³†à³•_à²œà³‚à²¨à³_à²œà³à²²à³†à³–_à²†à²—à²¸à³à²Ÿà³_à²¸à³†à²ªà³à²Ÿà³†à²‚_à²…à²•à³à²Ÿà³†à³‚à³•_à²¨à²µà³†à²‚_à²¡à²¿à²¸à³†à²‚'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'à²­à²¾à²¨à³à²µà²¾à²°_à²¸à³†à³‚à³•à²®à²µà²¾à²°_à²®à²‚à²—à²³à²µà²¾à²°_à²¬à³à²§à²µà²¾à²°_à²—à³à²°à³à²µà²¾à²°_à²¶à³à²•à³à²°à²µà²¾à²°_à²¶à²¨à²¿à²µà²¾à²°'.split(
            '_'
        ),
        weekdaysShort: 'à²­à²¾à²¨à³_à²¸à³†à³‚à³•à²®_à²®à²‚à²—à²³_à²¬à³à²§_à²—à³à²°à³_à²¶à³à²•à³à²°_à²¶à²¨à²¿'.split('_'),
        weekdaysMin: 'à²­à²¾_à²¸à³†à³‚à³•_à²®à²‚_à²¬à³_à²—à³_à²¶à³_à²¶'.split('_'),
        longDateFormat: {
            LT: 'A h:mm',
            LTS: 'A h:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, A h:mm',
            LLLL: 'dddd, D MMMM YYYY, A h:mm',
        },
        calendar: {
            sameDay: '[à²‡à²‚à²¦à³] LT',
            nextDay: '[à²¨à²¾à²³à³†] LT',
            nextWeek: 'dddd, LT',
            lastDay: '[à²¨à²¿à²¨à³à²¨à³†] LT',
            lastWeek: '[à²•à³†à³‚à²¨à³†à²¯] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s à²¨à²‚à²¤à²°',
            past: '%s à²¹à²¿à²‚à²¦à³†',
            s: 'à²•à³†à²²à²µà³ à²•à³à²·à²£à²—à²³à³',
            ss: '%d à²¸à³†à²•à³†à²‚à²¡à³à²—à²³à³',
            m: 'à²’à²‚à²¦à³ à²¨à²¿à²®à²¿à²·',
            mm: '%d à²¨à²¿à²®à²¿à²·',
            h: 'à²’à²‚à²¦à³ à²—à²‚à²Ÿà³†',
            hh: '%d à²—à²‚à²Ÿà³†',
            d: 'à²’à²‚à²¦à³ à²¦à²¿à²¨',
            dd: '%d à²¦à²¿à²¨',
            M: 'à²’à²‚à²¦à³ à²¤à²¿à²‚à²—à²³à³',
            MM: '%d à²¤à²¿à²‚à²—à²³à³',
            y: 'à²’à²‚à²¦à³ à²µà²°à³à²·',
            yy: '%d à²µà²°à³à²·',
        },
        preparse: function (string) {
            return string.replace(/[à³§à³¨à³©à³ªà³«à³¬à³­à³®à³¯à³¦]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        meridiemParse: /à²°à²¾à²¤à³à²°à²¿|à²¬à³†à²³à²¿à²—à³à²—à³†|à²®à²§à³à²¯à²¾à²¹à³à²¨|à²¸à²‚à²œà³†/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'à²°à²¾à²¤à³à²°à²¿') {
                return hour &lt; 4 ? hour : hour + 12;
            } else if (meridiem === 'à²¬à³†à²³à²¿à²—à³à²—à³†') {
                return hour;
            } else if (meridiem === 'à²®à²§à³à²¯à²¾à²¹à³à²¨') {
                return hour &gt;= 10 ? hour : hour + 12;
            } else if (meridiem === 'à²¸à²‚à²œà³†') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'à²°à²¾à²¤à³à²°à²¿';
            } else if (hour &lt; 10) {
                return 'à²¬à³†à²³à²¿à²—à³à²—à³†';
            } else if (hour &lt; 17) {
                return 'à²®à²§à³à²¯à²¾à²¹à³à²¨';
            } else if (hour &lt; 20) {
                return 'à²¸à²‚à²œà³†';
            } else {
                return 'à²°à²¾à²¤à³à²°à²¿';
            }
        },
        dayOfMonthOrdinalParse: /\d{1,2}(à²¨à³†à³•)/,
        ordinal: function (number) {
            return number + 'à²¨à³†à³•';
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return kn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ko.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ko.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Korean [ko]
//! author : Kyungwook, Park : https://github.com/kyungw00k
//! author : Jeeeyul Lee &lt;jeeeyul@gmail.com&gt;

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var ko = moment.defineLocale('ko', {
        months: '1ì›”_2ì›”_3ì›”_4ì›”_5ì›”_6ì›”_7ì›”_8ì›”_9ì›”_10ì›”_11ì›”_12ì›”'.split('_'),
        monthsShort: '1ì›”_2ì›”_3ì›”_4ì›”_5ì›”_6ì›”_7ì›”_8ì›”_9ì›”_10ì›”_11ì›”_12ì›”'.split(
            '_'
        ),
        weekdays: 'ì¼ìš”ì¼_ì›”ìš”ì¼_í™”ìš”ì¼_ìˆ˜ìš”ì¼_ëª©ìš”ì¼_ê¸ˆìš”ì¼_í†&nbsp;ìš”ì¼'.split('_'),
        weekdaysShort: 'ì¼_ì›”_í™”_ìˆ˜_ëª©_ê¸ˆ_í†&nbsp;'.split('_'),
        weekdaysMin: 'ì¼_ì›”_í™”_ìˆ˜_ëª©_ê¸ˆ_í†&nbsp;'.split('_'),
        longDateFormat: {
            LT: 'A h:mm',
            LTS: 'A h:mm:ss',
            L: 'YYYY.MM.DD.',
            LL: 'YYYYë…„ MMMM Dì¼',
            LLL: 'YYYYë…„ MMMM Dì¼ A h:mm',
            LLLL: 'YYYYë…„ MMMM Dì¼ dddd A h:mm',
            l: 'YYYY.MM.DD.',
            ll: 'YYYYë…„ MMMM Dì¼',
            lll: 'YYYYë…„ MMMM Dì¼ A h:mm',
            llll: 'YYYYë…„ MMMM Dì¼ dddd A h:mm',
        },
        calendar: {
            sameDay: 'ì˜¤ëŠ˜ LT',
            nextDay: 'ë‚´ì¼ LT',
            nextWeek: 'dddd LT',
            lastDay: 'ì–´ì&nbsp;œ LT',
            lastWeek: 'ì§€ë‚œì£¼ dddd LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s í›„',
            past: '%s ì&nbsp;„',
            s: 'ëª‡ ì´ˆ',
            ss: '%dì´ˆ',
            m: '1ë¶„',
            mm: '%dë¶„',
            h: 'í•œ ì‹œê°„',
            hh: '%dì‹œê°„',
            d: 'í•˜ë£¨',
            dd: '%dì¼',
            M: 'í•œ ë‹¬',
            MM: '%dë‹¬',
            y: 'ì¼ ë…„',
            yy: '%dë…„',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(ì¼|ì›”|ì£¼)/,
        ordinal: function (number, period) {
            switch (period) {
                case 'd':
                case 'D':
                case 'DDD':
                    return number + 'ì¼';
                case 'M':
                    return number + 'ì›”';
                case 'w':
                case 'W':
                    return number + 'ì£¼';
                default:
                    return number;
            }
        },
        meridiemParse: /ì˜¤ì&nbsp;„|ì˜¤í›„/,
        isPM: function (token) {
            return token === 'ì˜¤í›„';
        },
        meridiem: function (hour, minute, isUpper) {
            return hour &lt; 12 ? 'ì˜¤ì&nbsp;„' : 'ì˜¤í›„';
        },
    });

    return ko;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ku.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ku.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Kurdish [ku]
//! author : Shahram Mebashar : https://github.com/ShahramMebashar

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'Ù¡',
            2: 'Ù¢',
            3: 'Ù£',
            4: 'Ù¤',
            5: 'Ù¥',
            6: 'Ù¦',
            7: 'Ù§',
            8: 'Ù¨',
            9: 'Ù©',
            0: 'Ù&nbsp;',
        },
        numberMap = {
            'Ù¡': '1',
            'Ù¢': '2',
            'Ù£': '3',
            'Ù¤': '4',
            'Ù¥': '5',
            'Ù¦': '6',
            'Ù§': '7',
            'Ù¨': '8',
            'Ù©': '9',
            'Ù&nbsp;': '0',
        },
        months = [
            'Ú©Ø§Ù†ÙˆÙ†ÛŒ Ø¯ÙˆÙˆÛ•Ù…',
            'Ø´ÙˆØ¨Ø§Øª',
            'Ø¦Ø§Ø²Ø§Ø±',
            'Ù†ÛŒØ³Ø§Ù†',
            'Ø¦Ø§ÛŒØ§Ø±',
            'Ø­ÙˆØ²Û•ÛŒØ±Ø§Ù†',
            'ØªÛ•Ù…Ù…ÙˆØ²',
            'Ø¦Ø§Ø¨',
            'Ø¦Û•ÛŒÙ„ÙˆÙˆÙ„',
            'ØªØ´Ø±ÛŒÙ†ÛŒ ÛŒÛ•ÙƒÛ•Ù…',
            'ØªØ´Ø±ÛŒÙ†ÛŒ Ø¯ÙˆÙˆÛ•Ù…',
            'ÙƒØ§Ù†ÙˆÙ†ÛŒ ÛŒÛ•Ú©Û•Ù…',
        ];

    var ku = moment.defineLocale('ku', {
        months: months,
        monthsShort: months,
        weekdays:
            'ÛŒÙ‡â€ŒÙƒØ´Ù‡â€ŒÙ…Ù…Ù‡â€Œ_Ø¯ÙˆÙˆØ´Ù‡â€ŒÙ…Ù…Ù‡â€Œ_Ø³ÛŽØ´Ù‡â€ŒÙ…Ù…Ù‡â€Œ_Ú†ÙˆØ§Ø±Ø´Ù‡â€ŒÙ…Ù…Ù‡â€Œ_Ù¾ÛŽÙ†Ø¬Ø´Ù‡â€ŒÙ…Ù…Ù‡â€Œ_Ù‡Ù‡â€ŒÛŒÙ†ÛŒ_Ø´Ù‡â€ŒÙ…Ù…Ù‡â€Œ'.split(
                '_'
            ),
        weekdaysShort:
            'ÛŒÙ‡â€ŒÙƒØ´Ù‡â€ŒÙ…_Ø¯ÙˆÙˆØ´Ù‡â€ŒÙ…_Ø³ÛŽØ´Ù‡â€ŒÙ…_Ú†ÙˆØ§Ø±Ø´Ù‡â€ŒÙ…_Ù¾ÛŽÙ†Ø¬Ø´Ù‡â€ŒÙ…_Ù‡Ù‡â€ŒÛŒÙ†ÛŒ_Ø´Ù‡â€ŒÙ…Ù…Ù‡â€Œ'.split('_'),
        weekdaysMin: 'ÛŒ_Ø¯_Ø³_Ú†_Ù¾_Ù‡_Ø´'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        meridiemParse: /Ø¦ÛŽÙˆØ§Ø±Ù‡â€Œ|Ø¨Ù‡â€ŒÛŒØ§Ù†ÛŒ/,
        isPM: function (input) {
            return /Ø¦ÛŽÙˆØ§Ø±Ù‡â€Œ/.test(input);
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'Ø¨Ù‡â€ŒÛŒØ§Ù†ÛŒ';
            } else {
                return 'Ø¦ÛŽÙˆØ§Ø±Ù‡â€Œ';
            }
        },
        calendar: {
            sameDay: '[Ø¦Ù‡â€ŒÙ…Ø±Û† ÙƒØ§ØªÚ˜Ù…ÛŽØ±] LT',
            nextDay: '[Ø¨Ù‡â€ŒÛŒØ§Ù†ÛŒ ÙƒØ§ØªÚ˜Ù…ÛŽØ±] LT',
            nextWeek: 'dddd [ÙƒØ§ØªÚ˜Ù…ÛŽØ±] LT',
            lastDay: '[Ø¯ÙˆÛŽÙ†ÛŽ ÙƒØ§ØªÚ˜Ù…ÛŽØ±] LT',
            lastWeek: 'dddd [ÙƒØ§ØªÚ˜Ù…ÛŽØ±] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ù„Ù‡â€Œ %s',
            past: '%s',
            s: 'Ú†Ù‡â€ŒÙ†Ø¯ Ú†Ø±ÙƒÙ‡â€ŒÛŒÙ‡â€ŒÙƒ',
            ss: 'Ú†Ø±ÙƒÙ‡â€Œ %d',
            m: 'ÛŒÙ‡â€ŒÙƒ Ø®ÙˆÙ„Ù‡â€ŒÙƒ',
            mm: '%d Ø®ÙˆÙ„Ù‡â€ŒÙƒ',
            h: 'ÛŒÙ‡â€ŒÙƒ ÙƒØ§ØªÚ˜Ù…ÛŽØ±',
            hh: '%d ÙƒØ§ØªÚ˜Ù…ÛŽØ±',
            d: 'ÛŒÙ‡â€ŒÙƒ Ú•Û†Ú˜',
            dd: '%d Ú•Û†Ú˜',
            M: 'ÛŒÙ‡â€ŒÙƒ Ù…Ø§Ù†Ú¯',
            MM: '%d Ù…Ø§Ù†Ú¯',
            y: 'ÛŒÙ‡â€ŒÙƒ Ø³Ø§Úµ',
            yy: '%d Ø³Ø§Úµ',
        },
        preparse: function (string) {
            return string
                .replace(/[Ù¡Ù¢Ù£Ù¤Ù¥Ù¦Ù§Ù¨Ù©Ù&nbsp;]/g, function (match) {
                    return numberMap[match];
                })
                .replace(/ØŒ/g, ',');
        },
        postformat: function (string) {
            return string
                .replace(/\d/g, function (match) {
                    return symbolMap[match];
                })
                .replace(/,/g, 'ØŒ');
        },
        week: {
            dow: 6, // Saturday is the first day of the week.
            doy: 12, // The week that contains Jan 12th is the first week of the year.
        },
    });

    return ku;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ky.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ky.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Kyrgyz [ky]
//! author : Chyngyz Arystan uulu : https://github.com/chyngyz

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var suffixes = {
        0: '-Ñ‡Ò¯',
        1: '-Ñ‡Ð¸',
        2: '-Ñ‡Ð¸',
        3: '-Ñ‡Ò¯',
        4: '-Ñ‡Ò¯',
        5: '-Ñ‡Ð¸',
        6: '-Ñ‡Ñ‹',
        7: '-Ñ‡Ð¸',
        8: '-Ñ‡Ð¸',
        9: '-Ñ‡Ñƒ',
        10: '-Ñ‡Ñƒ',
        20: '-Ñ‡Ñ‹',
        30: '-Ñ‡Ñƒ',
        40: '-Ñ‡Ñ‹',
        50: '-Ñ‡Ò¯',
        60: '-Ñ‡Ñ‹',
        70: '-Ñ‡Ð¸',
        80: '-Ñ‡Ð¸',
        90: '-Ñ‡Ñƒ',
        100: '-Ñ‡Ò¯',
    };

    var ky = moment.defineLocale('ky', {
        months: 'ÑÐ½Ð²Ð°Ñ€ÑŒ_Ñ„ÐµÐ²Ñ€Ð°Ð»ÑŒ_Ð¼Ð°Ñ€Ñ‚_Ð°Ð¿Ñ€ÐµÐ»ÑŒ_Ð¼Ð°Ð¹_Ð¸ÑŽÐ½ÑŒ_Ð¸ÑŽÐ»ÑŒ_Ð°Ð²Ð³ÑƒÑÑ‚_ÑÐµÐ½Ñ‚ÑÐ±Ñ€ÑŒ_Ð¾ÐºÑ‚ÑÐ±Ñ€ÑŒ_Ð½Ð¾ÑÐ±Ñ€ÑŒ_Ð´ÐµÐºÐ°Ð±Ñ€ÑŒ'.split(
            '_'
        ),
        monthsShort: 'ÑÐ½Ð²_Ñ„ÐµÐ²_Ð¼Ð°Ñ€Ñ‚_Ð°Ð¿Ñ€_Ð¼Ð°Ð¹_Ð¸ÑŽÐ½ÑŒ_Ð¸ÑŽÐ»ÑŒ_Ð°Ð²Ð³_ÑÐµÐ½_Ð¾ÐºÑ‚_Ð½Ð¾Ñ_Ð´ÐµÐº'.split(
            '_'
        ),
        weekdays: 'Ð–ÐµÐºÑˆÐµÐ¼Ð±Ð¸_Ð”Ò¯Ð¹ÑˆÓ©Ð¼Ð±Ò¯_Ð¨ÐµÐ¹ÑˆÐµÐ¼Ð±Ð¸_Ð¨Ð°Ñ€ÑˆÐµÐ¼Ð±Ð¸_Ð‘ÐµÐ¹ÑˆÐµÐ¼Ð±Ð¸_Ð–ÑƒÐ¼Ð°_Ð˜ÑˆÐµÐ¼Ð±Ð¸'.split(
            '_'
        ),
        weekdaysShort: 'Ð–ÐµÐº_Ð”Ò¯Ð¹_Ð¨ÐµÐ¹_Ð¨Ð°Ñ€_Ð‘ÐµÐ¹_Ð–ÑƒÐ¼_Ð˜ÑˆÐµ'.split('_'),
        weekdaysMin: 'Ð–Ðº_Ð”Ð¹_Ð¨Ð¹_Ð¨Ñ€_Ð‘Ð¹_Ð–Ð¼_Ð˜Ñˆ'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Ð‘Ò¯Ð³Ò¯Ð½ ÑÐ°Ð°Ñ‚] LT',
            nextDay: '[Ð­Ñ€Ñ‚ÐµÒ£ ÑÐ°Ð°Ñ‚] LT',
            nextWeek: 'dddd [ÑÐ°Ð°Ñ‚] LT',
            lastDay: '[ÐšÐµÑ‡ÑÑ ÑÐ°Ð°Ñ‚] LT',
            lastWeek: '[Ó¨Ñ‚ÐºÓ©Ð½ Ð°Ð¿Ñ‚Ð°Ð½Ñ‹Ð½] dddd [ÐºÒ¯Ð½Ò¯] [ÑÐ°Ð°Ñ‚] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s Ð¸Ñ‡Ð¸Ð½Ð´Ðµ',
            past: '%s Ð¼ÑƒÑ€ÑƒÐ½',
            s: 'Ð±Ð¸Ñ€Ð½ÐµÑ‡Ðµ ÑÐµÐºÑƒÐ½Ð´',
            ss: '%d ÑÐµÐºÑƒÐ½Ð´',
            m: 'Ð±Ð¸Ñ€ Ð¼Ò¯Ð½Ó©Ñ‚',
            mm: '%d Ð¼Ò¯Ð½Ó©Ñ‚',
            h: 'Ð±Ð¸Ñ€ ÑÐ°Ð°Ñ‚',
            hh: '%d ÑÐ°Ð°Ñ‚',
            d: 'Ð±Ð¸Ñ€ ÐºÒ¯Ð½',
            dd: '%d ÐºÒ¯Ð½',
            M: 'Ð±Ð¸Ñ€ Ð°Ð¹',
            MM: '%d Ð°Ð¹',
            y: 'Ð±Ð¸Ñ€ Ð¶Ñ‹Ð»',
            yy: '%d Ð¶Ñ‹Ð»',
        },
        dayOfMonthOrdinalParse: /\d{1,2}-(Ñ‡Ð¸|Ñ‡Ñ‹|Ñ‡Ò¯|Ñ‡Ñƒ)/,
        ordinal: function (number) {
            var a = number % 10,
                b = number &gt;= 100 ? 100 : null;
            return number + (suffixes[number] || suffixes[a] || suffixes[b]);
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return ky;

})));


/***/ }),

/***/ "./node_modules/moment/locale/lb.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/lb.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Luxembourgish [lb]
//! author : mweimerskirch : https://github.com/mweimerskirch
//! author : David Raison : https://github.com/kwisatz

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function processRelativeTime(number, withoutSuffix, key, isFuture) {
        var format = {
            m: ['eng Minutt', 'enger Minutt'],
            h: ['eng Stonn', 'enger Stonn'],
            d: ['een Dag', 'engem Dag'],
            M: ['ee Mount', 'engem Mount'],
            y: ['ee Joer', 'engem Joer'],
        };
        return withoutSuffix ? format[key][0] : format[key][1];
    }
    function processFutureTime(string) {
        var number = string.substr(0, string.indexOf(' '));
        if (eifelerRegelAppliesToNumber(number)) {
            return 'a ' + string;
        }
        return 'an ' + string;
    }
    function processPastTime(string) {
        var number = string.substr(0, string.indexOf(' '));
        if (eifelerRegelAppliesToNumber(number)) {
            return 'viru ' + string;
        }
        return 'virun ' + string;
    }
    /**
     * Returns true if the word before the given number loses the '-n' ending.
     * e.g. 'an 10 Deeg' but 'a 5 Deeg'
     *
     * @param number {integer}
     * @returns {boolean}
     */
    function eifelerRegelAppliesToNumber(number) {
        number = parseInt(number, 10);
        if (isNaN(number)) {
            return false;
        }
        if (number &lt; 0) {
            // Negative Number --&gt; always true
            return true;
        } else if (number &lt; 10) {
            // Only 1 digit
            if (4 &lt;= number &amp;&amp; number &lt;= 7) {
                return true;
            }
            return false;
        } else if (number &lt; 100) {
            // 2 digits
            var lastDigit = number % 10,
                firstDigit = number / 10;
            if (lastDigit === 0) {
                return eifelerRegelAppliesToNumber(firstDigit);
            }
            return eifelerRegelAppliesToNumber(lastDigit);
        } else if (number &lt; 10000) {
            // 3 or 4 digits --&gt; recursively check first digit
            while (number &gt;= 10) {
                number = number / 10;
            }
            return eifelerRegelAppliesToNumber(number);
        } else {
            // Anything larger than 4 digits: recursively check first n-3 digits
            number = number / 1000;
            return eifelerRegelAppliesToNumber(number);
        }
    }

    var lb = moment.defineLocale('lb', {
        months: 'Januar_Februar_MÃ¤erz_AbrÃ«ll_Mee_Juni_Juli_August_September_Oktober_November_Dezember'.split(
            '_'
        ),
        monthsShort:
            'Jan._Febr._Mrz._Abr._Mee_Jun._Jul._Aug._Sept._Okt._Nov._Dez.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays:
            'Sonndeg_MÃ©indeg_DÃ«nschdeg_MÃ«ttwoch_Donneschdeg_Freideg_Samschdeg'.split(
                '_'
            ),
        weekdaysShort: 'So._MÃ©._DÃ«._MÃ«._Do._Fr._Sa.'.split('_'),
        weekdaysMin: 'So_MÃ©_DÃ«_MÃ«_Do_Fr_Sa'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm [Auer]',
            LTS: 'H:mm:ss [Auer]',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY H:mm [Auer]',
            LLLL: 'dddd, D. MMMM YYYY H:mm [Auer]',
        },
        calendar: {
            sameDay: '[Haut um] LT',
            sameElse: 'L',
            nextDay: '[Muer um] LT',
            nextWeek: 'dddd [um] LT',
            lastDay: '[GÃ«schter um] LT',
            lastWeek: function () {
                // Different date string for 'DÃ«nschdeg' (Tuesday) and 'Donneschdeg' (Thursday) due to phonological rule
                switch (this.day()) {
                    case 2:
                    case 4:
                        return '[Leschten] dddd [um] LT';
                    default:
                        return '[Leschte] dddd [um] LT';
                }
            },
        },
        relativeTime: {
            future: processFutureTime,
            past: processPastTime,
            s: 'e puer Sekonnen',
            ss: '%d Sekonnen',
            m: processRelativeTime,
            mm: '%d Minutten',
            h: processRelativeTime,
            hh: '%d Stonnen',
            d: processRelativeTime,
            dd: '%d Deeg',
            M: processRelativeTime,
            MM: '%d MÃ©int',
            y: processRelativeTime,
            yy: '%d Joer',
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return lb;

})));


/***/ }),

/***/ "./node_modules/moment/locale/lo.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/lo.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Lao [lo]
//! author : Ryan Hart : https://github.com/ryanhart2

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var lo = moment.defineLocale('lo', {
        months: 'àº¡àº±àº‡àºàº­àº™_àºàº¸àº¡àºžàº²_àº¡àºµàº™àº²_à»€àº¡àºªàº²_àºžàº¶àº”àºªàº°àºžàº²_àº¡àº´àº–àº¸àº™àº²_àºà»àº¥àº°àºàº»àº”_àºªàº´àº‡àº«àº²_àºàº±àº™àºàº²_àº•àº¸àº¥àº²_àºžàº°àºˆàº´àº_àº—àº±àº™àº§àº²'.split(
            '_'
        ),
        monthsShort:
            'àº¡àº±àº‡àºàº­àº™_àºàº¸àº¡àºžàº²_àº¡àºµàº™àº²_à»€àº¡àºªàº²_àºžàº¶àº”àºªàº°àºžàº²_àº¡àº´àº–àº¸àº™àº²_àºà»àº¥àº°àºàº»àº”_àºªàº´àº‡àº«àº²_àºàº±àº™àºàº²_àº•àº¸àº¥àº²_àºžàº°àºˆàº´àº_àº—àº±àº™àº§àº²'.split(
                '_'
            ),
        weekdays: 'àº­àº²àº—àº´àº”_àºˆàº±àº™_àº­àº±àº‡àº„àº²àº™_àºžàº¸àº”_àºžàº°àº«àº±àº”_àºªàº¸àº_à»€àºªàº»àº²'.split('_'),
        weekdaysShort: 'àº—àº´àº”_àºˆàº±àº™_àº­àº±àº‡àº„àº²àº™_àºžàº¸àº”_àºžàº°àº«àº±àº”_àºªàº¸àº_à»€àºªàº»àº²'.split('_'),
        weekdaysMin: 'àº—_àºˆ_àº­àº„_àºž_àºžàº«_àºªàº_àºª'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'àº§àº±àº™dddd D MMMM YYYY HH:mm',
        },
        meridiemParse: /àº•àº­àº™à»€àºŠàº»à»‰àº²|àº•àº­àº™à»àº¥àº‡/,
        isPM: function (input) {
            return input === 'àº•àº­àº™à»àº¥àº‡';
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'àº•àº­àº™à»€àºŠàº»à»‰àº²';
            } else {
                return 'àº•àº­àº™à»àº¥àº‡';
            }
        },
        calendar: {
            sameDay: '[àº¡àº·à»‰àº™àºµà»‰à»€àº§àº¥àº²] LT',
            nextDay: '[àº¡àº·à»‰àº­àº·à»ˆàº™à»€àº§àº¥àº²] LT',
            nextWeek: '[àº§àº±àº™]dddd[à»œà»‰àº²à»€àº§àº¥àº²] LT',
            lastDay: '[àº¡àº·à»‰àº§àº²àº™àº™àºµà»‰à»€àº§àº¥àº²] LT',
            lastWeek: '[àº§àº±àº™]dddd[à»àº¥à»‰àº§àº™àºµà»‰à»€àº§àº¥àº²] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'àº­àºµàº %s',
            past: '%sàºœà»ˆàº²àº™àº¡àº²',
            s: 'àºšà»à»ˆà»€àº—àº»à»ˆàº²à»ƒàº”àº§àº´àº™àº²àº—àºµ',
            ss: '%d àº§àº´àº™àº²àº—àºµ',
            m: '1 àº™àº²àº—àºµ',
            mm: '%d àº™àº²àº—àºµ',
            h: '1 àºŠàº»à»ˆàº§à»‚àº¡àº‡',
            hh: '%d àºŠàº»à»ˆàº§à»‚àº¡àº‡',
            d: '1 àº¡àº·à»‰',
            dd: '%d àº¡àº·à»‰',
            M: '1 à»€àº”àº·àº­àº™',
            MM: '%d à»€àº”àº·àº­àº™',
            y: '1 àº›àºµ',
            yy: '%d àº›àºµ',
        },
        dayOfMonthOrdinalParse: /(àº—àºµà»ˆ)\d{1,2}/,
        ordinal: function (number) {
            return 'àº—àºµà»ˆ' + number;
        },
    });

    return lo;

})));


/***/ }),

/***/ "./node_modules/moment/locale/lt.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/lt.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Lithuanian [lt]
//! author : Mindaugas MozÅ«ras : https://github.com/mmozuras

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var units = {
        ss: 'sekundÄ—_sekundÅ¾iÅ³_sekundes',
        m: 'minutÄ—_minutÄ—s_minutÄ™',
        mm: 'minutÄ—s_minuÄiÅ³_minutes',
        h: 'valanda_valandos_valandÄ…',
        hh: 'valandos_valandÅ³_valandas',
        d: 'diena_dienos_dienÄ…',
        dd: 'dienos_dienÅ³_dienas',
        M: 'mÄ—nuo_mÄ—nesio_mÄ—nesÄ¯',
        MM: 'mÄ—nesiai_mÄ—nesiÅ³_mÄ—nesius',
        y: 'metai_metÅ³_metus',
        yy: 'metai_metÅ³_metus',
    };
    function translateSeconds(number, withoutSuffix, key, isFuture) {
        if (withoutSuffix) {
            return 'kelios sekundÄ—s';
        } else {
            return isFuture ? 'keliÅ³ sekundÅ¾iÅ³' : 'kelias sekundes';
        }
    }
    function translateSingular(number, withoutSuffix, key, isFuture) {
        return withoutSuffix
            ? forms(key)[0]
            : isFuture
            ? forms(key)[1]
            : forms(key)[2];
    }
    function special(number) {
        return number % 10 === 0 || (number &gt; 10 &amp;&amp; number &lt; 20);
    }
    function forms(key) {
        return units[key].split('_');
    }
    function translate(number, withoutSuffix, key, isFuture) {
        var result = number + ' ';
        if (number === 1) {
            return (
                result + translateSingular(number, withoutSuffix, key[0], isFuture)
            );
        } else if (withoutSuffix) {
            return result + (special(number) ? forms(key)[1] : forms(key)[0]);
        } else {
            if (isFuture) {
                return result + forms(key)[1];
            } else {
                return result + (special(number) ? forms(key)[1] : forms(key)[2]);
            }
        }
    }
    var lt = moment.defineLocale('lt', {
        months: {
            format: 'sausio_vasario_kovo_balandÅ¾io_geguÅ¾Ä—s_birÅ¾elio_liepos_rugpjÅ«Äio_rugsÄ—jo_spalio_lapkriÄio_gruodÅ¾io'.split(
                '_'
            ),
            standalone:
                'sausis_vasaris_kovas_balandis_geguÅ¾Ä—_birÅ¾elis_liepa_rugpjÅ«tis_rugsÄ—jis_spalis_lapkritis_gruodis'.split(
                    '_'
                ),
            isFormat: /D[oD]?(\[[^\[\]]*\]|\s)+MMMM?|MMMM?(\[[^\[\]]*\]|\s)+D[oD]?/,
        },
        monthsShort: 'sau_vas_kov_bal_geg_bir_lie_rgp_rgs_spa_lap_grd'.split('_'),
        weekdays: {
            format: 'sekmadienÄ¯_pirmadienÄ¯_antradienÄ¯_treÄiadienÄ¯_ketvirtadienÄ¯_penktadienÄ¯_Å¡eÅ¡tadienÄ¯'.split(
                '_'
            ),
            standalone:
                'sekmadienis_pirmadienis_antradienis_treÄiadienis_ketvirtadienis_penktadienis_Å¡eÅ¡tadienis'.split(
                    '_'
                ),
            isFormat: /dddd HH:mm/,
        },
        weekdaysShort: 'Sek_Pir_Ant_Tre_Ket_Pen_Å&nbsp;eÅ¡'.split('_'),
        weekdaysMin: 'S_P_A_T_K_Pn_Å&nbsp;'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY-MM-DD',
            LL: 'YYYY [m.] MMMM D [d.]',
            LLL: 'YYYY [m.] MMMM D [d.], HH:mm [val.]',
            LLLL: 'YYYY [m.] MMMM D [d.], dddd, HH:mm [val.]',
            l: 'YYYY-MM-DD',
            ll: 'YYYY [m.] MMMM D [d.]',
            lll: 'YYYY [m.] MMMM D [d.], HH:mm [val.]',
            llll: 'YYYY [m.] MMMM D [d.], ddd, HH:mm [val.]',
        },
        calendar: {
            sameDay: '[Å&nbsp;iandien] LT',
            nextDay: '[Rytoj] LT',
            nextWeek: 'dddd LT',
            lastDay: '[Vakar] LT',
            lastWeek: '[PraÄ—jusÄ¯] dddd LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'po %s',
            past: 'prieÅ¡ %s',
            s: translateSeconds,
            ss: translate,
            m: translateSingular,
            mm: translate,
            h: translateSingular,
            hh: translate,
            d: translateSingular,
            dd: translate,
            M: translateSingular,
            MM: translate,
            y: translateSingular,
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}-oji/,
        ordinal: function (number) {
            return number + '-oji';
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return lt;

})));


/***/ }),

/***/ "./node_modules/moment/locale/lv.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/lv.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Latvian [lv]
//! author : Kristaps Karlsons : https://github.com/skakri
//! author : JÄnis Elmeris : https://github.com/JanisE

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var units = {
        ss: 'sekundes_sekundÄ“m_sekunde_sekundes'.split('_'),
        m: 'minÅ«tes_minÅ«tÄ“m_minÅ«te_minÅ«tes'.split('_'),
        mm: 'minÅ«tes_minÅ«tÄ“m_minÅ«te_minÅ«tes'.split('_'),
        h: 'stundas_stundÄm_stunda_stundas'.split('_'),
        hh: 'stundas_stundÄm_stunda_stundas'.split('_'),
        d: 'dienas_dienÄm_diena_dienas'.split('_'),
        dd: 'dienas_dienÄm_diena_dienas'.split('_'),
        M: 'mÄ“neÅ¡a_mÄ“neÅ¡iem_mÄ“nesis_mÄ“neÅ¡i'.split('_'),
        MM: 'mÄ“neÅ¡a_mÄ“neÅ¡iem_mÄ“nesis_mÄ“neÅ¡i'.split('_'),
        y: 'gada_gadiem_gads_gadi'.split('_'),
        yy: 'gada_gadiem_gads_gadi'.split('_'),
    };
    /**
     * @param withoutSuffix boolean true = a length of time; false = before/after a period of time.
     */
    function format(forms, number, withoutSuffix) {
        if (withoutSuffix) {
            // E.g. "21 minÅ«te", "3 minÅ«tes".
            return number % 10 === 1 &amp;&amp; number % 100 !== 11 ? forms[2] : forms[3];
        } else {
            // E.g. "21 minÅ«tes" as in "pÄ“c 21 minÅ«tes".
            // E.g. "3 minÅ«tÄ“m" as in "pÄ“c 3 minÅ«tÄ“m".
            return number % 10 === 1 &amp;&amp; number % 100 !== 11 ? forms[0] : forms[1];
        }
    }
    function relativeTimeWithPlural(number, withoutSuffix, key) {
        return number + ' ' + format(units[key], number, withoutSuffix);
    }
    function relativeTimeWithSingular(number, withoutSuffix, key) {
        return format(units[key], number, withoutSuffix);
    }
    function relativeSeconds(number, withoutSuffix) {
        return withoutSuffix ? 'daÅ¾as sekundes' : 'daÅ¾Äm sekundÄ“m';
    }

    var lv = moment.defineLocale('lv', {
        months: 'janvÄris_februÄris_marts_aprÄ«lis_maijs_jÅ«nijs_jÅ«lijs_augusts_septembris_oktobris_novembris_decembris'.split(
            '_'
        ),
        monthsShort: 'jan_feb_mar_apr_mai_jÅ«n_jÅ«l_aug_sep_okt_nov_dec'.split('_'),
        weekdays:
            'svÄ“tdiena_pirmdiena_otrdiena_treÅ¡diena_ceturtdiena_piektdiena_sestdiena'.split(
                '_'
            ),
        weekdaysShort: 'Sv_P_O_T_C_Pk_S'.split('_'),
        weekdaysMin: 'Sv_P_O_T_C_Pk_S'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY.',
            LL: 'YYYY. [gada] D. MMMM',
            LLL: 'YYYY. [gada] D. MMMM, HH:mm',
            LLLL: 'YYYY. [gada] D. MMMM, dddd, HH:mm',
        },
        calendar: {
            sameDay: '[Å&nbsp;odien pulksten] LT',
            nextDay: '[RÄ«t pulksten] LT',
            nextWeek: 'dddd [pulksten] LT',
            lastDay: '[Vakar pulksten] LT',
            lastWeek: '[PagÄjuÅ¡Ä] dddd [pulksten] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'pÄ“c %s',
            past: 'pirms %s',
            s: relativeSeconds,
            ss: relativeTimeWithPlural,
            m: relativeTimeWithSingular,
            mm: relativeTimeWithPlural,
            h: relativeTimeWithSingular,
            hh: relativeTimeWithPlural,
            d: relativeTimeWithSingular,
            dd: relativeTimeWithPlural,
            M: relativeTimeWithSingular,
            MM: relativeTimeWithPlural,
            y: relativeTimeWithSingular,
            yy: relativeTimeWithPlural,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return lv;

})));


/***/ }),

/***/ "./node_modules/moment/locale/me.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/me.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Montenegrin [me]
//! author : Miodrag NikaÄ &lt;miodrag@restartit.me&gt; : https://github.com/miodragnikac

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var translator = {
        words: {
            //Different grammatical cases
            ss: ['sekund', 'sekunda', 'sekundi'],
            m: ['jedan minut', 'jednog minuta'],
            mm: ['minut', 'minuta', 'minuta'],
            h: ['jedan sat', 'jednog sata'],
            hh: ['sat', 'sata', 'sati'],
            dd: ['dan', 'dana', 'dana'],
            MM: ['mjesec', 'mjeseca', 'mjeseci'],
            yy: ['godina', 'godine', 'godina'],
        },
        correctGrammaticalCase: function (number, wordKey) {
            return number === 1
                ? wordKey[0]
                : number &gt;= 2 &amp;&amp; number &lt;= 4
                ? wordKey[1]
                : wordKey[2];
        },
        translate: function (number, withoutSuffix, key) {
            var wordKey = translator.words[key];
            if (key.length === 1) {
                return withoutSuffix ? wordKey[0] : wordKey[1];
            } else {
                return (
                    number +
                    ' ' +
                    translator.correctGrammaticalCase(number, wordKey)
                );
            }
        },
    };

    var me = moment.defineLocale('me', {
        months: 'januar_februar_mart_april_maj_jun_jul_avgust_septembar_oktobar_novembar_decembar'.split(
            '_'
        ),
        monthsShort:
            'jan._feb._mar._apr._maj_jun_jul_avg._sep._okt._nov._dec.'.split('_'),
        monthsParseExact: true,
        weekdays: 'nedjelja_ponedjeljak_utorak_srijeda_Äetvrtak_petak_subota'.split(
            '_'
        ),
        weekdaysShort: 'ned._pon._uto._sri._Äet._pet._sub.'.split('_'),
        weekdaysMin: 'ne_po_ut_sr_Äe_pe_su'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY H:mm',
            LLLL: 'dddd, D. MMMM YYYY H:mm',
        },
        calendar: {
            sameDay: '[danas u] LT',
            nextDay: '[sjutra u] LT',

            nextWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[u] [nedjelju] [u] LT';
                    case 3:
                        return '[u] [srijedu] [u] LT';
                    case 6:
                        return '[u] [subotu] [u] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[u] dddd [u] LT';
                }
            },
            lastDay: '[juÄe u] LT',
            lastWeek: function () {
                var lastWeekDays = [
                    '[proÅ¡le] [nedjelje] [u] LT',
                    '[proÅ¡log] [ponedjeljka] [u] LT',
                    '[proÅ¡log] [utorka] [u] LT',
                    '[proÅ¡le] [srijede] [u] LT',
                    '[proÅ¡log] [Äetvrtka] [u] LT',
                    '[proÅ¡log] [petka] [u] LT',
                    '[proÅ¡le] [subote] [u] LT',
                ];
                return lastWeekDays[this.day()];
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'za %s',
            past: 'prije %s',
            s: 'nekoliko sekundi',
            ss: translator.translate,
            m: translator.translate,
            mm: translator.translate,
            h: translator.translate,
            hh: translator.translate,
            d: 'dan',
            dd: translator.translate,
            M: 'mjesec',
            MM: translator.translate,
            y: 'godinu',
            yy: translator.translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return me;

})));


/***/ }),

/***/ "./node_modules/moment/locale/mi.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/mi.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Maori [mi]
//! author : John Corrigan &lt;robbiecloset@gmail.com&gt; : https://github.com/johnideal

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var mi = moment.defineLocale('mi', {
        months: 'Kohi-tÄte_Hui-tanguru_PoutÅ«-te-rangi_Paenga-whÄwhÄ_Haratua_Pipiri_HÅngoingoi_Here-turi-kÅkÄ_Mahuru_Whiringa-Ä-nuku_Whiringa-Ä-rangi_Hakihea'.split(
            '_'
        ),
        monthsShort:
            'Kohi_Hui_Pou_Pae_Hara_Pipi_HÅngoi_Here_Mahu_Whi-nu_Whi-ra_Haki'.split(
                '_'
            ),
        monthsRegex: /(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,
        monthsStrictRegex: /(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,
        monthsShortRegex: /(?:['a-z\u0101\u014D\u016B]+\-?){1,3}/i,
        monthsShortStrictRegex: /(?:['a-z\u0101\u014D\u016B]+\-?){1,2}/i,
        weekdays: 'RÄtapu_Mane_TÅ«rei_Wenerei_TÄite_Paraire_HÄtarei'.split('_'),
        weekdaysShort: 'Ta_Ma_TÅ«_We_TÄi_Pa_HÄ'.split('_'),
        weekdaysMin: 'Ta_Ma_TÅ«_We_TÄi_Pa_HÄ'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY [i] HH:mm',
            LLLL: 'dddd, D MMMM YYYY [i] HH:mm',
        },
        calendar: {
            sameDay: '[i teie mahana, i] LT',
            nextDay: '[apopo i] LT',
            nextWeek: 'dddd [i] LT',
            lastDay: '[inanahi i] LT',
            lastWeek: 'dddd [whakamutunga i] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'i roto i %s',
            past: '%s i mua',
            s: 'te hÄ“kona ruarua',
            ss: '%d hÄ“kona',
            m: 'he meneti',
            mm: '%d meneti',
            h: 'te haora',
            hh: '%d haora',
            d: 'he ra',
            dd: '%d ra',
            M: 'he marama',
            MM: '%d marama',
            y: 'he tau',
            yy: '%d tau',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return mi;

})));


/***/ }),

/***/ "./node_modules/moment/locale/mk.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/mk.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Macedonian [mk]
//! author : Borislav Mickov : https://github.com/B0k0
//! author : Sashko Todorov : https://github.com/bkyceh

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var mk = moment.defineLocale('mk', {
        months: 'Ñ˜Ð°Ð½ÑƒÐ°Ñ€Ð¸_Ñ„ÐµÐ²Ñ€ÑƒÐ°Ñ€Ð¸_Ð¼Ð°Ñ€Ñ‚_Ð°Ð¿Ñ€Ð¸Ð»_Ð¼Ð°Ñ˜_Ñ˜ÑƒÐ½Ð¸_Ñ˜ÑƒÐ»Ð¸_Ð°Ð²Ð³ÑƒÑÑ‚_ÑÐµÐ¿Ñ‚ÐµÐ¼Ð²Ñ€Ð¸_Ð¾ÐºÑ‚Ð¾Ð¼Ð²Ñ€Ð¸_Ð½Ð¾ÐµÐ¼Ð²Ñ€Ð¸_Ð´ÐµÐºÐµÐ¼Ð²Ñ€Ð¸'.split(
            '_'
        ),
        monthsShort: 'Ñ˜Ð°Ð½_Ñ„ÐµÐ²_Ð¼Ð°Ñ€_Ð°Ð¿Ñ€_Ð¼Ð°Ñ˜_Ñ˜ÑƒÐ½_Ñ˜ÑƒÐ»_Ð°Ð²Ð³_ÑÐµÐ¿_Ð¾ÐºÑ‚_Ð½Ð¾Ðµ_Ð´ÐµÐº'.split('_'),
        weekdays: 'Ð½ÐµÐ´ÐµÐ»Ð°_Ð¿Ð¾Ð½ÐµÐ´ÐµÐ»Ð½Ð¸Ðº_Ð²Ñ‚Ð¾Ñ€Ð½Ð¸Ðº_ÑÑ€ÐµÐ´Ð°_Ñ‡ÐµÑ‚Ð²Ñ€Ñ‚Ð¾Ðº_Ð¿ÐµÑ‚Ð¾Ðº_ÑÐ°Ð±Ð¾Ñ‚Ð°'.split(
            '_'
        ),
        weekdaysShort: 'Ð½ÐµÐ´_Ð¿Ð¾Ð½_Ð²Ñ‚Ð¾_ÑÑ€Ðµ_Ñ‡ÐµÑ‚_Ð¿ÐµÑ‚_ÑÐ°Ð±'.split('_'),
        weekdaysMin: 'Ð½e_Ð¿o_Ð²Ñ‚_ÑÑ€_Ñ‡Ðµ_Ð¿Ðµ_Ña'.split('_'),
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'D.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY H:mm',
            LLLL: 'dddd, D MMMM YYYY H:mm',
        },
        calendar: {
            sameDay: '[Ð”ÐµÐ½ÐµÑ Ð²Ð¾] LT',
            nextDay: '[Ð£Ñ‚Ñ€Ðµ Ð²Ð¾] LT',
            nextWeek: '[Ð’Ð¾] dddd [Ð²Ð¾] LT',
            lastDay: '[Ð’Ñ‡ÐµÑ€Ð° Ð²Ð¾] LT',
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                    case 3:
                    case 6:
                        return '[Ð˜Ð·Ð¼Ð¸Ð½Ð°Ñ‚Ð°Ñ‚Ð°] dddd [Ð²Ð¾] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[Ð˜Ð·Ð¼Ð¸Ð½Ð°Ñ‚Ð¸Ð¾Ñ‚] dddd [Ð²Ð¾] LT';
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ð·Ð° %s',
            past: 'Ð¿Ñ€ÐµÐ´ %s',
            s: 'Ð½ÐµÐºÐ¾Ð»ÐºÑƒ ÑÐµÐºÑƒÐ½Ð´Ð¸',
            ss: '%d ÑÐµÐºÑƒÐ½Ð´Ð¸',
            m: 'ÐµÐ´Ð½Ð° Ð¼Ð¸Ð½ÑƒÑ‚Ð°',
            mm: '%d Ð¼Ð¸Ð½ÑƒÑ‚Ð¸',
            h: 'ÐµÐ´ÐµÐ½ Ñ‡Ð°Ñ',
            hh: '%d Ñ‡Ð°ÑÐ°',
            d: 'ÐµÐ´ÐµÐ½ Ð´ÐµÐ½',
            dd: '%d Ð´ÐµÐ½Ð°',
            M: 'ÐµÐ´ÐµÐ½ Ð¼ÐµÑÐµÑ†',
            MM: '%d Ð¼ÐµÑÐµÑ†Ð¸',
            y: 'ÐµÐ´Ð½Ð° Ð³Ð¾Ð´Ð¸Ð½Ð°',
            yy: '%d Ð³Ð¾Ð´Ð¸Ð½Ð¸',
        },
        dayOfMonthOrdinalParse: /\d{1,2}-(ÐµÐ²|ÐµÐ½|Ñ‚Ð¸|Ð²Ð¸|Ñ€Ð¸|Ð¼Ð¸)/,
        ordinal: function (number) {
            var lastDigit = number % 10,
                last2Digits = number % 100;
            if (number === 0) {
                return number + '-ÐµÐ²';
            } else if (last2Digits === 0) {
                return number + '-ÐµÐ½';
            } else if (last2Digits &gt; 10 &amp;&amp; last2Digits &lt; 20) {
                return number + '-Ñ‚Ð¸';
            } else if (lastDigit === 1) {
                return number + '-Ð²Ð¸';
            } else if (lastDigit === 2) {
                return number + '-Ñ€Ð¸';
            } else if (lastDigit === 7 || lastDigit === 8) {
                return number + '-Ð¼Ð¸';
            } else {
                return number + '-Ñ‚Ð¸';
            }
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return mk;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ml.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ml.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Malayalam [ml]
//! author : Floyd Pink : https://github.com/floydpink

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var ml = moment.defineLocale('ml', {
        months: 'à´œà´¨àµà´µà´°à´¿_à´«àµ†à´¬àµà´°àµà´µà´°à´¿_à´®à´¾àµ¼à´šàµà´šàµ_à´à´ªàµà´°à´¿àµ½_à´®àµ‡à´¯àµ_à´œàµ‚àµº_à´œàµ‚à´²àµˆ_à´“à´—à´¸àµà´±àµà´±àµ_à´¸àµ†à´ªàµà´±àµà´±à´‚à´¬àµ¼_à´’à´•àµà´Ÿàµ‹à´¬àµ¼_à´¨à´µà´‚à´¬àµ¼_à´¡à´¿à´¸à´‚à´¬àµ¼'.split(
            '_'
        ),
        monthsShort:
            'à´œà´¨àµ._à´«àµ†à´¬àµà´°àµ._à´®à´¾àµ¼._à´à´ªàµà´°à´¿._à´®àµ‡à´¯àµ_à´œàµ‚àµº_à´œàµ‚à´²àµˆ._à´“à´—._à´¸àµ†à´ªàµà´±àµà´±._à´’à´•àµà´Ÿàµ‹._à´¨à´µà´‚._à´¡à´¿à´¸à´‚.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays:
            'à´žà´¾à´¯à´±à´¾à´´àµà´š_à´¤à´¿à´™àµà´•à´³à´¾à´´àµà´š_à´šàµŠà´µàµà´µà´¾à´´àµà´š_à´¬àµà´§à´¨à´¾à´´àµà´š_à´µàµà´¯à´¾à´´à´¾à´´àµà´š_à´µàµ†à´³àµà´³à´¿à´¯à´¾à´´àµà´š_à´¶à´¨à´¿à´¯à´¾à´´àµà´š'.split(
                '_'
            ),
        weekdaysShort: 'à´žà´¾à´¯àµ¼_à´¤à´¿à´™àµà´•àµ¾_à´šàµŠà´µàµà´µ_à´¬àµà´§àµ»_à´µàµà´¯à´¾à´´à´‚_à´µàµ†à´³àµà´³à´¿_à´¶à´¨à´¿'.split('_'),
        weekdaysMin: 'à´žà´¾_à´¤à´¿_à´šàµŠ_à´¬àµ_à´µàµà´¯à´¾_à´µàµ†_à´¶'.split('_'),
        longDateFormat: {
            LT: 'A h:mm -à´¨àµ',
            LTS: 'A h:mm:ss -à´¨àµ',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, A h:mm -à´¨àµ',
            LLLL: 'dddd, D MMMM YYYY, A h:mm -à´¨àµ',
        },
        calendar: {
            sameDay: '[à´‡à´¨àµà´¨àµ] LT',
            nextDay: '[à´¨à´¾à´³àµ†] LT',
            nextWeek: 'dddd, LT',
            lastDay: '[à´‡à´¨àµà´¨à´²àµ†] LT',
            lastWeek: '[à´•à´´à´¿à´žàµà´ž] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s à´•à´´à´¿à´žàµà´žàµ',
            past: '%s à´®àµàµ»à´ªàµ',
            s: 'à´…àµ½à´ª à´¨à´¿à´®à´¿à´·à´™àµà´™àµ¾',
            ss: '%d à´¸àµ†à´•àµà´•àµ»à´¡àµ',
            m: 'à´’à´°àµ à´®à´¿à´¨à´¿à´±àµà´±àµ',
            mm: '%d à´®à´¿à´¨à´¿à´±àµà´±àµ',
            h: 'à´’à´°àµ à´®à´£à´¿à´•àµà´•àµ‚àµ¼',
            hh: '%d à´®à´£à´¿à´•àµà´•àµ‚àµ¼',
            d: 'à´’à´°àµ à´¦à´¿à´µà´¸à´‚',
            dd: '%d à´¦à´¿à´µà´¸à´‚',
            M: 'à´’à´°àµ à´®à´¾à´¸à´‚',
            MM: '%d à´®à´¾à´¸à´‚',
            y: 'à´’à´°àµ à´µàµ¼à´·à´‚',
            yy: '%d à´µàµ¼à´·à´‚',
        },
        meridiemParse: /à´°à´¾à´¤àµà´°à´¿|à´°à´¾à´µà´¿à´²àµ†|à´‰à´šàµà´š à´•à´´à´¿à´žàµà´žàµ|à´µàµˆà´•àµà´¨àµà´¨àµ‡à´°à´‚|à´°à´¾à´¤àµà´°à´¿/i,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (
                (meridiem === 'à´°à´¾à´¤àµà´°à´¿' &amp;&amp; hour &gt;= 4) ||
                meridiem === 'à´‰à´šàµà´š à´•à´´à´¿à´žàµà´žàµ' ||
                meridiem === 'à´µàµˆà´•àµà´¨àµà´¨àµ‡à´°à´‚'
            ) {
                return hour + 12;
            } else {
                return hour;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'à´°à´¾à´¤àµà´°à´¿';
            } else if (hour &lt; 12) {
                return 'à´°à´¾à´µà´¿à´²àµ†';
            } else if (hour &lt; 17) {
                return 'à´‰à´šàµà´š à´•à´´à´¿à´žàµà´žàµ';
            } else if (hour &lt; 20) {
                return 'à´µàµˆà´•àµà´¨àµà´¨àµ‡à´°à´‚';
            } else {
                return 'à´°à´¾à´¤àµà´°à´¿';
            }
        },
    });

    return ml;

})));


/***/ }),

/***/ "./node_modules/moment/locale/mn.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/mn.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Mongolian [mn]
//! author : Javkhlantugs Nyamdorj : https://github.com/javkhaanj7

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function translate(number, withoutSuffix, key, isFuture) {
        switch (key) {
            case 's':
                return withoutSuffix ? 'Ñ…ÑÐ´Ñ…ÑÐ½ ÑÐµÐºÑƒÐ½Ð´' : 'Ñ…ÑÐ´Ñ…ÑÐ½ ÑÐµÐºÑƒÐ½Ð´Ñ‹Ð½';
            case 'ss':
                return number + (withoutSuffix ? ' ÑÐµÐºÑƒÐ½Ð´' : ' ÑÐµÐºÑƒÐ½Ð´Ñ‹Ð½');
            case 'm':
            case 'mm':
                return number + (withoutSuffix ? ' Ð¼Ð¸Ð½ÑƒÑ‚' : ' Ð¼Ð¸Ð½ÑƒÑ‚Ñ‹Ð½');
            case 'h':
            case 'hh':
                return number + (withoutSuffix ? ' Ñ†Ð°Ð³' : ' Ñ†Ð°Ð³Ð¸Ð¹Ð½');
            case 'd':
            case 'dd':
                return number + (withoutSuffix ? ' Ó©Ð´Ó©Ñ€' : ' Ó©Ð´Ñ€Ð¸Ð¹Ð½');
            case 'M':
            case 'MM':
                return number + (withoutSuffix ? ' ÑÐ°Ñ€' : ' ÑÐ°Ñ€Ñ‹Ð½');
            case 'y':
            case 'yy':
                return number + (withoutSuffix ? ' Ð¶Ð¸Ð»' : ' Ð¶Ð¸Ð»Ð¸Ð¹Ð½');
            default:
                return number;
        }
    }

    var mn = moment.defineLocale('mn', {
        months: 'ÐÑÐ³Ð´Ò¯Ð³ÑÑÑ€ ÑÐ°Ñ€_Ð¥Ð¾Ñ‘Ñ€Ð´ÑƒÐ³Ð°Ð°Ñ€ ÑÐ°Ñ€_Ð“ÑƒÑ€Ð°Ð²Ð´ÑƒÐ³Ð°Ð°Ñ€ ÑÐ°Ñ€_Ð”Ó©Ñ€Ó©Ð²Ð´Ò¯Ð³ÑÑÑ€ ÑÐ°Ñ€_Ð¢Ð°Ð²Ð´ÑƒÐ³Ð°Ð°Ñ€ ÑÐ°Ñ€_Ð—ÑƒÑ€Ð³Ð°Ð´ÑƒÐ³Ð°Ð°Ñ€ ÑÐ°Ñ€_Ð”Ð¾Ð»Ð´ÑƒÐ³Ð°Ð°Ñ€ ÑÐ°Ñ€_ÐÐ°Ð¹Ð¼Ð´ÑƒÐ³Ð°Ð°Ñ€ ÑÐ°Ñ€_Ð•ÑÐ´Ò¯Ð³ÑÑÑ€ ÑÐ°Ñ€_ÐÑ€Ð°Ð²Ð´ÑƒÐ³Ð°Ð°Ñ€ ÑÐ°Ñ€_ÐÑ€Ð²Ð°Ð½ Ð½ÑÐ³Ð´Ò¯Ð³ÑÑÑ€ ÑÐ°Ñ€_ÐÑ€Ð²Ð°Ð½ Ñ…Ð¾Ñ‘Ñ€Ð´ÑƒÐ³Ð°Ð°Ñ€ ÑÐ°Ñ€'.split(
            '_'
        ),
        monthsShort:
            '1 ÑÐ°Ñ€_2 ÑÐ°Ñ€_3 ÑÐ°Ñ€_4 ÑÐ°Ñ€_5 ÑÐ°Ñ€_6 ÑÐ°Ñ€_7 ÑÐ°Ñ€_8 ÑÐ°Ñ€_9 ÑÐ°Ñ€_10 ÑÐ°Ñ€_11 ÑÐ°Ñ€_12 ÑÐ°Ñ€'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'ÐÑÐ¼_Ð”Ð°Ð²Ð°Ð°_ÐœÑÐ³Ð¼Ð°Ñ€_Ð›Ñ…Ð°Ð³Ð²Ð°_ÐŸÒ¯Ñ€ÑÐ²_Ð‘Ð°Ð°ÑÐ°Ð½_Ð‘ÑÐ¼Ð±Ð°'.split('_'),
        weekdaysShort: 'ÐÑÐ¼_Ð”Ð°Ð²_ÐœÑÐ³_Ð›Ñ…Ð°_ÐŸÒ¯Ñ€_Ð‘Ð°Ð°_Ð‘ÑÐ¼'.split('_'),
        weekdaysMin: 'ÐÑ_Ð”Ð°_ÐœÑ_Ð›Ñ…_ÐŸÒ¯_Ð‘Ð°_Ð‘Ñ'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY-MM-DD',
            LL: 'YYYY Ð¾Ð½Ñ‹ MMMMÑ‹Ð½ D',
            LLL: 'YYYY Ð¾Ð½Ñ‹ MMMMÑ‹Ð½ D HH:mm',
            LLLL: 'dddd, YYYY Ð¾Ð½Ñ‹ MMMMÑ‹Ð½ D HH:mm',
        },
        meridiemParse: /Ò®Ó¨|Ò®Ð¥/i,
        isPM: function (input) {
            return input === 'Ò®Ð¥';
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'Ò®Ó¨';
            } else {
                return 'Ò®Ð¥';
            }
        },
        calendar: {
            sameDay: '[Ó¨Ð½Ó©Ó©Ð´Ó©Ñ€] LT',
            nextDay: '[ÐœÐ°Ñ€Ð³Ð°Ð°Ñˆ] LT',
            nextWeek: '[Ð˜Ñ€ÑÑ…] dddd LT',
            lastDay: '[Ó¨Ñ‡Ð¸Ð³Ð´Ó©Ñ€] LT',
            lastWeek: '[Ó¨Ð½Ð³Ó©Ñ€ÑÓ©Ð½] dddd LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s Ð´Ð°Ñ€Ð°Ð°',
            past: '%s Ó©Ð¼Ð½Ó©',
            s: translate,
            ss: translate,
            m: translate,
            mm: translate,
            h: translate,
            hh: translate,
            d: translate,
            dd: translate,
            M: translate,
            MM: translate,
            y: translate,
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2} Ó©Ð´Ó©Ñ€/,
        ordinal: function (number, period) {
            switch (period) {
                case 'd':
                case 'D':
                case 'DDD':
                    return number + ' Ó©Ð´Ó©Ñ€';
                default:
                    return number;
            }
        },
    });

    return mn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/mr.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/mr.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Marathi [mr]
//! author : Harshad Kale : https://github.com/kalehv
//! author : Vivek Athalye : https://github.com/vnathalye

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'à¥§',
            2: 'à¥¨',
            3: 'à¥©',
            4: 'à¥ª',
            5: 'à¥«',
            6: 'à¥¬',
            7: 'à¥­',
            8: 'à¥®',
            9: 'à¥¯',
            0: 'à¥¦',
        },
        numberMap = {
            'à¥§': '1',
            'à¥¨': '2',
            'à¥©': '3',
            'à¥ª': '4',
            'à¥«': '5',
            'à¥¬': '6',
            'à¥­': '7',
            'à¥®': '8',
            'à¥¯': '9',
            'à¥¦': '0',
        };

    function relativeTimeMr(number, withoutSuffix, string, isFuture) {
        var output = '';
        if (withoutSuffix) {
            switch (string) {
                case 's':
                    output = 'à¤•à¤¾à¤¹à¥€ à¤¸à¥‡à¤•à¤‚à¤¦';
                    break;
                case 'ss':
                    output = '%d à¤¸à¥‡à¤•à¤‚à¤¦';
                    break;
                case 'm':
                    output = 'à¤à¤• à¤®à¤¿à¤¨à¤¿à¤Ÿ';
                    break;
                case 'mm':
                    output = '%d à¤®à¤¿à¤¨à¤¿à¤Ÿà¥‡';
                    break;
                case 'h':
                    output = 'à¤à¤• à¤¤à¤¾à¤¸';
                    break;
                case 'hh':
                    output = '%d à¤¤à¤¾à¤¸';
                    break;
                case 'd':
                    output = 'à¤à¤• à¤¦à¤¿à¤µà¤¸';
                    break;
                case 'dd':
                    output = '%d à¤¦à¤¿à¤µà¤¸';
                    break;
                case 'M':
                    output = 'à¤à¤• à¤®à¤¹à¤¿à¤¨à¤¾';
                    break;
                case 'MM':
                    output = '%d à¤®à¤¹à¤¿à¤¨à¥‡';
                    break;
                case 'y':
                    output = 'à¤à¤• à¤µà¤°à¥à¤·';
                    break;
                case 'yy':
                    output = '%d à¤µà¤°à¥à¤·à¥‡';
                    break;
            }
        } else {
            switch (string) {
                case 's':
                    output = 'à¤•à¤¾à¤¹à¥€ à¤¸à¥‡à¤•à¤‚à¤¦à¤¾à¤‚';
                    break;
                case 'ss':
                    output = '%d à¤¸à¥‡à¤•à¤‚à¤¦à¤¾à¤‚';
                    break;
                case 'm':
                    output = 'à¤à¤•à¤¾ à¤®à¤¿à¤¨à¤¿à¤Ÿà¤¾';
                    break;
                case 'mm':
                    output = '%d à¤®à¤¿à¤¨à¤¿à¤Ÿà¤¾à¤‚';
                    break;
                case 'h':
                    output = 'à¤à¤•à¤¾ à¤¤à¤¾à¤¸à¤¾';
                    break;
                case 'hh':
                    output = '%d à¤¤à¤¾à¤¸à¤¾à¤‚';
                    break;
                case 'd':
                    output = 'à¤à¤•à¤¾ à¤¦à¤¿à¤µà¤¸à¤¾';
                    break;
                case 'dd':
                    output = '%d à¤¦à¤¿à¤µà¤¸à¤¾à¤‚';
                    break;
                case 'M':
                    output = 'à¤à¤•à¤¾ à¤®à¤¹à¤¿à¤¨à¥à¤¯à¤¾';
                    break;
                case 'MM':
                    output = '%d à¤®à¤¹à¤¿à¤¨à¥à¤¯à¤¾à¤‚';
                    break;
                case 'y':
                    output = 'à¤à¤•à¤¾ à¤µà¤°à¥à¤·à¤¾';
                    break;
                case 'yy':
                    output = '%d à¤µà¤°à¥à¤·à¤¾à¤‚';
                    break;
            }
        }
        return output.replace(/%d/i, number);
    }

    var mr = moment.defineLocale('mr', {
        months: 'à¤œà¤¾à¤¨à¥‡à¤µà¤¾à¤°à¥€_à¤«à¥‡à¤¬à¥à¤°à¥à¤µà¤¾à¤°à¥€_à¤®à¤¾à¤°à¥à¤š_à¤à¤ªà¥à¤°à¤¿à¤²_à¤®à¥‡_à¤œà¥‚à¤¨_à¤œà¥à¤²à¥ˆ_à¤‘à¤—à¤¸à¥à¤Ÿ_à¤¸à¤ªà¥à¤Ÿà¥‡à¤‚à¤¬à¤°_à¤‘à¤•à¥à¤Ÿà¥‹à¤¬à¤°_à¤¨à¥‹à¤µà¥à¤¹à¥‡à¤‚à¤¬à¤°_à¤¡à¤¿à¤¸à¥‡à¤‚à¤¬à¤°'.split(
            '_'
        ),
        monthsShort:
            'à¤œà¤¾à¤¨à¥‡._à¤«à¥‡à¤¬à¥à¤°à¥._à¤®à¤¾à¤°à¥à¤š._à¤à¤ªà¥à¤°à¤¿._à¤®à¥‡._à¤œà¥‚à¤¨._à¤œà¥à¤²à¥ˆ._à¤‘à¤—._à¤¸à¤ªà¥à¤Ÿà¥‡à¤‚._à¤‘à¤•à¥à¤Ÿà¥‹._à¤¨à¥‹à¤µà¥à¤¹à¥‡à¤‚._à¤¡à¤¿à¤¸à¥‡à¤‚.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'à¤°à¤µà¤¿à¤µà¤¾à¤°_à¤¸à¥‹à¤®à¤µà¤¾à¤°_à¤®à¤‚à¤—à¤³à¤µà¤¾à¤°_à¤¬à¥à¤§à¤µà¤¾à¤°_à¤—à¥à¤°à¥‚à¤µà¤¾à¤°_à¤¶à¥à¤•à¥à¤°à¤µà¤¾à¤°_à¤¶à¤¨à¤¿à¤µà¤¾à¤°'.split('_'),
        weekdaysShort: 'à¤°à¤µà¤¿_à¤¸à¥‹à¤®_à¤®à¤‚à¤—à¤³_à¤¬à¥à¤§_à¤—à¥à¤°à¥‚_à¤¶à¥à¤•à¥à¤°_à¤¶à¤¨à¤¿'.split('_'),
        weekdaysMin: 'à¤°_à¤¸à¥‹_à¤®à¤‚_à¤¬à¥_à¤—à¥_à¤¶à¥_à¤¶'.split('_'),
        longDateFormat: {
            LT: 'A h:mm à¤µà¤¾à¤œà¤¤à¤¾',
            LTS: 'A h:mm:ss à¤µà¤¾à¤œà¤¤à¤¾',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, A h:mm à¤µà¤¾à¤œà¤¤à¤¾',
            LLLL: 'dddd, D MMMM YYYY, A h:mm à¤µà¤¾à¤œà¤¤à¤¾',
        },
        calendar: {
            sameDay: '[à¤†à¤œ] LT',
            nextDay: '[à¤‰à¤¦à¥à¤¯à¤¾] LT',
            nextWeek: 'dddd, LT',
            lastDay: '[à¤•à¤¾à¤²] LT',
            lastWeek: '[à¤®à¤¾à¤—à¥€à¤²] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%sà¤®à¤§à¥à¤¯à¥‡',
            past: '%sà¤ªà¥‚à¤°à¥à¤µà¥€',
            s: relativeTimeMr,
            ss: relativeTimeMr,
            m: relativeTimeMr,
            mm: relativeTimeMr,
            h: relativeTimeMr,
            hh: relativeTimeMr,
            d: relativeTimeMr,
            dd: relativeTimeMr,
            M: relativeTimeMr,
            MM: relativeTimeMr,
            y: relativeTimeMr,
            yy: relativeTimeMr,
        },
        preparse: function (string) {
            return string.replace(/[à¥§à¥¨à¥©à¥ªà¥«à¥¬à¥­à¥®à¥¯à¥¦]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        meridiemParse: /à¤ªà¤¹à¤¾à¤Ÿà¥‡|à¤¸à¤•à¤¾à¤³à¥€|à¤¦à¥à¤ªà¤¾à¤°à¥€|à¤¸à¤¾à¤¯à¤‚à¤•à¤¾à¤³à¥€|à¤°à¤¾à¤¤à¥à¤°à¥€/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'à¤ªà¤¹à¤¾à¤Ÿà¥‡' || meridiem === 'à¤¸à¤•à¤¾à¤³à¥€') {
                return hour;
            } else if (
                meridiem === 'à¤¦à¥à¤ªà¤¾à¤°à¥€' ||
                meridiem === 'à¤¸à¤¾à¤¯à¤‚à¤•à¤¾à¤³à¥€' ||
                meridiem === 'à¤°à¤¾à¤¤à¥à¤°à¥€'
            ) {
                return hour &gt;= 12 ? hour : hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &gt;= 0 &amp;&amp; hour &lt; 6) {
                return 'à¤ªà¤¹à¤¾à¤Ÿà¥‡';
            } else if (hour &lt; 12) {
                return 'à¤¸à¤•à¤¾à¤³à¥€';
            } else if (hour &lt; 17) {
                return 'à¤¦à¥à¤ªà¤¾à¤°à¥€';
            } else if (hour &lt; 20) {
                return 'à¤¸à¤¾à¤¯à¤‚à¤•à¤¾à¤³à¥€';
            } else {
                return 'à¤°à¤¾à¤¤à¥à¤°à¥€';
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return mr;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ms-my.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/ms-my.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Malay [ms-my]
//! note : DEPRECATED, the correct one is [ms]
//! author : Weldan Jamili : https://github.com/weldan

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var msMy = moment.defineLocale('ms-my', {
        months: 'Januari_Februari_Mac_April_Mei_Jun_Julai_Ogos_September_Oktober_November_Disember'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ogs_Sep_Okt_Nov_Dis'.split('_'),
        weekdays: 'Ahad_Isnin_Selasa_Rabu_Khamis_Jumaat_Sabtu'.split('_'),
        weekdaysShort: 'Ahd_Isn_Sel_Rab_Kha_Jum_Sab'.split('_'),
        weekdaysMin: 'Ah_Is_Sl_Rb_Km_Jm_Sb'.split('_'),
        longDateFormat: {
            LT: 'HH.mm',
            LTS: 'HH.mm.ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY [pukul] HH.mm',
            LLLL: 'dddd, D MMMM YYYY [pukul] HH.mm',
        },
        meridiemParse: /pagi|tengahari|petang|malam/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'pagi') {
                return hour;
            } else if (meridiem === 'tengahari') {
                return hour &gt;= 11 ? hour : hour + 12;
            } else if (meridiem === 'petang' || meridiem === 'malam') {
                return hour + 12;
            }
        },
        meridiem: function (hours, minutes, isLower) {
            if (hours &lt; 11) {
                return 'pagi';
            } else if (hours &lt; 15) {
                return 'tengahari';
            } else if (hours &lt; 19) {
                return 'petang';
            } else {
                return 'malam';
            }
        },
        calendar: {
            sameDay: '[Hari ini pukul] LT',
            nextDay: '[Esok pukul] LT',
            nextWeek: 'dddd [pukul] LT',
            lastDay: '[Kelmarin pukul] LT',
            lastWeek: 'dddd [lepas pukul] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'dalam %s',
            past: '%s yang lepas',
            s: 'beberapa saat',
            ss: '%d saat',
            m: 'seminit',
            mm: '%d minit',
            h: 'sejam',
            hh: '%d jam',
            d: 'sehari',
            dd: '%d hari',
            M: 'sebulan',
            MM: '%d bulan',
            y: 'setahun',
            yy: '%d tahun',
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return msMy;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ms.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ms.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Malay [ms]
//! author : Weldan Jamili : https://github.com/weldan

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var ms = moment.defineLocale('ms', {
        months: 'Januari_Februari_Mac_April_Mei_Jun_Julai_Ogos_September_Oktober_November_Disember'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ogs_Sep_Okt_Nov_Dis'.split('_'),
        weekdays: 'Ahad_Isnin_Selasa_Rabu_Khamis_Jumaat_Sabtu'.split('_'),
        weekdaysShort: 'Ahd_Isn_Sel_Rab_Kha_Jum_Sab'.split('_'),
        weekdaysMin: 'Ah_Is_Sl_Rb_Km_Jm_Sb'.split('_'),
        longDateFormat: {
            LT: 'HH.mm',
            LTS: 'HH.mm.ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY [pukul] HH.mm',
            LLLL: 'dddd, D MMMM YYYY [pukul] HH.mm',
        },
        meridiemParse: /pagi|tengahari|petang|malam/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'pagi') {
                return hour;
            } else if (meridiem === 'tengahari') {
                return hour &gt;= 11 ? hour : hour + 12;
            } else if (meridiem === 'petang' || meridiem === 'malam') {
                return hour + 12;
            }
        },
        meridiem: function (hours, minutes, isLower) {
            if (hours &lt; 11) {
                return 'pagi';
            } else if (hours &lt; 15) {
                return 'tengahari';
            } else if (hours &lt; 19) {
                return 'petang';
            } else {
                return 'malam';
            }
        },
        calendar: {
            sameDay: '[Hari ini pukul] LT',
            nextDay: '[Esok pukul] LT',
            nextWeek: 'dddd [pukul] LT',
            lastDay: '[Kelmarin pukul] LT',
            lastWeek: 'dddd [lepas pukul] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'dalam %s',
            past: '%s yang lepas',
            s: 'beberapa saat',
            ss: '%d saat',
            m: 'seminit',
            mm: '%d minit',
            h: 'sejam',
            hh: '%d jam',
            d: 'sehari',
            dd: '%d hari',
            M: 'sebulan',
            MM: '%d bulan',
            y: 'setahun',
            yy: '%d tahun',
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return ms;

})));


/***/ }),

/***/ "./node_modules/moment/locale/mt.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/mt.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Maltese (Malta) [mt]
//! author : Alessandro Maruccia : https://github.com/alesma

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var mt = moment.defineLocale('mt', {
        months: 'Jannar_Frar_Marzu_April_Mejju_Ä&nbsp;unju_Lulju_Awwissu_Settembru_Ottubru_Novembru_DiÄ‹embru'.split(
            '_'
        ),
        monthsShort: 'Jan_Fra_Mar_Apr_Mej_Ä&nbsp;un_Lul_Aww_Set_Ott_Nov_DiÄ‹'.split('_'),
        weekdays:
            'Il-Ä¦add_It-Tnejn_It-Tlieta_L-ErbgÄ§a_Il-Ä¦amis_Il-Ä&nbsp;imgÄ§a_Is-Sibt'.split(
                '_'
            ),
        weekdaysShort: 'Ä¦ad_Tne_Tli_Erb_Ä¦am_Ä&nbsp;im_Sib'.split('_'),
        weekdaysMin: 'Ä¦a_Tn_Tl_Er_Ä¦a_Ä&nbsp;i_Si'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Illum fil-]LT',
            nextDay: '[GÄ§ada fil-]LT',
            nextWeek: 'dddd [fil-]LT',
            lastDay: '[Il-bieraÄ§ fil-]LT',
            lastWeek: 'dddd [li gÄ§adda] [fil-]LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'fâ€™ %s',
            past: '%s ilu',
            s: 'ftit sekondi',
            ss: '%d sekondi',
            m: 'minuta',
            mm: '%d minuti',
            h: 'siegÄ§a',
            hh: '%d siegÄ§at',
            d: 'Ä¡urnata',
            dd: '%d Ä¡ranet',
            M: 'xahar',
            MM: '%d xhur',
            y: 'sena',
            yy: '%d sni',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return mt;

})));


/***/ }),

/***/ "./node_modules/moment/locale/my.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/my.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Burmese [my]
//! author : Squar team, mysquar.com
//! author : David Rossellat : https://github.com/gholadr
//! author : Tin Aung Lin : https://github.com/thanyawzinmin

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'á',
            2: 'á‚',
            3: 'áƒ',
            4: 'á„',
            5: 'á…',
            6: 'á†',
            7: 'á‡',
            8: 'áˆ',
            9: 'á‰',
            0: 'á€',
        },
        numberMap = {
            'á': '1',
            'á‚': '2',
            'áƒ': '3',
            'á„': '4',
            'á…': '5',
            'á†': '6',
            'á‡': '7',
            'áˆ': '8',
            'á‰': '9',
            'á€': '0',
        };

    var my = moment.defineLocale('my', {
        months: 'á€‡á€”á€ºá€”á€á€«á€›á€®_á€–á€±á€–á€±á€¬á€ºá€á€«á€›á€®_á€™á€á€º_á€§á€•á€¼á€®_á€™á€±_á€‡á€½á€”á€º_á€‡á€°á€œá€­á€¯á€„á€º_á€žá€¼á€‚á€¯á€á€º_á€…á€€á€ºá€á€„á€ºá€˜á€¬_á€¡á€±á€¬á€€á€ºá€á€­á€¯á€˜á€¬_á€”á€­á€¯á€á€„á€ºá€˜á€¬_á€’á€®á€‡á€„á€ºá€˜á€¬'.split(
            '_'
        ),
        monthsShort: 'á€‡á€”á€º_á€–á€±_á€™á€á€º_á€•á€¼á€®_á€™á€±_á€‡á€½á€”á€º_á€œá€­á€¯á€„á€º_á€žá€¼_á€…á€€á€º_á€¡á€±á€¬á€€á€º_á€”á€­á€¯_á€’á€®'.split('_'),
        weekdays: 'á€á€”á€„á€ºá€¹á€‚á€”á€½á€±_á€á€”á€„á€ºá€¹á€œá€¬_á€¡á€„á€ºá€¹á€‚á€«_á€—á€¯á€’á€¹á€“á€Ÿá€°á€¸_á€€á€¼á€¬á€žá€•á€á€±á€¸_á€žá€±á€¬á€€á€¼á€¬_á€…á€”á€±'.split(
            '_'
        ),
        weekdaysShort: 'á€”á€½á€±_á€œá€¬_á€‚á€«_á€Ÿá€°á€¸_á€€á€¼á€¬_á€žá€±á€¬_á€”á€±'.split('_'),
        weekdaysMin: 'á€”á€½á€±_á€œá€¬_á€‚á€«_á€Ÿá€°á€¸_á€€á€¼á€¬_á€žá€±á€¬_á€”á€±'.split('_'),

        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[á€šá€”á€±.] LT [á€™á€¾á€¬]',
            nextDay: '[á€™á€”á€€á€ºá€–á€¼á€”á€º] LT [á€™á€¾á€¬]',
            nextWeek: 'dddd LT [á€™á€¾á€¬]',
            lastDay: '[á€™á€”á€±.á€€] LT [á€™á€¾á€¬]',
            lastWeek: '[á€•á€¼á€®á€¸á€á€²á€·á€žá€±á€¬] dddd LT [á€™á€¾á€¬]',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'á€œá€¬á€™á€Šá€ºá€· %s á€™á€¾á€¬',
            past: 'á€œá€½á€”á€ºá€á€²á€·á€žá€±á€¬ %s á€€',
            s: 'á€…á€€á€¹á€€á€”á€º.á€¡á€”á€Šá€ºá€¸á€„á€šá€º',
            ss: '%d á€…á€€á€¹á€€á€”á€·á€º',
            m: 'á€á€…á€ºá€™á€­á€”á€…á€º',
            mm: '%d á€™á€­á€”á€…á€º',
            h: 'á€á€…á€ºá€”á€¬á€›á€®',
            hh: '%d á€”á€¬á€›á€®',
            d: 'á€á€…á€ºá€›á€€á€º',
            dd: '%d á€›á€€á€º',
            M: 'á€á€…á€ºá€œ',
            MM: '%d á€œ',
            y: 'á€á€…á€ºá€”á€¾á€…á€º',
            yy: '%d á€”á€¾á€…á€º',
        },
        preparse: function (string) {
            return string.replace(/[áá‚áƒá„á…á†á‡áˆá‰á€]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return my;

})));


/***/ }),

/***/ "./node_modules/moment/locale/nb.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/nb.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Norwegian BokmÃ¥l [nb]
//! authors : Espen Hovlandsdal : https://github.com/rexxars
//!           Sigurd Gartmann : https://github.com/sigurdga
//!           Stephen Ramthun : https://github.com/stephenramthun

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var nb = moment.defineLocale('nb', {
        months: 'januar_februar_mars_april_mai_juni_juli_august_september_oktober_november_desember'.split(
            '_'
        ),
        monthsShort:
            'jan._feb._mars_apr._mai_juni_juli_aug._sep._okt._nov._des.'.split('_'),
        monthsParseExact: true,
        weekdays: 'sÃ¸ndag_mandag_tirsdag_onsdag_torsdag_fredag_lÃ¸rdag'.split('_'),
        weekdaysShort: 'sÃ¸._ma._ti._on._to._fr._lÃ¸.'.split('_'),
        weekdaysMin: 'sÃ¸_ma_ti_on_to_fr_lÃ¸'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY [kl.] HH:mm',
            LLLL: 'dddd D. MMMM YYYY [kl.] HH:mm',
        },
        calendar: {
            sameDay: '[i dag kl.] LT',
            nextDay: '[i morgen kl.] LT',
            nextWeek: 'dddd [kl.] LT',
            lastDay: '[i gÃ¥r kl.] LT',
            lastWeek: '[forrige] dddd [kl.] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'om %s',
            past: '%s siden',
            s: 'noen sekunder',
            ss: '%d sekunder',
            m: 'ett minutt',
            mm: '%d minutter',
            h: 'en time',
            hh: '%d timer',
            d: 'en dag',
            dd: '%d dager',
            w: 'en uke',
            ww: '%d uker',
            M: 'en mÃ¥ned',
            MM: '%d mÃ¥neder',
            y: 'ett Ã¥r',
            yy: '%d Ã¥r',
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return nb;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ne.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ne.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Nepalese [ne]
//! author : suvash : https://github.com/suvash

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'à¥§',
            2: 'à¥¨',
            3: 'à¥©',
            4: 'à¥ª',
            5: 'à¥«',
            6: 'à¥¬',
            7: 'à¥­',
            8: 'à¥®',
            9: 'à¥¯',
            0: 'à¥¦',
        },
        numberMap = {
            'à¥§': '1',
            'à¥¨': '2',
            'à¥©': '3',
            'à¥ª': '4',
            'à¥«': '5',
            'à¥¬': '6',
            'à¥­': '7',
            'à¥®': '8',
            'à¥¯': '9',
            'à¥¦': '0',
        };

    var ne = moment.defineLocale('ne', {
        months: 'à¤œà¤¨à¤µà¤°à¥€_à¤«à¥‡à¤¬à¥à¤°à¥à¤µà¤°à¥€_à¤®à¤¾à¤°à¥à¤š_à¤…à¤ªà¥à¤°à¤¿à¤²_à¤®à¤ˆ_à¤œà¥à¤¨_à¤œà¥à¤²à¤¾à¤ˆ_à¤…à¤—à¤·à¥à¤Ÿ_à¤¸à¥‡à¤ªà¥à¤Ÿà¥‡à¤®à¥à¤¬à¤°_à¤…à¤•à¥à¤Ÿà¥‹à¤¬à¤°_à¤¨à¥‹à¤­à¥‡à¤®à¥à¤¬à¤°_à¤¡à¤¿à¤¸à¥‡à¤®à¥à¤¬à¤°'.split(
            '_'
        ),
        monthsShort:
            'à¤œà¤¨._à¤«à¥‡à¤¬à¥à¤°à¥._à¤®à¤¾à¤°à¥à¤š_à¤…à¤ªà¥à¤°à¤¿._à¤®à¤ˆ_à¤œà¥à¤¨_à¤œà¥à¤²à¤¾à¤ˆ._à¤…à¤—._à¤¸à¥‡à¤ªà¥à¤Ÿ._à¤…à¤•à¥à¤Ÿà¥‹._à¤¨à¥‹à¤­à¥‡._à¤¡à¤¿à¤¸à¥‡.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'à¤†à¤‡à¤¤à¤¬à¤¾à¤°_à¤¸à¥‹à¤®à¤¬à¤¾à¤°_à¤®à¤™à¥à¤—à¤²à¤¬à¤¾à¤°_à¤¬à¥à¤§à¤¬à¤¾à¤°_à¤¬à¤¿à¤¹à¤¿à¤¬à¤¾à¤°_à¤¶à¥à¤•à¥à¤°à¤¬à¤¾à¤°_à¤¶à¤¨à¤¿à¤¬à¤¾à¤°'.split(
            '_'
        ),
        weekdaysShort: 'à¤†à¤‡à¤¤._à¤¸à¥‹à¤®._à¤®à¤™à¥à¤—à¤²._à¤¬à¥à¤§._à¤¬à¤¿à¤¹à¤¿._à¤¶à¥à¤•à¥à¤°._à¤¶à¤¨à¤¿.'.split('_'),
        weekdaysMin: 'à¤†._à¤¸à¥‹._à¤®à¤‚._à¤¬à¥._à¤¬à¤¿._à¤¶à¥._à¤¶.'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'Aà¤•à¥‹ h:mm à¤¬à¤œà¥‡',
            LTS: 'Aà¤•à¥‹ h:mm:ss à¤¬à¤œà¥‡',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, Aà¤•à¥‹ h:mm à¤¬à¤œà¥‡',
            LLLL: 'dddd, D MMMM YYYY, Aà¤•à¥‹ h:mm à¤¬à¤œà¥‡',
        },
        preparse: function (string) {
            return string.replace(/[à¥§à¥¨à¥©à¥ªà¥«à¥¬à¥­à¥®à¥¯à¥¦]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        meridiemParse: /à¤°à¤¾à¤¤à¤¿|à¤¬à¤¿à¤¹à¤¾à¤¨|à¤¦à¤¿à¤‰à¤à¤¸à¥‹|à¤¸à¤¾à¤à¤/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'à¤°à¤¾à¤¤à¤¿') {
                return hour &lt; 4 ? hour : hour + 12;
            } else if (meridiem === 'à¤¬à¤¿à¤¹à¤¾à¤¨') {
                return hour;
            } else if (meridiem === 'à¤¦à¤¿à¤‰à¤à¤¸à¥‹') {
                return hour &gt;= 10 ? hour : hour + 12;
            } else if (meridiem === 'à¤¸à¤¾à¤à¤') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 3) {
                return 'à¤°à¤¾à¤¤à¤¿';
            } else if (hour &lt; 12) {
                return 'à¤¬à¤¿à¤¹à¤¾à¤¨';
            } else if (hour &lt; 16) {
                return 'à¤¦à¤¿à¤‰à¤à¤¸à¥‹';
            } else if (hour &lt; 20) {
                return 'à¤¸à¤¾à¤à¤';
            } else {
                return 'à¤°à¤¾à¤¤à¤¿';
            }
        },
        calendar: {
            sameDay: '[à¤†à¤œ] LT',
            nextDay: '[à¤­à¥‹à¤²à¤¿] LT',
            nextWeek: '[à¤†à¤‰à¤à¤¦à¥‹] dddd[,] LT',
            lastDay: '[à¤¹à¤¿à¤œà¥‹] LT',
            lastWeek: '[à¤—à¤à¤•à¥‹] dddd[,] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%sà¤®à¤¾',
            past: '%s à¤…à¤—à¤¾à¤¡à¤¿',
            s: 'à¤•à¥‡à¤¹à¥€ à¤•à¥à¤·à¤£',
            ss: '%d à¤¸à¥‡à¤•à¥‡à¤£à¥à¤¡',
            m: 'à¤à¤• à¤®à¤¿à¤¨à¥‡à¤Ÿ',
            mm: '%d à¤®à¤¿à¤¨à¥‡à¤Ÿ',
            h: 'à¤à¤• à¤˜à¤£à¥à¤Ÿà¤¾',
            hh: '%d à¤˜à¤£à¥à¤Ÿà¤¾',
            d: 'à¤à¤• à¤¦à¤¿à¤¨',
            dd: '%d à¤¦à¤¿à¤¨',
            M: 'à¤à¤• à¤®à¤¹à¤¿à¤¨à¤¾',
            MM: '%d à¤®à¤¹à¤¿à¤¨à¤¾',
            y: 'à¤à¤• à¤¬à¤°à¥à¤·',
            yy: '%d à¤¬à¤°à¥à¤·',
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return ne;

})));


/***/ }),

/***/ "./node_modules/moment/locale/nl-be.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/nl-be.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Dutch (Belgium) [nl-be]
//! author : Joris RÃ¶ling : https://github.com/jorisroling
//! author : Jacob Middag : https://github.com/middagj

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var monthsShortWithDots =
            'jan._feb._mrt._apr._mei_jun._jul._aug._sep._okt._nov._dec.'.split('_'),
        monthsShortWithoutDots =
            'jan_feb_mrt_apr_mei_jun_jul_aug_sep_okt_nov_dec'.split('_'),
        monthsParse = [
            /^jan/i,
            /^feb/i,
            /^maart|mrt.?$/i,
            /^apr/i,
            /^mei$/i,
            /^jun[i.]?$/i,
            /^jul[i.]?$/i,
            /^aug/i,
            /^sep/i,
            /^okt/i,
            /^nov/i,
            /^dec/i,
        ],
        monthsRegex =
            /^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december|jan\.?|feb\.?|mrt\.?|apr\.?|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i;

    var nlBe = moment.defineLocale('nl-be', {
        months: 'januari_februari_maart_april_mei_juni_juli_augustus_september_oktober_november_december'.split(
            '_'
        ),
        monthsShort: function (m, format) {
            if (!m) {
                return monthsShortWithDots;
            } else if (/-MMM-/.test(format)) {
                return monthsShortWithoutDots[m.month()];
            } else {
                return monthsShortWithDots[m.month()];
            }
        },

        monthsRegex: monthsRegex,
        monthsShortRegex: monthsRegex,
        monthsStrictRegex:
            /^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december)/i,
        monthsShortStrictRegex:
            /^(jan\.?|feb\.?|mrt\.?|apr\.?|mei|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i,

        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,

        weekdays:
            'zondag_maandag_dinsdag_woensdag_donderdag_vrijdag_zaterdag'.split('_'),
        weekdaysShort: 'zo._ma._di._wo._do._vr._za.'.split('_'),
        weekdaysMin: 'zo_ma_di_wo_do_vr_za'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[vandaag om] LT',
            nextDay: '[morgen om] LT',
            nextWeek: 'dddd [om] LT',
            lastDay: '[gisteren om] LT',
            lastWeek: '[afgelopen] dddd [om] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'over %s',
            past: '%s geleden',
            s: 'een paar seconden',
            ss: '%d seconden',
            m: 'Ã©Ã©n minuut',
            mm: '%d minuten',
            h: 'Ã©Ã©n uur',
            hh: '%d uur',
            d: 'Ã©Ã©n dag',
            dd: '%d dagen',
            M: 'Ã©Ã©n maand',
            MM: '%d maanden',
            y: 'Ã©Ã©n jaar',
            yy: '%d jaar',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(ste|de)/,
        ordinal: function (number) {
            return (
                number +
                (number === 1 || number === 8 || number &gt;= 20 ? 'ste' : 'de')
            );
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return nlBe;

})));


/***/ }),

/***/ "./node_modules/moment/locale/nl.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/nl.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Dutch [nl]
//! author : Joris RÃ¶ling : https://github.com/jorisroling
//! author : Jacob Middag : https://github.com/middagj

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var monthsShortWithDots =
            'jan._feb._mrt._apr._mei_jun._jul._aug._sep._okt._nov._dec.'.split('_'),
        monthsShortWithoutDots =
            'jan_feb_mrt_apr_mei_jun_jul_aug_sep_okt_nov_dec'.split('_'),
        monthsParse = [
            /^jan/i,
            /^feb/i,
            /^maart|mrt.?$/i,
            /^apr/i,
            /^mei$/i,
            /^jun[i.]?$/i,
            /^jul[i.]?$/i,
            /^aug/i,
            /^sep/i,
            /^okt/i,
            /^nov/i,
            /^dec/i,
        ],
        monthsRegex =
            /^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december|jan\.?|feb\.?|mrt\.?|apr\.?|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i;

    var nl = moment.defineLocale('nl', {
        months: 'januari_februari_maart_april_mei_juni_juli_augustus_september_oktober_november_december'.split(
            '_'
        ),
        monthsShort: function (m, format) {
            if (!m) {
                return monthsShortWithDots;
            } else if (/-MMM-/.test(format)) {
                return monthsShortWithoutDots[m.month()];
            } else {
                return monthsShortWithDots[m.month()];
            }
        },

        monthsRegex: monthsRegex,
        monthsShortRegex: monthsRegex,
        monthsStrictRegex:
            /^(januari|februari|maart|april|mei|ju[nl]i|augustus|september|oktober|november|december)/i,
        monthsShortStrictRegex:
            /^(jan\.?|feb\.?|mrt\.?|apr\.?|mei|ju[nl]\.?|aug\.?|sep\.?|okt\.?|nov\.?|dec\.?)/i,

        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,

        weekdays:
            'zondag_maandag_dinsdag_woensdag_donderdag_vrijdag_zaterdag'.split('_'),
        weekdaysShort: 'zo._ma._di._wo._do._vr._za.'.split('_'),
        weekdaysMin: 'zo_ma_di_wo_do_vr_za'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD-MM-YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[vandaag om] LT',
            nextDay: '[morgen om] LT',
            nextWeek: 'dddd [om] LT',
            lastDay: '[gisteren om] LT',
            lastWeek: '[afgelopen] dddd [om] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'over %s',
            past: '%s geleden',
            s: 'een paar seconden',
            ss: '%d seconden',
            m: 'Ã©Ã©n minuut',
            mm: '%d minuten',
            h: 'Ã©Ã©n uur',
            hh: '%d uur',
            d: 'Ã©Ã©n dag',
            dd: '%d dagen',
            w: 'Ã©Ã©n week',
            ww: '%d weken',
            M: 'Ã©Ã©n maand',
            MM: '%d maanden',
            y: 'Ã©Ã©n jaar',
            yy: '%d jaar',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(ste|de)/,
        ordinal: function (number) {
            return (
                number +
                (number === 1 || number === 8 || number &gt;= 20 ? 'ste' : 'de')
            );
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return nl;

})));


/***/ }),

/***/ "./node_modules/moment/locale/nn.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/nn.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Nynorsk [nn]
//! authors : https://github.com/mechuwind
//!           Stephen Ramthun : https://github.com/stephenramthun

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var nn = moment.defineLocale('nn', {
        months: 'januar_februar_mars_april_mai_juni_juli_august_september_oktober_november_desember'.split(
            '_'
        ),
        monthsShort:
            'jan._feb._mars_apr._mai_juni_juli_aug._sep._okt._nov._des.'.split('_'),
        monthsParseExact: true,
        weekdays: 'sundag_mÃ¥ndag_tysdag_onsdag_torsdag_fredag_laurdag'.split('_'),
        weekdaysShort: 'su._mÃ¥._ty._on._to._fr._lau.'.split('_'),
        weekdaysMin: 'su_mÃ¥_ty_on_to_fr_la'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY [kl.] H:mm',
            LLLL: 'dddd D. MMMM YYYY [kl.] HH:mm',
        },
        calendar: {
            sameDay: '[I dag klokka] LT',
            nextDay: '[I morgon klokka] LT',
            nextWeek: 'dddd [klokka] LT',
            lastDay: '[I gÃ¥r klokka] LT',
            lastWeek: '[FÃ¸regÃ¥ande] dddd [klokka] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'om %s',
            past: '%s sidan',
            s: 'nokre sekund',
            ss: '%d sekund',
            m: 'eit minutt',
            mm: '%d minutt',
            h: 'ein time',
            hh: '%d timar',
            d: 'ein dag',
            dd: '%d dagar',
            w: 'ei veke',
            ww: '%d veker',
            M: 'ein mÃ¥nad',
            MM: '%d mÃ¥nader',
            y: 'eit Ã¥r',
            yy: '%d Ã¥r',
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return nn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/oc-lnc.js":
/*!**********************************************!*\
  !*** ./node_modules/moment/locale/oc-lnc.js ***!
  \**********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Occitan, lengadocian dialecte [oc-lnc]
//! author : Quentin PAGÃˆS : https://github.com/Quenty31

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var ocLnc = moment.defineLocale('oc-lnc', {
        months: {
            standalone:
                'geniÃ¨r_febriÃ¨r_marÃ§_abril_mai_junh_julhet_agost_setembre_octÃ²bre_novembre_decembre'.split(
                    '_'
                ),
            format: "de geniÃ¨r_de febriÃ¨r_de marÃ§_d'abril_de mai_de junh_de julhet_d'agost_de setembre_d'octÃ²bre_de novembre_de decembre".split(
                '_'
            ),
            isFormat: /D[oD]?(\s)+MMMM/,
        },
        monthsShort:
            'gen._febr._marÃ§_abr._mai_junh_julh._ago._set._oct._nov._dec.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'dimenge_diluns_dimars_dimÃ¨cres_dijÃ²us_divendres_dissabte'.split(
            '_'
        ),
        weekdaysShort: 'dg._dl._dm._dc._dj._dv._ds.'.split('_'),
        weekdaysMin: 'dg_dl_dm_dc_dj_dv_ds'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM [de] YYYY',
            ll: 'D MMM YYYY',
            LLL: 'D MMMM [de] YYYY [a] H:mm',
            lll: 'D MMM YYYY, H:mm',
            LLLL: 'dddd D MMMM [de] YYYY [a] H:mm',
            llll: 'ddd D MMM YYYY, H:mm',
        },
        calendar: {
            sameDay: '[uÃ¨i a] LT',
            nextDay: '[deman a] LT',
            nextWeek: 'dddd [a] LT',
            lastDay: '[iÃ¨r a] LT',
            lastWeek: 'dddd [passat a] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: "d'aquÃ­ %s",
            past: 'fa %s',
            s: 'unas segondas',
            ss: '%d segondas',
            m: 'una minuta',
            mm: '%d minutas',
            h: 'una ora',
            hh: '%d oras',
            d: 'un jorn',
            dd: '%d jorns',
            M: 'un mes',
            MM: '%d meses',
            y: 'un an',
            yy: '%d ans',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(r|n|t|Ã¨|a)/,
        ordinal: function (number, period) {
            var output =
                number === 1
                    ? 'r'
                    : number === 2
                    ? 'n'
                    : number === 3
                    ? 'r'
                    : number === 4
                    ? 't'
                    : 'Ã¨';
            if (period === 'w' || period === 'W') {
                output = 'a';
            }
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4,
        },
    });

    return ocLnc;

})));


/***/ }),

/***/ "./node_modules/moment/locale/pa-in.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/pa-in.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Punjabi (India) [pa-in]
//! author : Harpreet Singh : https://github.com/harpreetkhalsagtbit

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'à©§',
            2: 'à©¨',
            3: 'à©©',
            4: 'à©ª',
            5: 'à©«',
            6: 'à©¬',
            7: 'à©­',
            8: 'à©®',
            9: 'à©¯',
            0: 'à©¦',
        },
        numberMap = {
            'à©§': '1',
            'à©¨': '2',
            'à©©': '3',
            'à©ª': '4',
            'à©«': '5',
            'à©¬': '6',
            'à©­': '7',
            'à©®': '8',
            'à©¯': '9',
            'à©¦': '0',
        };

    var paIn = moment.defineLocale('pa-in', {
        // There are months name as per Nanakshahi Calendar but they are not used as rigidly in modern Punjabi.
        months: 'à¨œà¨¨à¨µà¨°à©€_à¨«à¨¼à¨°à¨µà¨°à©€_à¨®à¨¾à¨°à¨š_à¨…à¨ªà©à¨°à©ˆà¨²_à¨®à¨ˆ_à¨œà©‚à¨¨_à¨œà©à¨²à¨¾à¨ˆ_à¨…à¨—à¨¸à¨¤_à¨¸à¨¤à©°à¨¬à¨°_à¨…à¨•à¨¤à©‚à¨¬à¨°_à¨¨à¨µà©°à¨¬à¨°_à¨¦à¨¸à©°à¨¬à¨°'.split(
            '_'
        ),
        monthsShort:
            'à¨œà¨¨à¨µà¨°à©€_à¨«à¨¼à¨°à¨µà¨°à©€_à¨®à¨¾à¨°à¨š_à¨…à¨ªà©à¨°à©ˆà¨²_à¨®à¨ˆ_à¨œà©‚à¨¨_à¨œà©à¨²à¨¾à¨ˆ_à¨…à¨—à¨¸à¨¤_à¨¸à¨¤à©°à¨¬à¨°_à¨…à¨•à¨¤à©‚à¨¬à¨°_à¨¨à¨µà©°à¨¬à¨°_à¨¦à¨¸à©°à¨¬à¨°'.split(
                '_'
            ),
        weekdays: 'à¨à¨¤à¨µà¨¾à¨°_à¨¸à©‹à¨®à¨µà¨¾à¨°_à¨®à©°à¨—à¨²à¨µà¨¾à¨°_à¨¬à©à¨§à¨µà¨¾à¨°_à¨µà©€à¨°à¨µà¨¾à¨°_à¨¸à¨¼à©à©±à¨•à¨°à¨µà¨¾à¨°_à¨¸à¨¼à¨¨à©€à¨šà¨°à¨µà¨¾à¨°'.split(
            '_'
        ),
        weekdaysShort: 'à¨à¨¤_à¨¸à©‹à¨®_à¨®à©°à¨—à¨²_à¨¬à©à¨§_à¨µà©€à¨°_à¨¸à¨¼à©à¨•à¨°_à¨¸à¨¼à¨¨à©€'.split('_'),
        weekdaysMin: 'à¨à¨¤_à¨¸à©‹à¨®_à¨®à©°à¨—à¨²_à¨¬à©à¨§_à¨µà©€à¨°_à¨¸à¨¼à©à¨•à¨°_à¨¸à¨¼à¨¨à©€'.split('_'),
        longDateFormat: {
            LT: 'A h:mm à¨µà¨œà©‡',
            LTS: 'A h:mm:ss à¨µà¨œà©‡',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, A h:mm à¨µà¨œà©‡',
            LLLL: 'dddd, D MMMM YYYY, A h:mm à¨µà¨œà©‡',
        },
        calendar: {
            sameDay: '[à¨…à¨œ] LT',
            nextDay: '[à¨•à¨²] LT',
            nextWeek: '[à¨…à¨—à¨²à¨¾] dddd, LT',
            lastDay: '[à¨•à¨²] LT',
            lastWeek: '[à¨ªà¨¿à¨›à¨²à©‡] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s à¨µà¨¿à©±à¨š',
            past: '%s à¨ªà¨¿à¨›à¨²à©‡',
            s: 'à¨•à©à¨ à¨¸à¨•à¨¿à©°à¨Ÿ',
            ss: '%d à¨¸à¨•à¨¿à©°à¨Ÿ',
            m: 'à¨‡à¨• à¨®à¨¿à©°à¨Ÿ',
            mm: '%d à¨®à¨¿à©°à¨Ÿ',
            h: 'à¨‡à©±à¨• à¨˜à©°à¨Ÿà¨¾',
            hh: '%d à¨˜à©°à¨Ÿà©‡',
            d: 'à¨‡à©±à¨• à¨¦à¨¿à¨¨',
            dd: '%d à¨¦à¨¿à¨¨',
            M: 'à¨‡à©±à¨• à¨®à¨¹à©€à¨¨à¨¾',
            MM: '%d à¨®à¨¹à©€à¨¨à©‡',
            y: 'à¨‡à©±à¨• à¨¸à¨¾à¨²',
            yy: '%d à¨¸à¨¾à¨²',
        },
        preparse: function (string) {
            return string.replace(/[à©§à©¨à©©à©ªà©«à©¬à©­à©®à©¯à©¦]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        // Punjabi notation for meridiems are quite fuzzy in practice. While there exists
        // a rigid notion of a 'Pahar' it is not used as rigidly in modern Punjabi.
        meridiemParse: /à¨°à¨¾à¨¤|à¨¸à¨µà©‡à¨°|à¨¦à©à¨ªà¨¹à¨¿à¨°|à¨¸à¨¼à¨¾à¨®/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'à¨°à¨¾à¨¤') {
                return hour &lt; 4 ? hour : hour + 12;
            } else if (meridiem === 'à¨¸à¨µà©‡à¨°') {
                return hour;
            } else if (meridiem === 'à¨¦à©à¨ªà¨¹à¨¿à¨°') {
                return hour &gt;= 10 ? hour : hour + 12;
            } else if (meridiem === 'à¨¸à¨¼à¨¾à¨®') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'à¨°à¨¾à¨¤';
            } else if (hour &lt; 10) {
                return 'à¨¸à¨µà©‡à¨°';
            } else if (hour &lt; 17) {
                return 'à¨¦à©à¨ªà¨¹à¨¿à¨°';
            } else if (hour &lt; 20) {
                return 'à¨¸à¨¼à¨¾à¨®';
            } else {
                return 'à¨°à¨¾à¨¤';
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return paIn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/pl.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/pl.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Polish [pl]
//! author : Rafal Hirsz : https://github.com/evoL

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var monthsNominative =
            'styczeÅ„_luty_marzec_kwiecieÅ„_maj_czerwiec_lipiec_sierpieÅ„_wrzesieÅ„_paÅºdziernik_listopad_grudzieÅ„'.split(
                '_'
            ),
        monthsSubjective =
            'stycznia_lutego_marca_kwietnia_maja_czerwca_lipca_sierpnia_wrzeÅ›nia_paÅºdziernika_listopada_grudnia'.split(
                '_'
            ),
        monthsParse = [
            /^sty/i,
            /^lut/i,
            /^mar/i,
            /^kwi/i,
            /^maj/i,
            /^cze/i,
            /^lip/i,
            /^sie/i,
            /^wrz/i,
            /^paÅº/i,
            /^lis/i,
            /^gru/i,
        ];
    function plural(n) {
        return n % 10 &lt; 5 &amp;&amp; n % 10 &gt; 1 &amp;&amp; ~~(n / 10) % 10 !== 1;
    }
    function translate(number, withoutSuffix, key) {
        var result = number + ' ';
        switch (key) {
            case 'ss':
                return result + (plural(number) ? 'sekundy' : 'sekund');
            case 'm':
                return withoutSuffix ? 'minuta' : 'minutÄ™';
            case 'mm':
                return result + (plural(number) ? 'minuty' : 'minut');
            case 'h':
                return withoutSuffix ? 'godzina' : 'godzinÄ™';
            case 'hh':
                return result + (plural(number) ? 'godziny' : 'godzin');
            case 'ww':
                return result + (plural(number) ? 'tygodnie' : 'tygodni');
            case 'MM':
                return result + (plural(number) ? 'miesiÄ…ce' : 'miesiÄ™cy');
            case 'yy':
                return result + (plural(number) ? 'lata' : 'lat');
        }
    }

    var pl = moment.defineLocale('pl', {
        months: function (momentToFormat, format) {
            if (!momentToFormat) {
                return monthsNominative;
            } else if (/D MMMM/.test(format)) {
                return monthsSubjective[momentToFormat.month()];
            } else {
                return monthsNominative[momentToFormat.month()];
            }
        },
        monthsShort: 'sty_lut_mar_kwi_maj_cze_lip_sie_wrz_paÅº_lis_gru'.split('_'),
        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,
        weekdays:
            'niedziela_poniedziaÅ‚ek_wtorek_Å›roda_czwartek_piÄ…tek_sobota'.split('_'),
        weekdaysShort: 'ndz_pon_wt_Å›r_czw_pt_sob'.split('_'),
        weekdaysMin: 'Nd_Pn_Wt_Åšr_Cz_Pt_So'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[DziÅ› o] LT',
            nextDay: '[Jutro o] LT',
            nextWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[W niedzielÄ™ o] LT';

                    case 2:
                        return '[We wtorek o] LT';

                    case 3:
                        return '[W Å›rodÄ™ o] LT';

                    case 6:
                        return '[W sobotÄ™ o] LT';

                    default:
                        return '[W] dddd [o] LT';
                }
            },
            lastDay: '[Wczoraj o] LT',
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[W zeszÅ‚Ä… niedzielÄ™ o] LT';
                    case 3:
                        return '[W zeszÅ‚Ä… Å›rodÄ™ o] LT';
                    case 6:
                        return '[W zeszÅ‚Ä… sobotÄ™ o] LT';
                    default:
                        return '[W zeszÅ‚y] dddd [o] LT';
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'za %s',
            past: '%s temu',
            s: 'kilka sekund',
            ss: translate,
            m: translate,
            mm: translate,
            h: translate,
            hh: translate,
            d: '1 dzieÅ„',
            dd: '%d dni',
            w: 'tydzieÅ„',
            ww: translate,
            M: 'miesiÄ…c',
            MM: translate,
            y: 'rok',
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return pl;

})));


/***/ }),

/***/ "./node_modules/moment/locale/pt-br.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/pt-br.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Portuguese (Brazil) [pt-br]
//! author : Caio Ribeiro Pereira : https://github.com/caio-ribeiro-pereira

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var ptBr = moment.defineLocale('pt-br', {
        months: 'janeiro_fevereiro_marÃ§o_abril_maio_junho_julho_agosto_setembro_outubro_novembro_dezembro'.split(
            '_'
        ),
        monthsShort: 'jan_fev_mar_abr_mai_jun_jul_ago_set_out_nov_dez'.split('_'),
        weekdays:
            'domingo_segunda-feira_terÃ§a-feira_quarta-feira_quinta-feira_sexta-feira_sÃ¡bado'.split(
                '_'
            ),
        weekdaysShort: 'dom_seg_ter_qua_qui_sex_sÃ¡b'.split('_'),
        weekdaysMin: 'do_2Âª_3Âª_4Âª_5Âª_6Âª_sÃ¡'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D [de] MMMM [de] YYYY',
            LLL: 'D [de] MMMM [de] YYYY [Ã&nbsp;s] HH:mm',
            LLLL: 'dddd, D [de] MMMM [de] YYYY [Ã&nbsp;s] HH:mm',
        },
        calendar: {
            sameDay: '[Hoje Ã&nbsp;s] LT',
            nextDay: '[AmanhÃ£ Ã&nbsp;s] LT',
            nextWeek: 'dddd [Ã&nbsp;s] LT',
            lastDay: '[Ontem Ã&nbsp;s] LT',
            lastWeek: function () {
                return this.day() === 0 || this.day() === 6
                    ? '[Ãšltimo] dddd [Ã&nbsp;s] LT' // Saturday + Sunday
                    : '[Ãšltima] dddd [Ã&nbsp;s] LT'; // Monday - Friday
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'em %s',
            past: 'hÃ¡ %s',
            s: 'poucos segundos',
            ss: '%d segundos',
            m: 'um minuto',
            mm: '%d minutos',
            h: 'uma hora',
            hh: '%d horas',
            d: 'um dia',
            dd: '%d dias',
            M: 'um mÃªs',
            MM: '%d meses',
            y: 'um ano',
            yy: '%d anos',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        invalidDate: 'Data invÃ¡lida',
    });

    return ptBr;

})));


/***/ }),

/***/ "./node_modules/moment/locale/pt.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/pt.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Portuguese [pt]
//! author : Jefferson : https://github.com/jalex79

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var pt = moment.defineLocale('pt', {
        months: 'janeiro_fevereiro_marÃ§o_abril_maio_junho_julho_agosto_setembro_outubro_novembro_dezembro'.split(
            '_'
        ),
        monthsShort: 'jan_fev_mar_abr_mai_jun_jul_ago_set_out_nov_dez'.split('_'),
        weekdays:
            'Domingo_Segunda-feira_TerÃ§a-feira_Quarta-feira_Quinta-feira_Sexta-feira_SÃ¡bado'.split(
                '_'
            ),
        weekdaysShort: 'Dom_Seg_Ter_Qua_Qui_Sex_SÃ¡b'.split('_'),
        weekdaysMin: 'Do_2Âª_3Âª_4Âª_5Âª_6Âª_SÃ¡'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D [de] MMMM [de] YYYY',
            LLL: 'D [de] MMMM [de] YYYY HH:mm',
            LLLL: 'dddd, D [de] MMMM [de] YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Hoje Ã&nbsp;s] LT',
            nextDay: '[AmanhÃ£ Ã&nbsp;s] LT',
            nextWeek: 'dddd [Ã&nbsp;s] LT',
            lastDay: '[Ontem Ã&nbsp;s] LT',
            lastWeek: function () {
                return this.day() === 0 || this.day() === 6
                    ? '[Ãšltimo] dddd [Ã&nbsp;s] LT' // Saturday + Sunday
                    : '[Ãšltima] dddd [Ã&nbsp;s] LT'; // Monday - Friday
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'em %s',
            past: 'hÃ¡ %s',
            s: 'segundos',
            ss: '%d segundos',
            m: 'um minuto',
            mm: '%d minutos',
            h: 'uma hora',
            hh: '%d horas',
            d: 'um dia',
            dd: '%d dias',
            w: 'uma semana',
            ww: '%d semanas',
            M: 'um mÃªs',
            MM: '%d meses',
            y: 'um ano',
            yy: '%d anos',
        },
        dayOfMonthOrdinalParse: /\d{1,2}Âº/,
        ordinal: '%dÂº',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return pt;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ro.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ro.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Romanian [ro]
//! author : Vlad Gurdiga : https://github.com/gurdiga
//! author : Valentin Agachi : https://github.com/avaly
//! author : Emanuel Cepoi : https://github.com/cepem

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function relativeTimeWithPlural(number, withoutSuffix, key) {
        var format = {
                ss: 'secunde',
                mm: 'minute',
                hh: 'ore',
                dd: 'zile',
                ww: 'sÄƒptÄƒmÃ¢ni',
                MM: 'luni',
                yy: 'ani',
            },
            separator = ' ';
        if (number % 100 &gt;= 20 || (number &gt;= 100 &amp;&amp; number % 100 === 0)) {
            separator = ' de ';
        }
        return number + separator + format[key];
    }

    var ro = moment.defineLocale('ro', {
        months: 'ianuarie_februarie_martie_aprilie_mai_iunie_iulie_august_septembrie_octombrie_noiembrie_decembrie'.split(
            '_'
        ),
        monthsShort:
            'ian._feb._mart._apr._mai_iun._iul._aug._sept._oct._nov._dec.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'duminicÄƒ_luni_marÈ›i_miercuri_joi_vineri_sÃ¢mbÄƒtÄƒ'.split('_'),
        weekdaysShort: 'Dum_Lun_Mar_Mie_Joi_Vin_SÃ¢m'.split('_'),
        weekdaysMin: 'Du_Lu_Ma_Mi_Jo_Vi_SÃ¢'.split('_'),
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY H:mm',
            LLLL: 'dddd, D MMMM YYYY H:mm',
        },
        calendar: {
            sameDay: '[azi la] LT',
            nextDay: '[mÃ¢ine la] LT',
            nextWeek: 'dddd [la] LT',
            lastDay: '[ieri la] LT',
            lastWeek: '[fosta] dddd [la] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'peste %s',
            past: '%s Ã®n urmÄƒ',
            s: 'cÃ¢teva secunde',
            ss: relativeTimeWithPlural,
            m: 'un minut',
            mm: relativeTimeWithPlural,
            h: 'o orÄƒ',
            hh: relativeTimeWithPlural,
            d: 'o zi',
            dd: relativeTimeWithPlural,
            w: 'o sÄƒptÄƒmÃ¢nÄƒ',
            ww: relativeTimeWithPlural,
            M: 'o lunÄƒ',
            MM: relativeTimeWithPlural,
            y: 'un an',
            yy: relativeTimeWithPlural,
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return ro;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ru.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ru.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Russian [ru]
//! author : Viktorminator : https://github.com/Viktorminator
//! author : Menelion ElensÃºle : https://github.com/Oire
//! author : ÐšÐ¾Ñ€ÐµÐ½Ð±ÐµÑ€Ð³ ÐœÐ°Ñ€Ðº : https://github.com/socketpair

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function plural(word, num) {
        var forms = word.split('_');
        return num % 10 === 1 &amp;&amp; num % 100 !== 11
            ? forms[0]
            : num % 10 &gt;= 2 &amp;&amp; num % 10 &lt;= 4 &amp;&amp; (num % 100 &lt; 10 || num % 100 &gt;= 20)
            ? forms[1]
            : forms[2];
    }
    function relativeTimeWithPlural(number, withoutSuffix, key) {
        var format = {
            ss: withoutSuffix ? 'ÑÐµÐºÑƒÐ½Ð´Ð°_ÑÐµÐºÑƒÐ½Ð´Ñ‹_ÑÐµÐºÑƒÐ½Ð´' : 'ÑÐµÐºÑƒÐ½Ð´Ñƒ_ÑÐµÐºÑƒÐ½Ð´Ñ‹_ÑÐµÐºÑƒÐ½Ð´',
            mm: withoutSuffix ? 'Ð¼Ð¸Ð½ÑƒÑ‚Ð°_Ð¼Ð¸Ð½ÑƒÑ‚Ñ‹_Ð¼Ð¸Ð½ÑƒÑ‚' : 'Ð¼Ð¸Ð½ÑƒÑ‚Ñƒ_Ð¼Ð¸Ð½ÑƒÑ‚Ñ‹_Ð¼Ð¸Ð½ÑƒÑ‚',
            hh: 'Ñ‡Ð°Ñ_Ñ‡Ð°ÑÐ°_Ñ‡Ð°ÑÐ¾Ð²',
            dd: 'Ð´ÐµÐ½ÑŒ_Ð´Ð½Ñ_Ð´Ð½ÐµÐ¹',
            ww: 'Ð½ÐµÐ´ÐµÐ»Ñ_Ð½ÐµÐ´ÐµÐ»Ð¸_Ð½ÐµÐ´ÐµÐ»ÑŒ',
            MM: 'Ð¼ÐµÑÑÑ†_Ð¼ÐµÑÑÑ†Ð°_Ð¼ÐµÑÑÑ†ÐµÐ²',
            yy: 'Ð³Ð¾Ð´_Ð³Ð¾Ð´Ð°_Ð»ÐµÑ‚',
        };
        if (key === 'm') {
            return withoutSuffix ? 'Ð¼Ð¸Ð½ÑƒÑ‚Ð°' : 'Ð¼Ð¸Ð½ÑƒÑ‚Ñƒ';
        } else {
            return number + ' ' + plural(format[key], +number);
        }
    }
    var monthsParse = [
        /^ÑÐ½Ð²/i,
        /^Ñ„ÐµÐ²/i,
        /^Ð¼Ð°Ñ€/i,
        /^Ð°Ð¿Ñ€/i,
        /^Ð¼Ð°[Ð¹Ñ]/i,
        /^Ð¸ÑŽÐ½/i,
        /^Ð¸ÑŽÐ»/i,
        /^Ð°Ð²Ð³/i,
        /^ÑÐµÐ½/i,
        /^Ð¾ÐºÑ‚/i,
        /^Ð½Ð¾Ñ/i,
        /^Ð´ÐµÐº/i,
    ];

    // http://new.gramota.ru/spravka/rules/139-prop : Â§ 103
    // Ð¡Ð¾ÐºÑ€Ð°Ñ‰ÐµÐ½Ð¸Ñ Ð¼ÐµÑÑÑ†ÐµÐ²: http://new.gramota.ru/spravka/buro/search-answer?s=242637
    // CLDR data:          http://www.unicode.org/cldr/charts/28/summary/ru.html#1753
    var ru = moment.defineLocale('ru', {
        months: {
            format: 'ÑÐ½Ð²Ð°Ñ€Ñ_Ñ„ÐµÐ²Ñ€Ð°Ð»Ñ_Ð¼Ð°Ñ€Ñ‚Ð°_Ð°Ð¿Ñ€ÐµÐ»Ñ_Ð¼Ð°Ñ_Ð¸ÑŽÐ½Ñ_Ð¸ÑŽÐ»Ñ_Ð°Ð²Ð³ÑƒÑÑ‚Ð°_ÑÐµÐ½Ñ‚ÑÐ±Ñ€Ñ_Ð¾ÐºÑ‚ÑÐ±Ñ€Ñ_Ð½Ð¾ÑÐ±Ñ€Ñ_Ð´ÐµÐºÐ°Ð±Ñ€Ñ'.split(
                '_'
            ),
            standalone:
                'ÑÐ½Ð²Ð°Ñ€ÑŒ_Ñ„ÐµÐ²Ñ€Ð°Ð»ÑŒ_Ð¼Ð°Ñ€Ñ‚_Ð°Ð¿Ñ€ÐµÐ»ÑŒ_Ð¼Ð°Ð¹_Ð¸ÑŽÐ½ÑŒ_Ð¸ÑŽÐ»ÑŒ_Ð°Ð²Ð³ÑƒÑÑ‚_ÑÐµÐ½Ñ‚ÑÐ±Ñ€ÑŒ_Ð¾ÐºÑ‚ÑÐ±Ñ€ÑŒ_Ð½Ð¾ÑÐ±Ñ€ÑŒ_Ð´ÐµÐºÐ°Ð±Ñ€ÑŒ'.split(
                    '_'
                ),
        },
        monthsShort: {
            // Ð¿Ð¾ CLDR Ð¸Ð¼ÐµÐ½Ð½Ð¾ "Ð¸ÑŽÐ»." Ð¸ "Ð¸ÑŽÐ½.", Ð½Ð¾ ÐºÐ°ÐºÐ¾Ð¹ ÑÐ¼Ñ‹ÑÐ» Ð¼ÐµÐ½ÑÑ‚ÑŒ Ð±ÑƒÐºÐ²Ñƒ Ð½Ð° Ñ‚Ð¾Ñ‡ÐºÑƒ?
            format: 'ÑÐ½Ð²._Ñ„ÐµÐ²Ñ€._Ð¼Ð°Ñ€._Ð°Ð¿Ñ€._Ð¼Ð°Ñ_Ð¸ÑŽÐ½Ñ_Ð¸ÑŽÐ»Ñ_Ð°Ð²Ð³._ÑÐµÐ½Ñ‚._Ð¾ÐºÑ‚._Ð½Ð¾ÑÐ±._Ð´ÐµÐº.'.split(
                '_'
            ),
            standalone:
                'ÑÐ½Ð²._Ñ„ÐµÐ²Ñ€._Ð¼Ð°Ñ€Ñ‚_Ð°Ð¿Ñ€._Ð¼Ð°Ð¹_Ð¸ÑŽÐ½ÑŒ_Ð¸ÑŽÐ»ÑŒ_Ð°Ð²Ð³._ÑÐµÐ½Ñ‚._Ð¾ÐºÑ‚._Ð½Ð¾ÑÐ±._Ð´ÐµÐº.'.split(
                    '_'
                ),
        },
        weekdays: {
            standalone:
                'Ð²Ð¾ÑÐºÑ€ÐµÑÐµÐ½ÑŒÐµ_Ð¿Ð¾Ð½ÐµÐ´ÐµÐ»ÑŒÐ½Ð¸Ðº_Ð²Ñ‚Ð¾Ñ€Ð½Ð¸Ðº_ÑÑ€ÐµÐ´Ð°_Ñ‡ÐµÑ‚Ð²ÐµÑ€Ð³_Ð¿ÑÑ‚Ð½Ð¸Ñ†Ð°_ÑÑƒÐ±Ð±Ð¾Ñ‚Ð°'.split(
                    '_'
                ),
            format: 'Ð²Ð¾ÑÐºÑ€ÐµÑÐµÐ½ÑŒÐµ_Ð¿Ð¾Ð½ÐµÐ´ÐµÐ»ÑŒÐ½Ð¸Ðº_Ð²Ñ‚Ð¾Ñ€Ð½Ð¸Ðº_ÑÑ€ÐµÐ´Ñƒ_Ñ‡ÐµÑ‚Ð²ÐµÑ€Ð³_Ð¿ÑÑ‚Ð½Ð¸Ñ†Ñƒ_ÑÑƒÐ±Ð±Ð¾Ñ‚Ñƒ'.split(
                '_'
            ),
            isFormat: /\[ ?[Ð’Ð²] ?(?:Ð¿Ñ€Ð¾ÑˆÐ»ÑƒÑŽ|ÑÐ»ÐµÐ´ÑƒÑŽÑ‰ÑƒÑŽ|ÑÑ‚Ñƒ)? ?] ?dddd/,
        },
        weekdaysShort: 'Ð²Ñ_Ð¿Ð½_Ð²Ñ‚_ÑÑ€_Ñ‡Ñ‚_Ð¿Ñ‚_ÑÐ±'.split('_'),
        weekdaysMin: 'Ð²Ñ_Ð¿Ð½_Ð²Ñ‚_ÑÑ€_Ñ‡Ñ‚_Ð¿Ñ‚_ÑÐ±'.split('_'),
        monthsParse: monthsParse,
        longMonthsParse: monthsParse,
        shortMonthsParse: monthsParse,

        // Ð¿Ð¾Ð»Ð½Ñ‹Ðµ Ð½Ð°Ð·Ð²Ð°Ð½Ð¸Ñ Ñ Ð¿Ð°Ð´ÐµÐ¶Ð°Ð¼Ð¸, Ð¿Ð¾ Ñ‚Ñ€Ð¸ Ð±ÑƒÐºÐ²Ñ‹, Ð´Ð»Ñ Ð½ÐµÐºÐ¾Ñ‚Ð¾Ñ€Ñ‹Ñ…, Ð¿Ð¾ 4 Ð±ÑƒÐºÐ²Ñ‹, ÑÐ¾ÐºÑ€Ð°Ñ‰ÐµÐ½Ð¸Ñ Ñ Ñ‚Ð¾Ñ‡ÐºÐ¾Ð¹ Ð¸ Ð±ÐµÐ· Ñ‚Ð¾Ñ‡ÐºÐ¸
        monthsRegex:
            /^(ÑÐ½Ð²Ð°Ñ€[ÑŒÑ]|ÑÐ½Ð²\.?|Ñ„ÐµÐ²Ñ€Ð°Ð»[ÑŒÑ]|Ñ„ÐµÐ²Ñ€?\.?|Ð¼Ð°Ñ€Ñ‚Ð°?|Ð¼Ð°Ñ€\.?|Ð°Ð¿Ñ€ÐµÐ»[ÑŒÑ]|Ð°Ð¿Ñ€\.?|Ð¼Ð°[Ð¹Ñ]|Ð¸ÑŽÐ½[ÑŒÑ]|Ð¸ÑŽÐ½\.?|Ð¸ÑŽÐ»[ÑŒÑ]|Ð¸ÑŽÐ»\.?|Ð°Ð²Ð³ÑƒÑÑ‚Ð°?|Ð°Ð²Ð³\.?|ÑÐµÐ½Ñ‚ÑÐ±Ñ€[ÑŒÑ]|ÑÐµÐ½Ñ‚?\.?|Ð¾ÐºÑ‚ÑÐ±Ñ€[ÑŒÑ]|Ð¾ÐºÑ‚\.?|Ð½Ð¾ÑÐ±Ñ€[ÑŒÑ]|Ð½Ð¾ÑÐ±?\.?|Ð´ÐµÐºÐ°Ð±Ñ€[ÑŒÑ]|Ð´ÐµÐº\.?)/i,

        // ÐºÐ¾Ð¿Ð¸Ñ Ð¿Ñ€ÐµÐ´Ñ‹Ð´ÑƒÑ‰ÐµÐ³Ð¾
        monthsShortRegex:
            /^(ÑÐ½Ð²Ð°Ñ€[ÑŒÑ]|ÑÐ½Ð²\.?|Ñ„ÐµÐ²Ñ€Ð°Ð»[ÑŒÑ]|Ñ„ÐµÐ²Ñ€?\.?|Ð¼Ð°Ñ€Ñ‚Ð°?|Ð¼Ð°Ñ€\.?|Ð°Ð¿Ñ€ÐµÐ»[ÑŒÑ]|Ð°Ð¿Ñ€\.?|Ð¼Ð°[Ð¹Ñ]|Ð¸ÑŽÐ½[ÑŒÑ]|Ð¸ÑŽÐ½\.?|Ð¸ÑŽÐ»[ÑŒÑ]|Ð¸ÑŽÐ»\.?|Ð°Ð²Ð³ÑƒÑÑ‚Ð°?|Ð°Ð²Ð³\.?|ÑÐµÐ½Ñ‚ÑÐ±Ñ€[ÑŒÑ]|ÑÐµÐ½Ñ‚?\.?|Ð¾ÐºÑ‚ÑÐ±Ñ€[ÑŒÑ]|Ð¾ÐºÑ‚\.?|Ð½Ð¾ÑÐ±Ñ€[ÑŒÑ]|Ð½Ð¾ÑÐ±?\.?|Ð´ÐµÐºÐ°Ð±Ñ€[ÑŒÑ]|Ð´ÐµÐº\.?)/i,

        // Ð¿Ð¾Ð»Ð½Ñ‹Ðµ Ð½Ð°Ð·Ð²Ð°Ð½Ð¸Ñ Ñ Ð¿Ð°Ð´ÐµÐ¶Ð°Ð¼Ð¸
        monthsStrictRegex:
            /^(ÑÐ½Ð²Ð°Ñ€[ÑÑŒ]|Ñ„ÐµÐ²Ñ€Ð°Ð»[ÑÑŒ]|Ð¼Ð°Ñ€Ñ‚Ð°?|Ð°Ð¿Ñ€ÐµÐ»[ÑÑŒ]|Ð¼Ð°[ÑÐ¹]|Ð¸ÑŽÐ½[ÑÑŒ]|Ð¸ÑŽÐ»[ÑÑŒ]|Ð°Ð²Ð³ÑƒÑÑ‚Ð°?|ÑÐµÐ½Ñ‚ÑÐ±Ñ€[ÑÑŒ]|Ð¾ÐºÑ‚ÑÐ±Ñ€[ÑÑŒ]|Ð½Ð¾ÑÐ±Ñ€[ÑÑŒ]|Ð´ÐµÐºÐ°Ð±Ñ€[ÑÑŒ])/i,

        // Ð’Ñ‹Ñ€Ð°Ð¶ÐµÐ½Ð¸Ðµ, ÐºÐ¾Ñ‚Ð¾Ñ€Ð¾Ðµ ÑÐ¾Ð¾Ñ‚Ð²ÐµÑ‚ÑÑ‚Ð²ÑƒÐµÑ‚ Ñ‚Ð¾Ð»ÑŒÐºÐ¾ ÑÐ¾ÐºÑ€Ð°Ñ‰Ñ‘Ð½Ð½Ñ‹Ð¼ Ñ„Ð¾Ñ€Ð¼Ð°Ð¼
        monthsShortStrictRegex:
            /^(ÑÐ½Ð²\.|Ñ„ÐµÐ²Ñ€?\.|Ð¼Ð°Ñ€[Ñ‚.]|Ð°Ð¿Ñ€\.|Ð¼Ð°[ÑÐ¹]|Ð¸ÑŽÐ½[ÑŒÑ.]|Ð¸ÑŽÐ»[ÑŒÑ.]|Ð°Ð²Ð³\.|ÑÐµÐ½Ñ‚?\.|Ð¾ÐºÑ‚\.|Ð½Ð¾ÑÐ±?\.|Ð´ÐµÐº\.)/i,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY Ð³.',
            LLL: 'D MMMM YYYY Ð³., H:mm',
            LLLL: 'dddd, D MMMM YYYY Ð³., H:mm',
        },
        calendar: {
            sameDay: '[Ð¡ÐµÐ³Ð¾Ð´Ð½Ñ, Ð²] LT',
            nextDay: '[Ð—Ð°Ð²Ñ‚Ñ€Ð°, Ð²] LT',
            lastDay: '[Ð’Ñ‡ÐµÑ€Ð°, Ð²] LT',
            nextWeek: function (now) {
                if (now.week() !== this.week()) {
                    switch (this.day()) {
                        case 0:
                            return '[Ð’ ÑÐ»ÐµÐ´ÑƒÑŽÑ‰ÐµÐµ] dddd, [Ð²] LT';
                        case 1:
                        case 2:
                        case 4:
                            return '[Ð’ ÑÐ»ÐµÐ´ÑƒÑŽÑ‰Ð¸Ð¹] dddd, [Ð²] LT';
                        case 3:
                        case 5:
                        case 6:
                            return '[Ð’ ÑÐ»ÐµÐ´ÑƒÑŽÑ‰ÑƒÑŽ] dddd, [Ð²] LT';
                    }
                } else {
                    if (this.day() === 2) {
                        return '[Ð’Ð¾] dddd, [Ð²] LT';
                    } else {
                        return '[Ð’] dddd, [Ð²] LT';
                    }
                }
            },
            lastWeek: function (now) {
                if (now.week() !== this.week()) {
                    switch (this.day()) {
                        case 0:
                            return '[Ð’ Ð¿Ñ€Ð¾ÑˆÐ»Ð¾Ðµ] dddd, [Ð²] LT';
                        case 1:
                        case 2:
                        case 4:
                            return '[Ð’ Ð¿Ñ€Ð¾ÑˆÐ»Ñ‹Ð¹] dddd, [Ð²] LT';
                        case 3:
                        case 5:
                        case 6:
                            return '[Ð’ Ð¿Ñ€Ð¾ÑˆÐ»ÑƒÑŽ] dddd, [Ð²] LT';
                    }
                } else {
                    if (this.day() === 2) {
                        return '[Ð’Ð¾] dddd, [Ð²] LT';
                    } else {
                        return '[Ð’] dddd, [Ð²] LT';
                    }
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ñ‡ÐµÑ€ÐµÐ· %s',
            past: '%s Ð½Ð°Ð·Ð°Ð´',
            s: 'Ð½ÐµÑÐºÐ¾Ð»ÑŒÐºÐ¾ ÑÐµÐºÑƒÐ½Ð´',
            ss: relativeTimeWithPlural,
            m: relativeTimeWithPlural,
            mm: relativeTimeWithPlural,
            h: 'Ñ‡Ð°Ñ',
            hh: relativeTimeWithPlural,
            d: 'Ð´ÐµÐ½ÑŒ',
            dd: relativeTimeWithPlural,
            w: 'Ð½ÐµÐ´ÐµÐ»Ñ',
            ww: relativeTimeWithPlural,
            M: 'Ð¼ÐµÑÑÑ†',
            MM: relativeTimeWithPlural,
            y: 'Ð³Ð¾Ð´',
            yy: relativeTimeWithPlural,
        },
        meridiemParse: /Ð½Ð¾Ñ‡Ð¸|ÑƒÑ‚Ñ€Ð°|Ð´Ð½Ñ|Ð²ÐµÑ‡ÐµÑ€Ð°/i,
        isPM: function (input) {
            return /^(Ð´Ð½Ñ|Ð²ÐµÑ‡ÐµÑ€Ð°)$/.test(input);
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'Ð½Ð¾Ñ‡Ð¸';
            } else if (hour &lt; 12) {
                return 'ÑƒÑ‚Ñ€Ð°';
            } else if (hour &lt; 17) {
                return 'Ð´Ð½Ñ';
            } else {
                return 'Ð²ÐµÑ‡ÐµÑ€Ð°';
            }
        },
        dayOfMonthOrdinalParse: /\d{1,2}-(Ð¹|Ð³Ð¾|Ñ)/,
        ordinal: function (number, period) {
            switch (period) {
                case 'M':
                case 'd':
                case 'DDD':
                    return number + '-Ð¹';
                case 'D':
                    return number + '-Ð³Ð¾';
                case 'w':
                case 'W':
                    return number + '-Ñ';
                default:
                    return number;
            }
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return ru;

})));


/***/ }),

/***/ "./node_modules/moment/locale/sd.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/sd.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Sindhi [sd]
//! author : Narain Sagar : https://github.com/narainsagar

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var months = [
            'Ø¬Ù†ÙˆØ±ÙŠ',
            'ÙÙŠØ¨Ø±ÙˆØ±ÙŠ',
            'Ù…Ø§Ø±Ú†',
            'Ø§Ù¾Ø±ÙŠÙ„',
            'Ù…Ø¦ÙŠ',
            'Ø¬ÙˆÙ†',
            'Ø¬ÙˆÙ„Ø§Ø¡Ù',
            'Ø¢Ú¯Ø³Ù½',
            'Ø³ÙŠÙ¾Ù½Ù…Ø¨Ø±',
            'Ø¢ÚªÙ½ÙˆØ¨Ø±',
            'Ù†ÙˆÙ…Ø¨Ø±',
            'ÚŠØ³Ù…Ø¨Ø±',
        ],
        days = ['Ø¢Ú†Ø±', 'Ø³ÙˆÙ…Ø±', 'Ø§Ú±Ø§Ø±Ùˆ', 'Ø§Ø±Ø¨Ø¹', 'Ø®Ù…ÙŠØ³', 'Ø¬Ù…Ø¹', 'Ú‡Ù†Ú‡Ø±'];

    var sd = moment.defineLocale('sd', {
        months: months,
        monthsShort: months,
        weekdays: days,
        weekdaysShort: days,
        weekdaysMin: days,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'ddddØŒ D MMMM YYYY HH:mm',
        },
        meridiemParse: /ØµØ¨Ø­|Ø´Ø§Ù…/,
        isPM: function (input) {
            return 'Ø´Ø§Ù…' === input;
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'ØµØ¨Ø­';
            }
            return 'Ø´Ø§Ù…';
        },
        calendar: {
            sameDay: '[Ø§Ú„] LT',
            nextDay: '[Ø³Ú€Ø§Ú»ÙŠ] LT',
            nextWeek: 'dddd [Ø§Ú³ÙŠÙ† Ù‡ÙØªÙŠ ØªÙŠ] LT',
            lastDay: '[ÚªØ§Ù„Ù‡Ù‡] LT',
            lastWeek: '[Ú¯Ø²Ø±ÙŠÙ„ Ù‡ÙØªÙŠ] dddd [ØªÙŠ] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s Ù¾ÙˆØ¡',
            past: '%s Ø§Ú³',
            s: 'Ú†Ù†Ø¯ Ø³ÙŠÚªÙ†ÚŠ',
            ss: '%d Ø³ÙŠÚªÙ†ÚŠ',
            m: 'Ù‡Úª Ù…Ù†Ù½',
            mm: '%d Ù…Ù†Ù½',
            h: 'Ù‡Úª ÚªÙ„Ø§Úª',
            hh: '%d ÚªÙ„Ø§Úª',
            d: 'Ù‡Úª ÚÙŠÙ†Ù‡Ù†',
            dd: '%d ÚÙŠÙ†Ù‡Ù†',
            M: 'Ù‡Úª Ù…Ù‡ÙŠÙ†Ùˆ',
            MM: '%d Ù…Ù‡ÙŠÙ†Ø§',
            y: 'Ù‡Úª Ø³Ø§Ù„',
            yy: '%d Ø³Ø§Ù„',
        },
        preparse: function (string) {
            return string.replace(/ØŒ/g, ',');
        },
        postformat: function (string) {
            return string.replace(/,/g, 'ØŒ');
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return sd;

})));


/***/ }),

/***/ "./node_modules/moment/locale/se.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/se.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Northern Sami [se]
//! authors : BÃ¥rd Rolstad Henriksen : https://github.com/karamell

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var se = moment.defineLocale('se', {
        months: 'oÄ‘Ä‘ajagemÃ¡nnu_guovvamÃ¡nnu_njukÄamÃ¡nnu_cuoÅ‹omÃ¡nnu_miessemÃ¡nnu_geassemÃ¡nnu_suoidnemÃ¡nnu_borgemÃ¡nnu_ÄakÄamÃ¡nnu_golggotmÃ¡nnu_skÃ¡bmamÃ¡nnu_juovlamÃ¡nnu'.split(
            '_'
        ),
        monthsShort:
            'oÄ‘Ä‘j_guov_njuk_cuo_mies_geas_suoi_borg_ÄakÄ_golg_skÃ¡b_juov'.split('_'),
        weekdays:
            'sotnabeaivi_vuossÃ¡rga_maÅ‹Å‹ebÃ¡rga_gaskavahkku_duorastat_bearjadat_lÃ¡vvardat'.split(
                '_'
            ),
        weekdaysShort: 'sotn_vuos_maÅ‹_gask_duor_bear_lÃ¡v'.split('_'),
        weekdaysMin: 's_v_m_g_d_b_L'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'MMMM D. [b.] YYYY',
            LLL: 'MMMM D. [b.] YYYY [ti.] HH:mm',
            LLLL: 'dddd, MMMM D. [b.] YYYY [ti.] HH:mm',
        },
        calendar: {
            sameDay: '[otne ti] LT',
            nextDay: '[ihttin ti] LT',
            nextWeek: 'dddd [ti] LT',
            lastDay: '[ikte ti] LT',
            lastWeek: '[ovddit] dddd [ti] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s geaÅ¾es',
            past: 'maÅ‹it %s',
            s: 'moadde sekunddat',
            ss: '%d sekunddat',
            m: 'okta minuhta',
            mm: '%d minuhtat',
            h: 'okta diimmu',
            hh: '%d diimmut',
            d: 'okta beaivi',
            dd: '%d beaivvit',
            M: 'okta mÃ¡nnu',
            MM: '%d mÃ¡nut',
            y: 'okta jahki',
            yy: '%d jagit',
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return se;

})));


/***/ }),

/***/ "./node_modules/moment/locale/si.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/si.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Sinhalese [si]
//! author : Sampath Sitinamaluwa : https://github.com/sampathsris

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    /*jshint -W100*/
    var si = moment.defineLocale('si', {
        months: 'à¶¢à¶±à·€à·à¶»à·’_à¶´à·™à¶¶à¶»à·€à·à¶»à·’_à¶¸à·à¶»à·Šà¶­à·”_à¶…à¶´à·Šâ€à¶»à·šà¶½à·Š_à¶¸à·à¶ºà·’_à¶¢à·–à¶±à·’_à¶¢à·–à¶½à·’_à¶…à¶œà·à·ƒà·Šà¶­à·”_à·ƒà·à¶´à·Šà¶­à·à¶¸à·Šà¶¶à¶»à·Š_à¶”à¶šà·Šà¶­à·à¶¶à¶»à·Š_à¶±à·œà·€à·à¶¸à·Šà¶¶à¶»à·Š_à¶¯à·™à·ƒà·à¶¸à·Šà¶¶à¶»à·Š'.split(
            '_'
        ),
        monthsShort: 'à¶¢à¶±_à¶´à·™à¶¶_à¶¸à·à¶»à·Š_à¶…à¶´à·Š_à¶¸à·à¶ºà·’_à¶¢à·–à¶±à·’_à¶¢à·–à¶½à·’_à¶…à¶œà·_à·ƒà·à¶´à·Š_à¶”à¶šà·Š_à¶±à·œà·€à·_à¶¯à·™à·ƒà·'.split(
            '_'
        ),
        weekdays:
            'à¶‰à¶»à·’à¶¯à·_à·ƒà¶³à·”à¶¯à·_à¶…à¶Ÿà·„à¶»à·”à·€à·à¶¯à·_à¶¶à¶¯à·à¶¯à·_à¶¶à·Šâ€à¶»à·„à·ƒà·Šà¶´à¶­à·’à¶±à·Šà¶¯à·_à·ƒà·’à¶šà·”à¶»à·à¶¯à·_à·ƒà·™à¶±à·ƒà·”à¶»à·à¶¯à·'.split(
                '_'
            ),
        weekdaysShort: 'à¶‰à¶»à·’_à·ƒà¶³à·”_à¶…à¶Ÿ_à¶¶à¶¯à·_à¶¶à·Šâ€à¶»à·„_à·ƒà·’à¶šà·”_à·ƒà·™à¶±'.split('_'),
        weekdaysMin: 'à¶‰_à·ƒ_à¶…_à¶¶_à¶¶à·Šâ€à¶»_à·ƒà·’_à·ƒà·™'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'a h:mm',
            LTS: 'a h:mm:ss',
            L: 'YYYY/MM/DD',
            LL: 'YYYY MMMM D',
            LLL: 'YYYY MMMM D, a h:mm',
            LLLL: 'YYYY MMMM D [à·€à·à¶±à·’] dddd, a h:mm:ss',
        },
        calendar: {
            sameDay: '[à¶…à¶¯] LT[à¶§]',
            nextDay: '[à·„à·™à¶§] LT[à¶§]',
            nextWeek: 'dddd LT[à¶§]',
            lastDay: '[à¶Šà¶ºà·š] LT[à¶§]',
            lastWeek: '[à¶´à·ƒà·”à¶œà·’à¶º] dddd LT[à¶§]',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%sà¶šà·’à¶±à·Š',
            past: '%sà¶šà¶§ à¶´à·™à¶»',
            s: 'à¶­à¶­à·Šà¶´à¶» à¶šà·’à·„à·’à¶´à¶º',
            ss: 'à¶­à¶­à·Šà¶´à¶» %d',
            m: 'à¶¸à·’à¶±à·’à¶­à·Šà¶­à·”à·€',
            mm: 'à¶¸à·’à¶±à·’à¶­à·Šà¶­à·” %d',
            h: 'à¶´à·à¶º',
            hh: 'à¶´à·à¶º %d',
            d: 'à¶¯à·’à¶±à¶º',
            dd: 'à¶¯à·’à¶± %d',
            M: 'à¶¸à·à·ƒà¶º',
            MM: 'à¶¸à·à·ƒ %d',
            y: 'à·€à·ƒà¶»',
            yy: 'à·€à·ƒà¶» %d',
        },
        dayOfMonthOrdinalParse: /\d{1,2} à·€à·à¶±à·’/,
        ordinal: function (number) {
            return number + ' à·€à·à¶±à·’';
        },
        meridiemParse: /à¶´à·™à¶» à·€à¶»à·”|à¶´à·ƒà·Š à·€à¶»à·”|à¶´à·™.à·€|à¶´.à·€./,
        isPM: function (input) {
            return input === 'à¶´.à·€.' || input === 'à¶´à·ƒà·Š à·€à¶»à·”';
        },
        meridiem: function (hours, minutes, isLower) {
            if (hours &gt; 11) {
                return isLower ? 'à¶´.à·€.' : 'à¶´à·ƒà·Š à·€à¶»à·”';
            } else {
                return isLower ? 'à¶´à·™.à·€.' : 'à¶´à·™à¶» à·€à¶»à·”';
            }
        },
    });

    return si;

})));


/***/ }),

/***/ "./node_modules/moment/locale/sk.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/sk.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Slovak [sk]
//! author : Martin Minka : https://github.com/k2s
//! based on work of petrbela : https://github.com/petrbela

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var months =
            'januÃ¡r_februÃ¡r_marec_aprÃ­l_mÃ¡j_jÃºn_jÃºl_august_september_oktÃ³ber_november_december'.split(
                '_'
            ),
        monthsShort = 'jan_feb_mar_apr_mÃ¡j_jÃºn_jÃºl_aug_sep_okt_nov_dec'.split('_');
    function plural(n) {
        return n &gt; 1 &amp;&amp; n &lt; 5;
    }
    function translate(number, withoutSuffix, key, isFuture) {
        var result = number + ' ';
        switch (key) {
            case 's': // a few seconds / in a few seconds / a few seconds ago
                return withoutSuffix || isFuture ? 'pÃ¡r sekÃºnd' : 'pÃ¡r sekundami';
            case 'ss': // 9 seconds / in 9 seconds / 9 seconds ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'sekundy' : 'sekÃºnd');
                } else {
                    return result + 'sekundami';
                }
            case 'm': // a minute / in a minute / a minute ago
                return withoutSuffix ? 'minÃºta' : isFuture ? 'minÃºtu' : 'minÃºtou';
            case 'mm': // 9 minutes / in 9 minutes / 9 minutes ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'minÃºty' : 'minÃºt');
                } else {
                    return result + 'minÃºtami';
                }
            case 'h': // an hour / in an hour / an hour ago
                return withoutSuffix ? 'hodina' : isFuture ? 'hodinu' : 'hodinou';
            case 'hh': // 9 hours / in 9 hours / 9 hours ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'hodiny' : 'hodÃ­n');
                } else {
                    return result + 'hodinami';
                }
            case 'd': // a day / in a day / a day ago
                return withoutSuffix || isFuture ? 'deÅˆ' : 'dÅˆom';
            case 'dd': // 9 days / in 9 days / 9 days ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'dni' : 'dnÃ­');
                } else {
                    return result + 'dÅˆami';
                }
            case 'M': // a month / in a month / a month ago
                return withoutSuffix || isFuture ? 'mesiac' : 'mesiacom';
            case 'MM': // 9 months / in 9 months / 9 months ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'mesiace' : 'mesiacov');
                } else {
                    return result + 'mesiacmi';
                }
            case 'y': // a year / in a year / a year ago
                return withoutSuffix || isFuture ? 'rok' : 'rokom';
            case 'yy': // 9 years / in 9 years / 9 years ago
                if (withoutSuffix || isFuture) {
                    return result + (plural(number) ? 'roky' : 'rokov');
                } else {
                    return result + 'rokmi';
                }
        }
    }

    var sk = moment.defineLocale('sk', {
        months: months,
        monthsShort: monthsShort,
        weekdays: 'nedeÄ¾a_pondelok_utorok_streda_Å¡tvrtok_piatok_sobota'.split('_'),
        weekdaysShort: 'ne_po_ut_st_Å¡t_pi_so'.split('_'),
        weekdaysMin: 'ne_po_ut_st_Å¡t_pi_so'.split('_'),
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY H:mm',
            LLLL: 'dddd D. MMMM YYYY H:mm',
        },
        calendar: {
            sameDay: '[dnes o] LT',
            nextDay: '[zajtra o] LT',
            nextWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[v nedeÄ¾u o] LT';
                    case 1:
                    case 2:
                        return '[v] dddd [o] LT';
                    case 3:
                        return '[v stredu o] LT';
                    case 4:
                        return '[vo Å¡tvrtok o] LT';
                    case 5:
                        return '[v piatok o] LT';
                    case 6:
                        return '[v sobotu o] LT';
                }
            },
            lastDay: '[vÄera o] LT',
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[minulÃº nedeÄ¾u o] LT';
                    case 1:
                    case 2:
                        return '[minulÃ½] dddd [o] LT';
                    case 3:
                        return '[minulÃº stredu o] LT';
                    case 4:
                    case 5:
                        return '[minulÃ½] dddd [o] LT';
                    case 6:
                        return '[minulÃº sobotu o] LT';
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'za %s',
            past: 'pred %s',
            s: translate,
            ss: translate,
            m: translate,
            mm: translate,
            h: translate,
            hh: translate,
            d: translate,
            dd: translate,
            M: translate,
            MM: translate,
            y: translate,
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return sk;

})));


/***/ }),

/***/ "./node_modules/moment/locale/sl.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/sl.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Slovenian [sl]
//! author : Robert SedovÅ¡ek : https://github.com/sedovsek

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function processRelativeTime(number, withoutSuffix, key, isFuture) {
        var result = number + ' ';
        switch (key) {
            case 's':
                return withoutSuffix || isFuture
                    ? 'nekaj sekund'
                    : 'nekaj sekundami';
            case 'ss':
                if (number === 1) {
                    result += withoutSuffix ? 'sekundo' : 'sekundi';
                } else if (number === 2) {
                    result += withoutSuffix || isFuture ? 'sekundi' : 'sekundah';
                } else if (number &lt; 5) {
                    result += withoutSuffix || isFuture ? 'sekunde' : 'sekundah';
                } else {
                    result += 'sekund';
                }
                return result;
            case 'm':
                return withoutSuffix ? 'ena minuta' : 'eno minuto';
            case 'mm':
                if (number === 1) {
                    result += withoutSuffix ? 'minuta' : 'minuto';
                } else if (number === 2) {
                    result += withoutSuffix || isFuture ? 'minuti' : 'minutama';
                } else if (number &lt; 5) {
                    result += withoutSuffix || isFuture ? 'minute' : 'minutami';
                } else {
                    result += withoutSuffix || isFuture ? 'minut' : 'minutami';
                }
                return result;
            case 'h':
                return withoutSuffix ? 'ena ura' : 'eno uro';
            case 'hh':
                if (number === 1) {
                    result += withoutSuffix ? 'ura' : 'uro';
                } else if (number === 2) {
                    result += withoutSuffix || isFuture ? 'uri' : 'urama';
                } else if (number &lt; 5) {
                    result += withoutSuffix || isFuture ? 'ure' : 'urami';
                } else {
                    result += withoutSuffix || isFuture ? 'ur' : 'urami';
                }
                return result;
            case 'd':
                return withoutSuffix || isFuture ? 'en dan' : 'enim dnem';
            case 'dd':
                if (number === 1) {
                    result += withoutSuffix || isFuture ? 'dan' : 'dnem';
                } else if (number === 2) {
                    result += withoutSuffix || isFuture ? 'dni' : 'dnevoma';
                } else {
                    result += withoutSuffix || isFuture ? 'dni' : 'dnevi';
                }
                return result;
            case 'M':
                return withoutSuffix || isFuture ? 'en mesec' : 'enim mesecem';
            case 'MM':
                if (number === 1) {
                    result += withoutSuffix || isFuture ? 'mesec' : 'mesecem';
                } else if (number === 2) {
                    result += withoutSuffix || isFuture ? 'meseca' : 'mesecema';
                } else if (number &lt; 5) {
                    result += withoutSuffix || isFuture ? 'mesece' : 'meseci';
                } else {
                    result += withoutSuffix || isFuture ? 'mesecev' : 'meseci';
                }
                return result;
            case 'y':
                return withoutSuffix || isFuture ? 'eno leto' : 'enim letom';
            case 'yy':
                if (number === 1) {
                    result += withoutSuffix || isFuture ? 'leto' : 'letom';
                } else if (number === 2) {
                    result += withoutSuffix || isFuture ? 'leti' : 'letoma';
                } else if (number &lt; 5) {
                    result += withoutSuffix || isFuture ? 'leta' : 'leti';
                } else {
                    result += withoutSuffix || isFuture ? 'let' : 'leti';
                }
                return result;
        }
    }

    var sl = moment.defineLocale('sl', {
        months: 'januar_februar_marec_april_maj_junij_julij_avgust_september_oktober_november_december'.split(
            '_'
        ),
        monthsShort:
            'jan._feb._mar._apr._maj._jun._jul._avg._sep._okt._nov._dec.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'nedelja_ponedeljek_torek_sreda_Äetrtek_petek_sobota'.split('_'),
        weekdaysShort: 'ned._pon._tor._sre._Äet._pet._sob.'.split('_'),
        weekdaysMin: 'ne_po_to_sr_Äe_pe_so'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD. MM. YYYY',
            LL: 'D. MMMM YYYY',
            LLL: 'D. MMMM YYYY H:mm',
            LLLL: 'dddd, D. MMMM YYYY H:mm',
        },
        calendar: {
            sameDay: '[danes ob] LT',
            nextDay: '[jutri ob] LT',

            nextWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[v] [nedeljo] [ob] LT';
                    case 3:
                        return '[v] [sredo] [ob] LT';
                    case 6:
                        return '[v] [soboto] [ob] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[v] dddd [ob] LT';
                }
            },
            lastDay: '[vÄeraj ob] LT',
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[prejÅ¡njo] [nedeljo] [ob] LT';
                    case 3:
                        return '[prejÅ¡njo] [sredo] [ob] LT';
                    case 6:
                        return '[prejÅ¡njo] [soboto] [ob] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[prejÅ¡nji] dddd [ob] LT';
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Äez %s',
            past: 'pred %s',
            s: processRelativeTime,
            ss: processRelativeTime,
            m: processRelativeTime,
            mm: processRelativeTime,
            h: processRelativeTime,
            hh: processRelativeTime,
            d: processRelativeTime,
            dd: processRelativeTime,
            M: processRelativeTime,
            MM: processRelativeTime,
            y: processRelativeTime,
            yy: processRelativeTime,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return sl;

})));


/***/ }),

/***/ "./node_modules/moment/locale/sq.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/sq.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Albanian [sq]
//! author : FlakÃ«rim Ismani : https://github.com/flakerimi
//! author : Menelion ElensÃºle : https://github.com/Oire
//! author : Oerd Cukalla : https://github.com/oerd

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var sq = moment.defineLocale('sq', {
        months: 'Janar_Shkurt_Mars_Prill_Maj_Qershor_Korrik_Gusht_Shtator_Tetor_NÃ«ntor_Dhjetor'.split(
            '_'
        ),
        monthsShort: 'Jan_Shk_Mar_Pri_Maj_Qer_Kor_Gus_Sht_Tet_NÃ«n_Dhj'.split('_'),
        weekdays: 'E Diel_E HÃ«nÃ«_E MartÃ«_E MÃ«rkurÃ«_E Enjte_E Premte_E ShtunÃ«'.split(
            '_'
        ),
        weekdaysShort: 'Die_HÃ«n_Mar_MÃ«r_Enj_Pre_Sht'.split('_'),
        weekdaysMin: 'D_H_Ma_MÃ«_E_P_Sh'.split('_'),
        weekdaysParseExact: true,
        meridiemParse: /PD|MD/,
        isPM: function (input) {
            return input.charAt(0) === 'M';
        },
        meridiem: function (hours, minutes, isLower) {
            return hours &lt; 12 ? 'PD' : 'MD';
        },
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Sot nÃ«] LT',
            nextDay: '[NesÃ«r nÃ«] LT',
            nextWeek: 'dddd [nÃ«] LT',
            lastDay: '[Dje nÃ«] LT',
            lastWeek: 'dddd [e kaluar nÃ«] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'nÃ« %s',
            past: '%s mÃ« parÃ«',
            s: 'disa sekonda',
            ss: '%d sekonda',
            m: 'njÃ« minutÃ«',
            mm: '%d minuta',
            h: 'njÃ« orÃ«',
            hh: '%d orÃ«',
            d: 'njÃ« ditÃ«',
            dd: '%d ditÃ«',
            M: 'njÃ« muaj',
            MM: '%d muaj',
            y: 'njÃ« vit',
            yy: '%d vite',
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return sq;

})));


/***/ }),

/***/ "./node_modules/moment/locale/sr-cyrl.js":
/*!***********************************************!*\
  !*** ./node_modules/moment/locale/sr-cyrl.js ***!
  \***********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Serbian Cyrillic [sr-cyrl]
//! author : Milan JanaÄkoviÄ‡&lt;milanjanackovic@gmail.com&gt; : https://github.com/milan-j
//! author : Stefan CrnjakoviÄ‡ &lt;stefan@hotmail.rs&gt; : https://github.com/crnjakovic

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var translator = {
        words: {
            //Different grammatical cases
            ss: ['ÑÐµÐºÑƒÐ½Ð´Ð°', 'ÑÐµÐºÑƒÐ½Ð´Ðµ', 'ÑÐµÐºÑƒÐ½Ð´Ð¸'],
            m: ['Ñ˜ÐµÐ´Ð°Ð½ Ð¼Ð¸Ð½ÑƒÑ‚', 'Ñ˜ÐµÐ´Ð½Ð¾Ð³ Ð¼Ð¸Ð½ÑƒÑ‚Ð°'],
            mm: ['Ð¼Ð¸Ð½ÑƒÑ‚', 'Ð¼Ð¸Ð½ÑƒÑ‚Ð°', 'Ð¼Ð¸Ð½ÑƒÑ‚Ð°'],
            h: ['Ñ˜ÐµÐ´Ð°Ð½ ÑÐ°Ñ‚', 'Ñ˜ÐµÐ´Ð½Ð¾Ð³ ÑÐ°Ñ‚Ð°'],
            hh: ['ÑÐ°Ñ‚', 'ÑÐ°Ñ‚Ð°', 'ÑÐ°Ñ‚Ð¸'],
            d: ['Ñ˜ÐµÐ´Ð°Ð½ Ð´Ð°Ð½', 'Ñ˜ÐµÐ´Ð½Ð¾Ð³ Ð´Ð°Ð½Ð°'],
            dd: ['Ð´Ð°Ð½', 'Ð´Ð°Ð½Ð°', 'Ð´Ð°Ð½Ð°'],
            M: ['Ñ˜ÐµÐ´Ð°Ð½ Ð¼ÐµÑÐµÑ†', 'Ñ˜ÐµÐ´Ð½Ð¾Ð³ Ð¼ÐµÑÐµÑ†Ð°'],
            MM: ['Ð¼ÐµÑÐµÑ†', 'Ð¼ÐµÑÐµÑ†Ð°', 'Ð¼ÐµÑÐµÑ†Ð¸'],
            y: ['Ñ˜ÐµÐ´Ð½Ñƒ Ð³Ð¾Ð´Ð¸Ð½Ñƒ', 'Ñ˜ÐµÐ´Ð½Ðµ Ð³Ð¾Ð´Ð¸Ð½Ðµ'],
            yy: ['Ð³Ð¾Ð´Ð¸Ð½Ñƒ', 'Ð³Ð¾Ð´Ð¸Ð½Ðµ', 'Ð³Ð¾Ð´Ð¸Ð½Ð°'],
        },
        correctGrammaticalCase: function (number, wordKey) {
            if (
                number % 10 &gt;= 1 &amp;&amp;
                number % 10 &lt;= 4 &amp;&amp;
                (number % 100 &lt; 10 || number % 100 &gt;= 20)
            ) {
                return number % 10 === 1 ? wordKey[0] : wordKey[1];
            }
            return wordKey[2];
        },
        translate: function (number, withoutSuffix, key, isFuture) {
            var wordKey = translator.words[key],
                word;

            if (key.length === 1) {
                // Nominativ
                if (key === 'y' &amp;&amp; withoutSuffix) return 'Ñ˜ÐµÐ´Ð½Ð° Ð³Ð¾Ð´Ð¸Ð½Ð°';
                return isFuture || withoutSuffix ? wordKey[0] : wordKey[1];
            }

            word = translator.correctGrammaticalCase(number, wordKey);
            // Nominativ
            if (key === 'yy' &amp;&amp; withoutSuffix &amp;&amp; word === 'Ð³Ð¾Ð´Ð¸Ð½Ñƒ') {
                return number + ' Ð³Ð¾Ð´Ð¸Ð½Ð°';
            }

            return number + ' ' + word;
        },
    };

    var srCyrl = moment.defineLocale('sr-cyrl', {
        months: 'Ñ˜Ð°Ð½ÑƒÐ°Ñ€_Ñ„ÐµÐ±Ñ€ÑƒÐ°Ñ€_Ð¼Ð°Ñ€Ñ‚_Ð°Ð¿Ñ€Ð¸Ð»_Ð¼Ð°Ñ˜_Ñ˜ÑƒÐ½_Ñ˜ÑƒÐ»_Ð°Ð²Ð³ÑƒÑÑ‚_ÑÐµÐ¿Ñ‚ÐµÐ¼Ð±Ð°Ñ€_Ð¾ÐºÑ‚Ð¾Ð±Ð°Ñ€_Ð½Ð¾Ð²ÐµÐ¼Ð±Ð°Ñ€_Ð´ÐµÑ†ÐµÐ¼Ð±Ð°Ñ€'.split(
            '_'
        ),
        monthsShort:
            'Ñ˜Ð°Ð½._Ñ„ÐµÐ±._Ð¼Ð°Ñ€._Ð°Ð¿Ñ€._Ð¼Ð°Ñ˜_Ñ˜ÑƒÐ½_Ñ˜ÑƒÐ»_Ð°Ð²Ð³._ÑÐµÐ¿._Ð¾ÐºÑ‚._Ð½Ð¾Ð²._Ð´ÐµÑ†.'.split('_'),
        monthsParseExact: true,
        weekdays: 'Ð½ÐµÐ´ÐµÑ™Ð°_Ð¿Ð¾Ð½ÐµÐ´ÐµÑ™Ð°Ðº_ÑƒÑ‚Ð¾Ñ€Ð°Ðº_ÑÑ€ÐµÐ´Ð°_Ñ‡ÐµÑ‚Ð²Ñ€Ñ‚Ð°Ðº_Ð¿ÐµÑ‚Ð°Ðº_ÑÑƒÐ±Ð¾Ñ‚Ð°'.split('_'),
        weekdaysShort: 'Ð½ÐµÐ´._Ð¿Ð¾Ð½._ÑƒÑ‚Ð¾._ÑÑ€Ðµ._Ñ‡ÐµÑ‚._Ð¿ÐµÑ‚._ÑÑƒÐ±.'.split('_'),
        weekdaysMin: 'Ð½Ðµ_Ð¿Ð¾_ÑƒÑ‚_ÑÑ€_Ñ‡Ðµ_Ð¿Ðµ_ÑÑƒ'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'D. M. YYYY.',
            LL: 'D. MMMM YYYY.',
            LLL: 'D. MMMM YYYY. H:mm',
            LLLL: 'dddd, D. MMMM YYYY. H:mm',
        },
        calendar: {
            sameDay: '[Ð´Ð°Ð½Ð°Ñ Ñƒ] LT',
            nextDay: '[ÑÑƒÑ‚Ñ€Ð° Ñƒ] LT',
            nextWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[Ñƒ] [Ð½ÐµÐ´ÐµÑ™Ñƒ] [Ñƒ] LT';
                    case 3:
                        return '[Ñƒ] [ÑÑ€ÐµÐ´Ñƒ] [Ñƒ] LT';
                    case 6:
                        return '[Ñƒ] [ÑÑƒÐ±Ð¾Ñ‚Ñƒ] [Ñƒ] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[Ñƒ] dddd [Ñƒ] LT';
                }
            },
            lastDay: '[Ñ˜ÑƒÑ‡Ðµ Ñƒ] LT',
            lastWeek: function () {
                var lastWeekDays = [
                    '[Ð¿Ñ€Ð¾ÑˆÐ»Ðµ] [Ð½ÐµÐ´ÐµÑ™Ðµ] [Ñƒ] LT',
                    '[Ð¿Ñ€Ð¾ÑˆÐ»Ð¾Ð³] [Ð¿Ð¾Ð½ÐµÐ´ÐµÑ™ÐºÐ°] [Ñƒ] LT',
                    '[Ð¿Ñ€Ð¾ÑˆÐ»Ð¾Ð³] [ÑƒÑ‚Ð¾Ñ€ÐºÐ°] [Ñƒ] LT',
                    '[Ð¿Ñ€Ð¾ÑˆÐ»Ðµ] [ÑÑ€ÐµÐ´Ðµ] [Ñƒ] LT',
                    '[Ð¿Ñ€Ð¾ÑˆÐ»Ð¾Ð³] [Ñ‡ÐµÑ‚Ð²Ñ€Ñ‚ÐºÐ°] [Ñƒ] LT',
                    '[Ð¿Ñ€Ð¾ÑˆÐ»Ð¾Ð³] [Ð¿ÐµÑ‚ÐºÐ°] [Ñƒ] LT',
                    '[Ð¿Ñ€Ð¾ÑˆÐ»Ðµ] [ÑÑƒÐ±Ð¾Ñ‚Ðµ] [Ñƒ] LT',
                ];
                return lastWeekDays[this.day()];
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ð·Ð° %s',
            past: 'Ð¿Ñ€Ðµ %s',
            s: 'Ð½ÐµÐºÐ¾Ð»Ð¸ÐºÐ¾ ÑÐµÐºÑƒÐ½Ð´Ð¸',
            ss: translator.translate,
            m: translator.translate,
            mm: translator.translate,
            h: translator.translate,
            hh: translator.translate,
            d: translator.translate,
            dd: translator.translate,
            M: translator.translate,
            MM: translator.translate,
            y: translator.translate,
            yy: translator.translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 1st is the first week of the year.
        },
    });

    return srCyrl;

})));


/***/ }),

/***/ "./node_modules/moment/locale/sr.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/sr.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Serbian [sr]
//! author : Milan JanaÄkoviÄ‡&lt;milanjanackovic@gmail.com&gt; : https://github.com/milan-j
//! author : Stefan CrnjakoviÄ‡ &lt;stefan@hotmail.rs&gt; : https://github.com/crnjakovic

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var translator = {
        words: {
            //Different grammatical cases
            ss: ['sekunda', 'sekunde', 'sekundi'],
            m: ['jedan minut', 'jednog minuta'],
            mm: ['minut', 'minuta', 'minuta'],
            h: ['jedan sat', 'jednog sata'],
            hh: ['sat', 'sata', 'sati'],
            d: ['jedan dan', 'jednog dana'],
            dd: ['dan', 'dana', 'dana'],
            M: ['jedan mesec', 'jednog meseca'],
            MM: ['mesec', 'meseca', 'meseci'],
            y: ['jednu godinu', 'jedne godine'],
            yy: ['godinu', 'godine', 'godina'],
        },
        correctGrammaticalCase: function (number, wordKey) {
            if (
                number % 10 &gt;= 1 &amp;&amp;
                number % 10 &lt;= 4 &amp;&amp;
                (number % 100 &lt; 10 || number % 100 &gt;= 20)
            ) {
                return number % 10 === 1 ? wordKey[0] : wordKey[1];
            }
            return wordKey[2];
        },
        translate: function (number, withoutSuffix, key, isFuture) {
            var wordKey = translator.words[key],
                word;

            if (key.length === 1) {
                // Nominativ
                if (key === 'y' &amp;&amp; withoutSuffix) return 'jedna godina';
                return isFuture || withoutSuffix ? wordKey[0] : wordKey[1];
            }

            word = translator.correctGrammaticalCase(number, wordKey);
            // Nominativ
            if (key === 'yy' &amp;&amp; withoutSuffix &amp;&amp; word === 'godinu') {
                return number + ' godina';
            }

            return number + ' ' + word;
        },
    };

    var sr = moment.defineLocale('sr', {
        months: 'januar_februar_mart_april_maj_jun_jul_avgust_septembar_oktobar_novembar_decembar'.split(
            '_'
        ),
        monthsShort:
            'jan._feb._mar._apr._maj_jun_jul_avg._sep._okt._nov._dec.'.split('_'),
        monthsParseExact: true,
        weekdays: 'nedelja_ponedeljak_utorak_sreda_Äetvrtak_petak_subota'.split(
            '_'
        ),
        weekdaysShort: 'ned._pon._uto._sre._Äet._pet._sub.'.split('_'),
        weekdaysMin: 'ne_po_ut_sr_Äe_pe_su'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'D. M. YYYY.',
            LL: 'D. MMMM YYYY.',
            LLL: 'D. MMMM YYYY. H:mm',
            LLLL: 'dddd, D. MMMM YYYY. H:mm',
        },
        calendar: {
            sameDay: '[danas u] LT',
            nextDay: '[sutra u] LT',
            nextWeek: function () {
                switch (this.day()) {
                    case 0:
                        return '[u] [nedelju] [u] LT';
                    case 3:
                        return '[u] [sredu] [u] LT';
                    case 6:
                        return '[u] [subotu] [u] LT';
                    case 1:
                    case 2:
                    case 4:
                    case 5:
                        return '[u] dddd [u] LT';
                }
            },
            lastDay: '[juÄe u] LT',
            lastWeek: function () {
                var lastWeekDays = [
                    '[proÅ¡le] [nedelje] [u] LT',
                    '[proÅ¡log] [ponedeljka] [u] LT',
                    '[proÅ¡log] [utorka] [u] LT',
                    '[proÅ¡le] [srede] [u] LT',
                    '[proÅ¡log] [Äetvrtka] [u] LT',
                    '[proÅ¡log] [petka] [u] LT',
                    '[proÅ¡le] [subote] [u] LT',
                ];
                return lastWeekDays[this.day()];
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'za %s',
            past: 'pre %s',
            s: 'nekoliko sekundi',
            ss: translator.translate,
            m: translator.translate,
            mm: translator.translate,
            h: translator.translate,
            hh: translator.translate,
            d: translator.translate,
            dd: translator.translate,
            M: translator.translate,
            MM: translator.translate,
            y: translator.translate,
            yy: translator.translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return sr;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ss.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ss.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : siSwati [ss]
//! author : Nicolai Davies&lt;mail@nicolai.io&gt; : https://github.com/nicolaidavies

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var ss = moment.defineLocale('ss', {
        months: "Bhimbidvwane_Indlovana_Indlov'lenkhulu_Mabasa_Inkhwekhweti_Inhlaba_Kholwane_Ingci_Inyoni_Imphala_Lweti_Ingongoni".split(
            '_'
        ),
        monthsShort: 'Bhi_Ina_Inu_Mab_Ink_Inh_Kho_Igc_Iny_Imp_Lwe_Igo'.split('_'),
        weekdays:
            'Lisontfo_Umsombuluko_Lesibili_Lesitsatfu_Lesine_Lesihlanu_Umgcibelo'.split(
                '_'
            ),
        weekdaysShort: 'Lis_Umb_Lsb_Les_Lsi_Lsh_Umg'.split('_'),
        weekdaysMin: 'Li_Us_Lb_Lt_Ls_Lh_Ug'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'h:mm A',
            LTS: 'h:mm:ss A',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY h:mm A',
            LLLL: 'dddd, D MMMM YYYY h:mm A',
        },
        calendar: {
            sameDay: '[Namuhla nga] LT',
            nextDay: '[Kusasa nga] LT',
            nextWeek: 'dddd [nga] LT',
            lastDay: '[Itolo nga] LT',
            lastWeek: 'dddd [leliphelile] [nga] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'nga %s',
            past: 'wenteka nga %s',
            s: 'emizuzwana lomcane',
            ss: '%d mzuzwana',
            m: 'umzuzu',
            mm: '%d emizuzu',
            h: 'lihora',
            hh: '%d emahora',
            d: 'lilanga',
            dd: '%d emalanga',
            M: 'inyanga',
            MM: '%d tinyanga',
            y: 'umnyaka',
            yy: '%d iminyaka',
        },
        meridiemParse: /ekuseni|emini|entsambama|ebusuku/,
        meridiem: function (hours, minutes, isLower) {
            if (hours &lt; 11) {
                return 'ekuseni';
            } else if (hours &lt; 15) {
                return 'emini';
            } else if (hours &lt; 19) {
                return 'entsambama';
            } else {
                return 'ebusuku';
            }
        },
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'ekuseni') {
                return hour;
            } else if (meridiem === 'emini') {
                return hour &gt;= 11 ? hour : hour + 12;
            } else if (meridiem === 'entsambama' || meridiem === 'ebusuku') {
                if (hour === 0) {
                    return 0;
                }
                return hour + 12;
            }
        },
        dayOfMonthOrdinalParse: /\d{1,2}/,
        ordinal: '%d',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return ss;

})));


/***/ }),

/***/ "./node_modules/moment/locale/sv.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/sv.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Swedish [sv]
//! author : Jens Alm : https://github.com/ulmus

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var sv = moment.defineLocale('sv', {
        months: 'januari_februari_mars_april_maj_juni_juli_augusti_september_oktober_november_december'.split(
            '_'
        ),
        monthsShort: 'jan_feb_mar_apr_maj_jun_jul_aug_sep_okt_nov_dec'.split('_'),
        weekdays: 'sÃ¶ndag_mÃ¥ndag_tisdag_onsdag_torsdag_fredag_lÃ¶rdag'.split('_'),
        weekdaysShort: 'sÃ¶n_mÃ¥n_tis_ons_tor_fre_lÃ¶r'.split('_'),
        weekdaysMin: 'sÃ¶_mÃ¥_ti_on_to_fr_lÃ¶'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY-MM-DD',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY [kl.] HH:mm',
            LLLL: 'dddd D MMMM YYYY [kl.] HH:mm',
            lll: 'D MMM YYYY HH:mm',
            llll: 'ddd D MMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Idag] LT',
            nextDay: '[Imorgon] LT',
            lastDay: '[IgÃ¥r] LT',
            nextWeek: '[PÃ¥] dddd LT',
            lastWeek: '[I] dddd[s] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'om %s',
            past: 'fÃ¶r %s sedan',
            s: 'nÃ¥gra sekunder',
            ss: '%d sekunder',
            m: 'en minut',
            mm: '%d minuter',
            h: 'en timme',
            hh: '%d timmar',
            d: 'en dag',
            dd: '%d dagar',
            M: 'en mÃ¥nad',
            MM: '%d mÃ¥nader',
            y: 'ett Ã¥r',
            yy: '%d Ã¥r',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(\:e|\:a)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? ':e'
                        : b === 1
                        ? ':a'
                        : b === 2
                        ? ':a'
                        : b === 3
                        ? ':e'
                        : ':e';
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return sv;

})));


/***/ }),

/***/ "./node_modules/moment/locale/sw.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/sw.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Swahili [sw]
//! author : Fahad Kassim : https://github.com/fadsel

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var sw = moment.defineLocale('sw', {
        months: 'Januari_Februari_Machi_Aprili_Mei_Juni_Julai_Agosti_Septemba_Oktoba_Novemba_Desemba'.split(
            '_'
        ),
        monthsShort: 'Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ago_Sep_Okt_Nov_Des'.split('_'),
        weekdays:
            'Jumapili_Jumatatu_Jumanne_Jumatano_Alhamisi_Ijumaa_Jumamosi'.split(
                '_'
            ),
        weekdaysShort: 'Jpl_Jtat_Jnne_Jtan_Alh_Ijm_Jmos'.split('_'),
        weekdaysMin: 'J2_J3_J4_J5_Al_Ij_J1'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'hh:mm A',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[leo saa] LT',
            nextDay: '[kesho saa] LT',
            nextWeek: '[wiki ijayo] dddd [saat] LT',
            lastDay: '[jana] LT',
            lastWeek: '[wiki iliyopita] dddd [saat] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s baadaye',
            past: 'tokea %s',
            s: 'hivi punde',
            ss: 'sekunde %d',
            m: 'dakika moja',
            mm: 'dakika %d',
            h: 'saa limoja',
            hh: 'masaa %d',
            d: 'siku moja',
            dd: 'siku %d',
            M: 'mwezi mmoja',
            MM: 'miezi %d',
            y: 'mwaka mmoja',
            yy: 'miaka %d',
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return sw;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ta.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ta.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Tamil [ta]
//! author : Arjunkumar Krishnamoorthy : https://github.com/tk120404

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var symbolMap = {
            1: 'à¯§',
            2: 'à¯¨',
            3: 'à¯©',
            4: 'à¯ª',
            5: 'à¯«',
            6: 'à¯¬',
            7: 'à¯­',
            8: 'à¯®',
            9: 'à¯¯',
            0: 'à¯¦',
        },
        numberMap = {
            'à¯§': '1',
            'à¯¨': '2',
            'à¯©': '3',
            'à¯ª': '4',
            'à¯«': '5',
            'à¯¬': '6',
            'à¯­': '7',
            'à¯®': '8',
            'à¯¯': '9',
            'à¯¦': '0',
        };

    var ta = moment.defineLocale('ta', {
        months: 'à®œà®©à®µà®°à®¿_à®ªà®¿à®ªà¯à®°à®µà®°à®¿_à®®à®¾à®°à¯à®šà¯_à®à®ªà¯à®°à®²à¯_à®®à¯‡_à®œà¯‚à®©à¯_à®œà¯‚à®²à¯ˆ_à®†à®•à®¸à¯à®Ÿà¯_à®šà¯†à®ªà¯à®Ÿà¯†à®®à¯à®ªà®°à¯_à®…à®•à¯à®Ÿà¯‡à®¾à®ªà®°à¯_à®¨à®µà®®à¯à®ªà®°à¯_à®Ÿà®¿à®šà®®à¯à®ªà®°à¯'.split(
            '_'
        ),
        monthsShort:
            'à®œà®©à®µà®°à®¿_à®ªà®¿à®ªà¯à®°à®µà®°à®¿_à®®à®¾à®°à¯à®šà¯_à®à®ªà¯à®°à®²à¯_à®®à¯‡_à®œà¯‚à®©à¯_à®œà¯‚à®²à¯ˆ_à®†à®•à®¸à¯à®Ÿà¯_à®šà¯†à®ªà¯à®Ÿà¯†à®®à¯à®ªà®°à¯_à®…à®•à¯à®Ÿà¯‡à®¾à®ªà®°à¯_à®¨à®µà®®à¯à®ªà®°à¯_à®Ÿà®¿à®šà®®à¯à®ªà®°à¯'.split(
                '_'
            ),
        weekdays:
            'à®žà®¾à®¯à®¿à®±à¯à®±à¯à®•à¯à®•à®¿à®´à®®à¯ˆ_à®¤à®¿à®™à¯à®•à®Ÿà¯à®•à®¿à®´à®®à¯ˆ_à®šà¯†à®µà¯à®µà®¾à®¯à¯à®•à®¿à®´à®®à¯ˆ_à®ªà¯à®¤à®©à¯à®•à®¿à®´à®®à¯ˆ_à®µà®¿à®¯à®¾à®´à®•à¯à®•à®¿à®´à®®à¯ˆ_à®µà¯†à®³à¯à®³à®¿à®•à¯à®•à®¿à®´à®®à¯ˆ_à®šà®©à®¿à®•à¯à®•à®¿à®´à®®à¯ˆ'.split(
                '_'
            ),
        weekdaysShort: 'à®žà®¾à®¯à®¿à®±à¯_à®¤à®¿à®™à¯à®•à®³à¯_à®šà¯†à®µà¯à®µà®¾à®¯à¯_à®ªà¯à®¤à®©à¯_à®µà®¿à®¯à®¾à®´à®©à¯_à®µà¯†à®³à¯à®³à®¿_à®šà®©à®¿'.split(
            '_'
        ),
        weekdaysMin: 'à®žà®¾_à®¤à®¿_à®šà¯†_à®ªà¯_à®µà®¿_à®µà¯†_à®š'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, HH:mm',
            LLLL: 'dddd, D MMMM YYYY, HH:mm',
        },
        calendar: {
            sameDay: '[à®‡à®©à¯à®±à¯] LT',
            nextDay: '[à®¨à®¾à®³à¯ˆ] LT',
            nextWeek: 'dddd, LT',
            lastDay: '[à®¨à¯‡à®±à¯à®±à¯] LT',
            lastWeek: '[à®•à®Ÿà®¨à¯à®¤ à®µà®¾à®°à®®à¯] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s à®‡à®²à¯',
            past: '%s à®®à¯à®©à¯',
            s: 'à®’à®°à¯ à®šà®¿à®² à®µà®¿à®¨à®¾à®Ÿà®¿à®•à®³à¯',
            ss: '%d à®µà®¿à®¨à®¾à®Ÿà®¿à®•à®³à¯',
            m: 'à®’à®°à¯ à®¨à®¿à®®à®¿à®Ÿà®®à¯',
            mm: '%d à®¨à®¿à®®à®¿à®Ÿà®™à¯à®•à®³à¯',
            h: 'à®’à®°à¯ à®®à®£à®¿ à®¨à¯‡à®°à®®à¯',
            hh: '%d à®®à®£à®¿ à®¨à¯‡à®°à®®à¯',
            d: 'à®’à®°à¯ à®¨à®¾à®³à¯',
            dd: '%d à®¨à®¾à®Ÿà¯à®•à®³à¯',
            M: 'à®’à®°à¯ à®®à®¾à®¤à®®à¯',
            MM: '%d à®®à®¾à®¤à®™à¯à®•à®³à¯',
            y: 'à®’à®°à¯ à®µà®°à¯à®Ÿà®®à¯',
            yy: '%d à®†à®£à¯à®Ÿà¯à®•à®³à¯',
        },
        dayOfMonthOrdinalParse: /\d{1,2}à®µà®¤à¯/,
        ordinal: function (number) {
            return number + 'à®µà®¤à¯';
        },
        preparse: function (string) {
            return string.replace(/[à¯§à¯¨à¯©à¯ªà¯«à¯¬à¯­à¯®à¯¯à¯¦]/g, function (match) {
                return numberMap[match];
            });
        },
        postformat: function (string) {
            return string.replace(/\d/g, function (match) {
                return symbolMap[match];
            });
        },
        // refer http://ta.wikipedia.org/s/1er1
        meridiemParse: /à®¯à®¾à®®à®®à¯|à®µà¯ˆà®•à®±à¯ˆ|à®•à®¾à®²à¯ˆ|à®¨à®£à¯à®ªà®•à®²à¯|à®Žà®±à¯à®ªà®¾à®Ÿà¯|à®®à®¾à®²à¯ˆ/,
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 2) {
                return ' à®¯à®¾à®®à®®à¯';
            } else if (hour &lt; 6) {
                return ' à®µà¯ˆà®•à®±à¯ˆ'; // à®µà¯ˆà®•à®±à¯ˆ
            } else if (hour &lt; 10) {
                return ' à®•à®¾à®²à¯ˆ'; // à®•à®¾à®²à¯ˆ
            } else if (hour &lt; 14) {
                return ' à®¨à®£à¯à®ªà®•à®²à¯'; // à®¨à®£à¯à®ªà®•à®²à¯
            } else if (hour &lt; 18) {
                return ' à®Žà®±à¯à®ªà®¾à®Ÿà¯'; // à®Žà®±à¯à®ªà®¾à®Ÿà¯
            } else if (hour &lt; 22) {
                return ' à®®à®¾à®²à¯ˆ'; // à®®à®¾à®²à¯ˆ
            } else {
                return ' à®¯à®¾à®®à®®à¯';
            }
        },
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'à®¯à®¾à®®à®®à¯') {
                return hour &lt; 2 ? hour : hour + 12;
            } else if (meridiem === 'à®µà¯ˆà®•à®±à¯ˆ' || meridiem === 'à®•à®¾à®²à¯ˆ') {
                return hour;
            } else if (meridiem === 'à®¨à®£à¯à®ªà®•à®²à¯') {
                return hour &gt;= 10 ? hour : hour + 12;
            } else {
                return hour + 12;
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return ta;

})));


/***/ }),

/***/ "./node_modules/moment/locale/te.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/te.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Telugu [te]
//! author : Krishna Chaitanya Thota : https://github.com/kcthota

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var te = moment.defineLocale('te', {
        months: 'à°œà°¨à°µà°°à°¿_à°«à°¿à°¬à±à°°à°µà°°à°¿_à°®à°¾à°°à±à°šà°¿_à°à°ªà±à°°à°¿à°²à±_à°®à±‡_à°œà±‚à°¨à±_à°œà±à°²à±ˆ_à°†à°—à°¸à±à°Ÿà±_à°¸à±†à°ªà±à°Ÿà±†à°‚à°¬à°°à±_à°…à°•à±à°Ÿà±‹à°¬à°°à±_à°¨à°µà°‚à°¬à°°à±_à°¡à°¿à°¸à±†à°‚à°¬à°°à±'.split(
            '_'
        ),
        monthsShort:
            'à°œà°¨._à°«à°¿à°¬à±à°°._à°®à°¾à°°à±à°šà°¿_à°à°ªà±à°°à°¿._à°®à±‡_à°œà±‚à°¨à±_à°œà±à°²à±ˆ_à°†à°—._à°¸à±†à°ªà±._à°…à°•à±à°Ÿà±‹._à°¨à°µ._à°¡à°¿à°¸à±†.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays:
            'à°†à°¦à°¿à°µà°¾à°°à°‚_à°¸à±‹à°®à°µà°¾à°°à°‚_à°®à°‚à°—à°³à°µà°¾à°°à°‚_à°¬à±à°§à°µà°¾à°°à°‚_à°—à±à°°à±à°µà°¾à°°à°‚_à°¶à±à°•à±à°°à°µà°¾à°°à°‚_à°¶à°¨à°¿à°µà°¾à°°à°‚'.split(
                '_'
            ),
        weekdaysShort: 'à°†à°¦à°¿_à°¸à±‹à°®_à°®à°‚à°—à°³_à°¬à±à°§_à°—à±à°°à±_à°¶à±à°•à±à°°_à°¶à°¨à°¿'.split('_'),
        weekdaysMin: 'à°†_à°¸à±‹_à°®à°‚_à°¬à±_à°—à±_à°¶à±_à°¶'.split('_'),
        longDateFormat: {
            LT: 'A h:mm',
            LTS: 'A h:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY, A h:mm',
            LLLL: 'dddd, D MMMM YYYY, A h:mm',
        },
        calendar: {
            sameDay: '[à°¨à±‡à°¡à±] LT',
            nextDay: '[à°°à±‡à°ªà±] LT',
            nextWeek: 'dddd, LT',
            lastDay: '[à°¨à°¿à°¨à±à°¨] LT',
            lastWeek: '[à°—à°¤] dddd, LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s à°²à±‹',
            past: '%s à°•à±à°°à°¿à°¤à°‚',
            s: 'à°•à±Šà°¨à±à°¨à°¿ à°•à±à°·à°£à°¾à°²à±',
            ss: '%d à°¸à±†à°•à°¨à±à°²à±',
            m: 'à°’à°• à°¨à°¿à°®à°¿à°·à°‚',
            mm: '%d à°¨à°¿à°®à°¿à°·à°¾à°²à±',
            h: 'à°’à°• à°—à°‚à°Ÿ',
            hh: '%d à°—à°‚à°Ÿà°²à±',
            d: 'à°’à°• à°°à±‹à°œà±',
            dd: '%d à°°à±‹à°œà±à°²à±',
            M: 'à°’à°• à°¨à±†à°²',
            MM: '%d à°¨à±†à°²à°²à±',
            y: 'à°’à°• à°¸à°‚à°µà°¤à±à°¸à°°à°‚',
            yy: '%d à°¸à°‚à°µà°¤à±à°¸à°°à°¾à°²à±',
        },
        dayOfMonthOrdinalParse: /\d{1,2}à°µ/,
        ordinal: '%dà°µ',
        meridiemParse: /à°°à°¾à°¤à±à°°à°¿|à°‰à°¦à°¯à°‚|à°®à°§à±à°¯à°¾à°¹à±à°¨à°‚|à°¸à°¾à°¯à°‚à°¤à±à°°à°‚/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'à°°à°¾à°¤à±à°°à°¿') {
                return hour &lt; 4 ? hour : hour + 12;
            } else if (meridiem === 'à°‰à°¦à°¯à°‚') {
                return hour;
            } else if (meridiem === 'à°®à°§à±à°¯à°¾à°¹à±à°¨à°‚') {
                return hour &gt;= 10 ? hour : hour + 12;
            } else if (meridiem === 'à°¸à°¾à°¯à°‚à°¤à±à°°à°‚') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'à°°à°¾à°¤à±à°°à°¿';
            } else if (hour &lt; 10) {
                return 'à°‰à°¦à°¯à°‚';
            } else if (hour &lt; 17) {
                return 'à°®à°§à±à°¯à°¾à°¹à±à°¨à°‚';
            } else if (hour &lt; 20) {
                return 'à°¸à°¾à°¯à°‚à°¤à±à°°à°‚';
            } else {
                return 'à°°à°¾à°¤à±à°°à°¿';
            }
        },
        week: {
            dow: 0, // Sunday is the first day of the week.
            doy: 6, // The week that contains Jan 6th is the first week of the year.
        },
    });

    return te;

})));


/***/ }),

/***/ "./node_modules/moment/locale/tet.js":
/*!*******************************************!*\
  !*** ./node_modules/moment/locale/tet.js ***!
  \*******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Tetun Dili (East Timor) [tet]
//! author : Joshua Brooks : https://github.com/joshbrooks
//! author : Onorio De J. Afonso : https://github.com/marobo
//! author : Sonia Simoes : https://github.com/soniasimoes

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var tet = moment.defineLocale('tet', {
        months: 'Janeiru_Fevereiru_Marsu_Abril_Maiu_JuÃ±u_Jullu_Agustu_Setembru_Outubru_Novembru_Dezembru'.split(
            '_'
        ),
        monthsShort: 'Jan_Fev_Mar_Abr_Mai_Jun_Jul_Ago_Set_Out_Nov_Dez'.split('_'),
        weekdays: 'Domingu_Segunda_Tersa_Kuarta_Kinta_Sesta_Sabadu'.split('_'),
        weekdaysShort: 'Dom_Seg_Ters_Kua_Kint_Sest_Sab'.split('_'),
        weekdaysMin: 'Do_Seg_Te_Ku_Ki_Ses_Sa'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Ohin iha] LT',
            nextDay: '[Aban iha] LT',
            nextWeek: 'dddd [iha] LT',
            lastDay: '[Horiseik iha] LT',
            lastWeek: 'dddd [semana kotuk] [iha] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'iha %s',
            past: '%s liuba',
            s: 'segundu balun',
            ss: 'segundu %d',
            m: 'minutu ida',
            mm: 'minutu %d',
            h: 'oras ida',
            hh: 'oras %d',
            d: 'loron ida',
            dd: 'loron %d',
            M: 'fulan ida',
            MM: 'fulan %d',
            y: 'tinan ida',
            yy: 'tinan %d',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(st|nd|rd|th)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return tet;

})));


/***/ }),

/***/ "./node_modules/moment/locale/tg.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/tg.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Tajik [tg]
//! author : Orif N. Jr. : https://github.com/orif-jr

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var suffixes = {
        0: '-ÑƒÐ¼',
        1: '-ÑƒÐ¼',
        2: '-ÑŽÐ¼',
        3: '-ÑŽÐ¼',
        4: '-ÑƒÐ¼',
        5: '-ÑƒÐ¼',
        6: '-ÑƒÐ¼',
        7: '-ÑƒÐ¼',
        8: '-ÑƒÐ¼',
        9: '-ÑƒÐ¼',
        10: '-ÑƒÐ¼',
        12: '-ÑƒÐ¼',
        13: '-ÑƒÐ¼',
        20: '-ÑƒÐ¼',
        30: '-ÑŽÐ¼',
        40: '-ÑƒÐ¼',
        50: '-ÑƒÐ¼',
        60: '-ÑƒÐ¼',
        70: '-ÑƒÐ¼',
        80: '-ÑƒÐ¼',
        90: '-ÑƒÐ¼',
        100: '-ÑƒÐ¼',
    };

    var tg = moment.defineLocale('tg', {
        months: {
            format: 'ÑÐ½Ð²Ð°Ñ€Ð¸_Ñ„ÐµÐ²Ñ€Ð°Ð»Ð¸_Ð¼Ð°Ñ€Ñ‚Ð¸_Ð°Ð¿Ñ€ÐµÐ»Ð¸_Ð¼Ð°Ð¹Ð¸_Ð¸ÑŽÐ½Ð¸_Ð¸ÑŽÐ»Ð¸_Ð°Ð²Ð³ÑƒÑÑ‚Ð¸_ÑÐµÐ½Ñ‚ÑÐ±Ñ€Ð¸_Ð¾ÐºÑ‚ÑÐ±Ñ€Ð¸_Ð½Ð¾ÑÐ±Ñ€Ð¸_Ð´ÐµÐºÐ°Ð±Ñ€Ð¸'.split(
                '_'
            ),
            standalone:
                'ÑÐ½Ð²Ð°Ñ€_Ñ„ÐµÐ²Ñ€Ð°Ð»_Ð¼Ð°Ñ€Ñ‚_Ð°Ð¿Ñ€ÐµÐ»_Ð¼Ð°Ð¹_Ð¸ÑŽÐ½_Ð¸ÑŽÐ»_Ð°Ð²Ð³ÑƒÑÑ‚_ÑÐµÐ½Ñ‚ÑÐ±Ñ€_Ð¾ÐºÑ‚ÑÐ±Ñ€_Ð½Ð¾ÑÐ±Ñ€_Ð´ÐµÐºÐ°Ð±Ñ€'.split(
                    '_'
                ),
        },
        monthsShort: 'ÑÐ½Ð²_Ñ„ÐµÐ²_Ð¼Ð°Ñ€_Ð°Ð¿Ñ€_Ð¼Ð°Ð¹_Ð¸ÑŽÐ½_Ð¸ÑŽÐ»_Ð°Ð²Ð³_ÑÐµÐ½_Ð¾ÐºÑ‚_Ð½Ð¾Ñ_Ð´ÐµÐº'.split('_'),
        weekdays: 'ÑÐºÑˆÐ°Ð½Ð±Ðµ_Ð´ÑƒÑˆÐ°Ð½Ð±Ðµ_ÑÐµÑˆÐ°Ð½Ð±Ðµ_Ñ‡Ð¾Ñ€ÑˆÐ°Ð½Ð±Ðµ_Ð¿Ð°Ð½Ò·ÑˆÐ°Ð½Ð±Ðµ_Ò·ÑƒÐ¼ÑŠÐ°_ÑˆÐ°Ð½Ð±Ðµ'.split(
            '_'
        ),
        weekdaysShort: 'ÑÑˆÐ±_Ð´ÑˆÐ±_ÑÑˆÐ±_Ñ‡ÑˆÐ±_Ð¿ÑˆÐ±_Ò·ÑƒÐ¼_ÑˆÐ½Ð±'.split('_'),
        weekdaysMin: 'ÑÑˆ_Ð´Ñˆ_ÑÑˆ_Ñ‡Ñˆ_Ð¿Ñˆ_Ò·Ð¼_ÑˆÐ±'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[Ð˜Ð¼Ñ€Ó¯Ð· ÑÐ¾Ð°Ñ‚Ð¸] LT',
            nextDay: '[Ð¤Ð°Ñ€Ð´Ð¾ ÑÐ¾Ð°Ñ‚Ð¸] LT',
            lastDay: '[Ð”Ð¸Ñ€Ó¯Ð· ÑÐ¾Ð°Ñ‚Ð¸] LT',
            nextWeek: 'dddd[Ð¸] [Ò³Ð°Ñ„Ñ‚Ð°Ð¸ Ð¾ÑÐ½Ð´Ð° ÑÐ¾Ð°Ñ‚Ð¸] LT',
            lastWeek: 'dddd[Ð¸] [Ò³Ð°Ñ„Ñ‚Ð°Ð¸ Ð³ÑƒÐ·Ð°ÑˆÑ‚Ð° ÑÐ¾Ð°Ñ‚Ð¸] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ð±Ð°ÑŠÐ´Ð¸ %s',
            past: '%s Ð¿ÐµÑˆ',
            s: 'ÑÐºÑ‡Ð°Ð½Ð´ ÑÐ¾Ð½Ð¸Ñ',
            m: 'ÑÐº Ð´Ð°Ò›Ð¸Ò›Ð°',
            mm: '%d Ð´Ð°Ò›Ð¸Ò›Ð°',
            h: 'ÑÐº ÑÐ¾Ð°Ñ‚',
            hh: '%d ÑÐ¾Ð°Ñ‚',
            d: 'ÑÐº Ñ€Ó¯Ð·',
            dd: '%d Ñ€Ó¯Ð·',
            M: 'ÑÐº Ð¼Ð¾Ò³',
            MM: '%d Ð¼Ð¾Ò³',
            y: 'ÑÐº ÑÐ¾Ð»',
            yy: '%d ÑÐ¾Ð»',
        },
        meridiemParse: /ÑˆÐ°Ð±|ÑÑƒÐ±Ò³|Ñ€Ó¯Ð·|Ð±ÐµÐ³Ð¾Ò³/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'ÑˆÐ°Ð±') {
                return hour &lt; 4 ? hour : hour + 12;
            } else if (meridiem === 'ÑÑƒÐ±Ò³') {
                return hour;
            } else if (meridiem === 'Ñ€Ó¯Ð·') {
                return hour &gt;= 11 ? hour : hour + 12;
            } else if (meridiem === 'Ð±ÐµÐ³Ð¾Ò³') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'ÑˆÐ°Ð±';
            } else if (hour &lt; 11) {
                return 'ÑÑƒÐ±Ò³';
            } else if (hour &lt; 16) {
                return 'Ñ€Ó¯Ð·';
            } else if (hour &lt; 19) {
                return 'Ð±ÐµÐ³Ð¾Ò³';
            } else {
                return 'ÑˆÐ°Ð±';
            }
        },
        dayOfMonthOrdinalParse: /\d{1,2}-(ÑƒÐ¼|ÑŽÐ¼)/,
        ordinal: function (number) {
            var a = number % 10,
                b = number &gt;= 100 ? 100 : null;
            return number + (suffixes[number] || suffixes[a] || suffixes[b]);
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 1th is the first week of the year.
        },
    });

    return tg;

})));


/***/ }),

/***/ "./node_modules/moment/locale/th.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/th.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Thai [th]
//! author : Kridsada Thanabulpong : https://github.com/sirn

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var th = moment.defineLocale('th', {
        months: 'à¸¡à¸à¸£à¸²à¸„à¸¡_à¸à¸¸à¸¡à¸&nbsp;à¸²à¸žà¸±à¸™à¸˜à¹Œ_à¸¡à¸µà¸™à¸²à¸„à¸¡_à¹€à¸¡à¸©à¸²à¸¢à¸™_à¸žà¸¤à¸©à¸&nbsp;à¸²à¸„à¸¡_à¸¡à¸´à¸–à¸¸à¸™à¸²à¸¢à¸™_à¸à¸£à¸à¸Žà¸²à¸„à¸¡_à¸ªà¸´à¸‡à¸«à¸²à¸„à¸¡_à¸à¸±à¸™à¸¢à¸²à¸¢à¸™_à¸•à¸¸à¸¥à¸²à¸„à¸¡_à¸žà¸¤à¸¨à¸ˆà¸´à¸à¸²à¸¢à¸™_à¸˜à¸±à¸™à¸§à¸²à¸„à¸¡'.split(
            '_'
        ),
        monthsShort:
            'à¸¡.à¸„._à¸.à¸ž._à¸¡à¸µ.à¸„._à¹€à¸¡.à¸¢._à¸ž.à¸„._à¸¡à¸´.à¸¢._à¸.à¸„._à¸ª.à¸„._à¸.à¸¢._à¸•.à¸„._à¸ž.à¸¢._à¸˜.à¸„.'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'à¸­à¸²à¸—à¸´à¸•à¸¢à¹Œ_à¸ˆà¸±à¸™à¸—à¸£à¹Œ_à¸­à¸±à¸‡à¸„à¸²à¸£_à¸žà¸¸à¸˜_à¸žà¸¤à¸«à¸±à¸ªà¸šà¸”à¸µ_à¸¨à¸¸à¸à¸£à¹Œ_à¹€à¸ªà¸²à¸£à¹Œ'.split('_'),
        weekdaysShort: 'à¸­à¸²à¸—à¸´à¸•à¸¢à¹Œ_à¸ˆà¸±à¸™à¸—à¸£à¹Œ_à¸­à¸±à¸‡à¸„à¸²à¸£_à¸žà¸¸à¸˜_à¸žà¸¤à¸«à¸±à¸ª_à¸¨à¸¸à¸à¸£à¹Œ_à¹€à¸ªà¸²à¸£à¹Œ'.split('_'), // yes, three characters difference
        weekdaysMin: 'à¸­à¸²._à¸ˆ._à¸­._à¸ž._à¸žà¸¤._à¸¨._à¸ª.'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'H:mm',
            LTS: 'H:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY à¹€à¸§à¸¥à¸² H:mm',
            LLLL: 'à¸§à¸±à¸™ddddà¸—à¸µà¹ˆ D MMMM YYYY à¹€à¸§à¸¥à¸² H:mm',
        },
        meridiemParse: /à¸à¹ˆà¸­à¸™à¹€à¸—à¸µà¹ˆà¸¢à¸‡|à¸«à¸¥à¸±à¸‡à¹€à¸—à¸µà¹ˆà¸¢à¸‡/,
        isPM: function (input) {
            return input === 'à¸«à¸¥à¸±à¸‡à¹€à¸—à¸µà¹ˆà¸¢à¸‡';
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'à¸à¹ˆà¸­à¸™à¹€à¸—à¸µà¹ˆà¸¢à¸‡';
            } else {
                return 'à¸«à¸¥à¸±à¸‡à¹€à¸—à¸µà¹ˆà¸¢à¸‡';
            }
        },
        calendar: {
            sameDay: '[à¸§à¸±à¸™à¸™à¸µà¹‰ à¹€à¸§à¸¥à¸²] LT',
            nextDay: '[à¸žà¸£à¸¸à¹ˆà¸‡à¸™à¸µà¹‰ à¹€à¸§à¸¥à¸²] LT',
            nextWeek: 'dddd[à¸«à¸™à¹‰à¸² à¹€à¸§à¸¥à¸²] LT',
            lastDay: '[à¹€à¸¡à¸·à¹ˆà¸­à¸§à¸²à¸™à¸™à¸µà¹‰ à¹€à¸§à¸¥à¸²] LT',
            lastWeek: '[à¸§à¸±à¸™]dddd[à¸—à¸µà¹ˆà¹à¸¥à¹‰à¸§ à¹€à¸§à¸¥à¸²] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'à¸­à¸µà¸ %s',
            past: '%sà¸—à¸µà¹ˆà¹à¸¥à¹‰à¸§',
            s: 'à¹„à¸¡à¹ˆà¸à¸µà¹ˆà¸§à¸´à¸™à¸²à¸—à¸µ',
            ss: '%d à¸§à¸´à¸™à¸²à¸—à¸µ',
            m: '1 à¸™à¸²à¸—à¸µ',
            mm: '%d à¸™à¸²à¸—à¸µ',
            h: '1 à¸Šà¸±à¹ˆà¸§à¹‚à¸¡à¸‡',
            hh: '%d à¸Šà¸±à¹ˆà¸§à¹‚à¸¡à¸‡',
            d: '1 à¸§à¸±à¸™',
            dd: '%d à¸§à¸±à¸™',
            w: '1 à¸ªà¸±à¸›à¸”à¸²à¸«à¹Œ',
            ww: '%d à¸ªà¸±à¸›à¸”à¸²à¸«à¹Œ',
            M: '1 à¹€à¸”à¸·à¸­à¸™',
            MM: '%d à¹€à¸”à¸·à¸­à¸™',
            y: '1 à¸›à¸µ',
            yy: '%d à¸›à¸µ',
        },
    });

    return th;

})));


/***/ }),

/***/ "./node_modules/moment/locale/tk.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/tk.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Turkmen [tk]
//! author : Atamyrat Abdyrahmanov : https://github.com/atamyratabdy

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var suffixes = {
        1: "'inji",
        5: "'inji",
        8: "'inji",
        70: "'inji",
        80: "'inji",
        2: "'nji",
        7: "'nji",
        20: "'nji",
        50: "'nji",
        3: "'Ã¼nji",
        4: "'Ã¼nji",
        100: "'Ã¼nji",
        6: "'njy",
        9: "'unjy",
        10: "'unjy",
        30: "'unjy",
        60: "'ynjy",
        90: "'ynjy",
    };

    var tk = moment.defineLocale('tk', {
        months: 'Ãanwar_Fewral_Mart_Aprel_MaÃ½_IÃ½un_IÃ½ul_Awgust_SentÃ½abr_OktÃ½abr_NoÃ½abr_Dekabr'.split(
            '_'
        ),
        monthsShort: 'Ãan_Few_Mar_Apr_MaÃ½_IÃ½n_IÃ½l_Awg_Sen_Okt_NoÃ½_Dek'.split('_'),
        weekdays: 'ÃekÅŸenbe_DuÅŸenbe_SiÅŸenbe_Ã‡arÅŸenbe_PenÅŸenbe_Anna_Åženbe'.split(
            '_'
        ),
        weekdaysShort: 'Ãek_DuÅŸ_SiÅŸ_Ã‡ar_Pen_Ann_Åžen'.split('_'),
        weekdaysMin: 'Ãk_DÅŸ_SÅŸ_Ã‡r_Pn_An_Åžn'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[bugÃ¼n sagat] LT',
            nextDay: '[ertir sagat] LT',
            nextWeek: '[indiki] dddd [sagat] LT',
            lastDay: '[dÃ¼Ã½n] LT',
            lastWeek: '[geÃ§en] dddd [sagat] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s soÅˆ',
            past: '%s Ã¶Åˆ',
            s: 'birnÃ¤Ã§e sekunt',
            m: 'bir minut',
            mm: '%d minut',
            h: 'bir sagat',
            hh: '%d sagat',
            d: 'bir gÃ¼n',
            dd: '%d gÃ¼n',
            M: 'bir aÃ½',
            MM: '%d aÃ½',
            y: 'bir Ã½yl',
            yy: '%d Ã½yl',
        },
        ordinal: function (number, period) {
            switch (period) {
                case 'd':
                case 'D':
                case 'Do':
                case 'DD':
                    return number;
                default:
                    if (number === 0) {
                        // special case for zero
                        return number + "'unjy";
                    }
                    var a = number % 10,
                        b = (number % 100) - a,
                        c = number &gt;= 100 ? 100 : null;
                    return number + (suffixes[a] || suffixes[b] || suffixes[c]);
            }
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return tk;

})));


/***/ }),

/***/ "./node_modules/moment/locale/tl-ph.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/tl-ph.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Tagalog (Philippines) [tl-ph]
//! author : Dan Hagman : https://github.com/hagmandan

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var tlPh = moment.defineLocale('tl-ph', {
        months: 'Enero_Pebrero_Marso_Abril_Mayo_Hunyo_Hulyo_Agosto_Setyembre_Oktubre_Nobyembre_Disyembre'.split(
            '_'
        ),
        monthsShort: 'Ene_Peb_Mar_Abr_May_Hun_Hul_Ago_Set_Okt_Nob_Dis'.split('_'),
        weekdays: 'Linggo_Lunes_Martes_Miyerkules_Huwebes_Biyernes_Sabado'.split(
            '_'
        ),
        weekdaysShort: 'Lin_Lun_Mar_Miy_Huw_Biy_Sab'.split('_'),
        weekdaysMin: 'Li_Lu_Ma_Mi_Hu_Bi_Sab'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'MM/D/YYYY',
            LL: 'MMMM D, YYYY',
            LLL: 'MMMM D, YYYY HH:mm',
            LLLL: 'dddd, MMMM DD, YYYY HH:mm',
        },
        calendar: {
            sameDay: 'LT [ngayong araw]',
            nextDay: '[Bukas ng] LT',
            nextWeek: 'LT [sa susunod na] dddd',
            lastDay: 'LT [kahapon]',
            lastWeek: 'LT [noong nakaraang] dddd',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'sa loob ng %s',
            past: '%s ang nakalipas',
            s: 'ilang segundo',
            ss: '%d segundo',
            m: 'isang minuto',
            mm: '%d minuto',
            h: 'isang oras',
            hh: '%d oras',
            d: 'isang araw',
            dd: '%d araw',
            M: 'isang buwan',
            MM: '%d buwan',
            y: 'isang taon',
            yy: '%d taon',
        },
        dayOfMonthOrdinalParse: /\d{1,2}/,
        ordinal: function (number) {
            return number;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return tlPh;

})));


/***/ }),

/***/ "./node_modules/moment/locale/tlh.js":
/*!*******************************************!*\
  !*** ./node_modules/moment/locale/tlh.js ***!
  \*******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Klingon [tlh]
//! author : Dominika Kruk : https://github.com/amaranthrose

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var numbersNouns = 'pagh_waâ€™_chaâ€™_wej_loS_vagh_jav_Soch_chorgh_Hut'.split('_');

    function translateFuture(output) {
        var time = output;
        time =
            output.indexOf('jaj') !== -1
                ? time.slice(0, -3) + 'leS'
                : output.indexOf('jar') !== -1
                ? time.slice(0, -3) + 'waQ'
                : output.indexOf('DIS') !== -1
                ? time.slice(0, -3) + 'nem'
                : time + ' pIq';
        return time;
    }

    function translatePast(output) {
        var time = output;
        time =
            output.indexOf('jaj') !== -1
                ? time.slice(0, -3) + 'Huâ€™'
                : output.indexOf('jar') !== -1
                ? time.slice(0, -3) + 'wen'
                : output.indexOf('DIS') !== -1
                ? time.slice(0, -3) + 'ben'
                : time + ' ret';
        return time;
    }

    function translate(number, withoutSuffix, string, isFuture) {
        var numberNoun = numberAsNoun(number);
        switch (string) {
            case 'ss':
                return numberNoun + ' lup';
            case 'mm':
                return numberNoun + ' tup';
            case 'hh':
                return numberNoun + ' rep';
            case 'dd':
                return numberNoun + ' jaj';
            case 'MM':
                return numberNoun + ' jar';
            case 'yy':
                return numberNoun + ' DIS';
        }
    }

    function numberAsNoun(number) {
        var hundred = Math.floor((number % 1000) / 100),
            ten = Math.floor((number % 100) / 10),
            one = number % 10,
            word = '';
        if (hundred &gt; 0) {
            word += numbersNouns[hundred] + 'vatlh';
        }
        if (ten &gt; 0) {
            word += (word !== '' ? ' ' : '') + numbersNouns[ten] + 'maH';
        }
        if (one &gt; 0) {
            word += (word !== '' ? ' ' : '') + numbersNouns[one];
        }
        return word === '' ? 'pagh' : word;
    }

    var tlh = moment.defineLocale('tlh', {
        months: 'teraâ€™ jar waâ€™_teraâ€™ jar chaâ€™_teraâ€™ jar wej_teraâ€™ jar loS_teraâ€™ jar vagh_teraâ€™ jar jav_teraâ€™ jar Soch_teraâ€™ jar chorgh_teraâ€™ jar Hut_teraâ€™ jar waâ€™maH_teraâ€™ jar waâ€™maH waâ€™_teraâ€™ jar waâ€™maH chaâ€™'.split(
            '_'
        ),
        monthsShort:
            'jar waâ€™_jar chaâ€™_jar wej_jar loS_jar vagh_jar jav_jar Soch_jar chorgh_jar Hut_jar waâ€™maH_jar waâ€™maH waâ€™_jar waâ€™maH chaâ€™'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj'.split(
            '_'
        ),
        weekdaysShort:
            'lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj'.split('_'),
        weekdaysMin:
            'lojmItjaj_DaSjaj_povjaj_ghItlhjaj_loghjaj_buqjaj_ghInjaj'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[DaHjaj] LT',
            nextDay: '[waâ€™leS] LT',
            nextWeek: 'LLL',
            lastDay: '[waâ€™Huâ€™] LT',
            lastWeek: 'LLL',
            sameElse: 'L',
        },
        relativeTime: {
            future: translateFuture,
            past: translatePast,
            s: 'puS lup',
            ss: translate,
            m: 'waâ€™ tup',
            mm: translate,
            h: 'waâ€™ rep',
            hh: translate,
            d: 'waâ€™ jaj',
            dd: translate,
            M: 'waâ€™ jar',
            MM: translate,
            y: 'waâ€™ DIS',
            yy: translate,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return tlh;

})));


/***/ }),

/***/ "./node_modules/moment/locale/tr.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/tr.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Turkish [tr]
//! authors : Erhan Gundogan : https://github.com/erhangundogan,
//!           Burak YiÄŸit Kaya: https://github.com/BYK

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var suffixes = {
        1: "'inci",
        5: "'inci",
        8: "'inci",
        70: "'inci",
        80: "'inci",
        2: "'nci",
        7: "'nci",
        20: "'nci",
        50: "'nci",
        3: "'Ã¼ncÃ¼",
        4: "'Ã¼ncÃ¼",
        100: "'Ã¼ncÃ¼",
        6: "'ncÄ±",
        9: "'uncu",
        10: "'uncu",
        30: "'uncu",
        60: "'Ä±ncÄ±",
        90: "'Ä±ncÄ±",
    };

    var tr = moment.defineLocale('tr', {
        months: 'Ocak_Åžubat_Mart_Nisan_MayÄ±s_Haziran_Temmuz_AÄŸustos_EylÃ¼l_Ekim_KasÄ±m_AralÄ±k'.split(
            '_'
        ),
        monthsShort: 'Oca_Åžub_Mar_Nis_May_Haz_Tem_AÄŸu_Eyl_Eki_Kas_Ara'.split('_'),
        weekdays: 'Pazar_Pazartesi_SalÄ±_Ã‡arÅŸamba_PerÅŸembe_Cuma_Cumartesi'.split(
            '_'
        ),
        weekdaysShort: 'Paz_Pzt_Sal_Ã‡ar_Per_Cum_Cmt'.split('_'),
        weekdaysMin: 'Pz_Pt_Sa_Ã‡a_Pe_Cu_Ct'.split('_'),
        meridiem: function (hours, minutes, isLower) {
            if (hours &lt; 12) {
                return isLower ? 'Ã¶Ã¶' : 'Ã–Ã–';
            } else {
                return isLower ? 'Ã¶s' : 'Ã–S';
            }
        },
        meridiemParse: /Ã¶Ã¶|Ã–Ã–|Ã¶s|Ã–S/,
        isPM: function (input) {
            return input === 'Ã¶s' || input === 'Ã–S';
        },
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[bugÃ¼n saat] LT',
            nextDay: '[yarÄ±n saat] LT',
            nextWeek: '[gelecek] dddd [saat] LT',
            lastDay: '[dÃ¼n] LT',
            lastWeek: '[geÃ§en] dddd [saat] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s sonra',
            past: '%s Ã¶nce',
            s: 'birkaÃ§ saniye',
            ss: '%d saniye',
            m: 'bir dakika',
            mm: '%d dakika',
            h: 'bir saat',
            hh: '%d saat',
            d: 'bir gÃ¼n',
            dd: '%d gÃ¼n',
            w: 'bir hafta',
            ww: '%d hafta',
            M: 'bir ay',
            MM: '%d ay',
            y: 'bir yÄ±l',
            yy: '%d yÄ±l',
        },
        ordinal: function (number, period) {
            switch (period) {
                case 'd':
                case 'D':
                case 'Do':
                case 'DD':
                    return number;
                default:
                    if (number === 0) {
                        // special case for zero
                        return number + "'Ä±ncÄ±";
                    }
                    var a = number % 10,
                        b = (number % 100) - a,
                        c = number &gt;= 100 ? 100 : null;
                    return number + (suffixes[a] || suffixes[b] || suffixes[c]);
            }
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return tr;

})));


/***/ }),

/***/ "./node_modules/moment/locale/tzl.js":
/*!*******************************************!*\
  !*** ./node_modules/moment/locale/tzl.js ***!
  \*******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Talossan [tzl]
//! author : Robin van der Vliet : https://github.com/robin0van0der0v
//! author : IustÃ¬ Canun

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    // After the year there should be a slash and the amount of years since December 26, 1979 in Roman numerals.
    // This is currently too difficult (maybe even impossible) to add.
    var tzl = moment.defineLocale('tzl', {
        months: 'Januar_Fevraglh_MarÃ§_AvrÃ¯u_Mai_GÃ¼n_Julia_Guscht_Setemvar_ListopÃ¤ts_Noemvar_Zecemvar'.split(
            '_'
        ),
        monthsShort: 'Jan_Fev_Mar_Avr_Mai_GÃ¼n_Jul_Gus_Set_Lis_Noe_Zec'.split('_'),
        weekdays: 'SÃºladi_LÃºneÃ§i_Maitzi_MÃ¡rcuri_XhÃºadi_ViÃ©nerÃ§i_SÃ¡turi'.split('_'),
        weekdaysShort: 'SÃºl_LÃºn_Mai_MÃ¡r_XhÃº_ViÃ©_SÃ¡t'.split('_'),
        weekdaysMin: 'SÃº_LÃº_Ma_MÃ¡_Xh_Vi_SÃ¡'.split('_'),
        longDateFormat: {
            LT: 'HH.mm',
            LTS: 'HH.mm.ss',
            L: 'DD.MM.YYYY',
            LL: 'D. MMMM [dallas] YYYY',
            LLL: 'D. MMMM [dallas] YYYY HH.mm',
            LLLL: 'dddd, [li] D. MMMM [dallas] YYYY HH.mm',
        },
        meridiemParse: /d\'o|d\'a/i,
        isPM: function (input) {
            return "d'o" === input.toLowerCase();
        },
        meridiem: function (hours, minutes, isLower) {
            if (hours &gt; 11) {
                return isLower ? "d'o" : "D'O";
            } else {
                return isLower ? "d'a" : "D'A";
            }
        },
        calendar: {
            sameDay: '[oxhi Ã&nbsp;] LT',
            nextDay: '[demÃ&nbsp; Ã&nbsp;] LT',
            nextWeek: 'dddd [Ã&nbsp;] LT',
            lastDay: '[ieiri Ã&nbsp;] LT',
            lastWeek: '[sÃ¼r el] dddd [lasteu Ã&nbsp;] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'osprei %s',
            past: 'ja%s',
            s: processRelativeTime,
            ss: processRelativeTime,
            m: processRelativeTime,
            mm: processRelativeTime,
            h: processRelativeTime,
            hh: processRelativeTime,
            d: processRelativeTime,
            dd: processRelativeTime,
            M: processRelativeTime,
            MM: processRelativeTime,
            y: processRelativeTime,
            yy: processRelativeTime,
        },
        dayOfMonthOrdinalParse: /\d{1,2}\./,
        ordinal: '%d.',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    function processRelativeTime(number, withoutSuffix, key, isFuture) {
        var format = {
            s: ['viensas secunds', "'iensas secunds"],
            ss: [number + ' secunds', '' + number + ' secunds'],
            m: ["'n mÃ­ut", "'iens mÃ­ut"],
            mm: [number + ' mÃ­uts', '' + number + ' mÃ­uts'],
            h: ["'n Ã¾ora", "'iensa Ã¾ora"],
            hh: [number + ' Ã¾oras', '' + number + ' Ã¾oras'],
            d: ["'n ziua", "'iensa ziua"],
            dd: [number + ' ziuas', '' + number + ' ziuas'],
            M: ["'n mes", "'iens mes"],
            MM: [number + ' mesen', '' + number + ' mesen'],
            y: ["'n ar", "'iens ar"],
            yy: [number + ' ars', '' + number + ' ars'],
        };
        return isFuture
            ? format[key][0]
            : withoutSuffix
            ? format[key][0]
            : format[key][1];
    }

    return tzl;

})));


/***/ }),

/***/ "./node_modules/moment/locale/tzm-latn.js":
/*!************************************************!*\
  !*** ./node_modules/moment/locale/tzm-latn.js ***!
  \************************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Central Atlas Tamazight Latin [tzm-latn]
//! author : Abdel Said : https://github.com/abdelsaid

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var tzmLatn = moment.defineLocale('tzm-latn', {
        months: 'innayr_brË¤ayrË¤_marË¤sË¤_ibrir_mayyw_ywnyw_ywlywz_É£wÅ¡t_Å¡wtanbir_ktË¤wbrË¤_nwwanbir_dwjnbir'.split(
            '_'
        ),
        monthsShort:
            'innayr_brË¤ayrË¤_marË¤sË¤_ibrir_mayyw_ywnyw_ywlywz_É£wÅ¡t_Å¡wtanbir_ktË¤wbrË¤_nwwanbir_dwjnbir'.split(
                '_'
            ),
        weekdays: 'asamas_aynas_asinas_akras_akwas_asimwas_asiá¸yas'.split('_'),
        weekdaysShort: 'asamas_aynas_asinas_akras_akwas_asimwas_asiá¸yas'.split('_'),
        weekdaysMin: 'asamas_aynas_asinas_akras_akwas_asimwas_asiá¸yas'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[asdkh g] LT',
            nextDay: '[aska g] LT',
            nextWeek: 'dddd [g] LT',
            lastDay: '[assant g] LT',
            lastWeek: 'dddd [g] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'dadkh s yan %s',
            past: 'yan %s',
            s: 'imik',
            ss: '%d imik',
            m: 'minuá¸',
            mm: '%d minuá¸',
            h: 'saÉ›a',
            hh: '%d tassaÉ›in',
            d: 'ass',
            dd: '%d ossan',
            M: 'ayowr',
            MM: '%d iyyirn',
            y: 'asgas',
            yy: '%d isgasn',
        },
        week: {
            dow: 6, // Saturday is the first day of the week.
            doy: 12, // The week that contains Jan 12th is the first week of the year.
        },
    });

    return tzmLatn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/tzm.js":
/*!*******************************************!*\
  !*** ./node_modules/moment/locale/tzm.js ***!
  \*******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Central Atlas Tamazight [tzm]
//! author : Abdel Said : https://github.com/abdelsaid

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var tzm = moment.defineLocale('tzm', {
        months: 'âµ‰âµâµâ´°âµ¢âµ”_â´±âµ•â´°âµ¢âµ•_âµŽâ´°âµ•âµš_âµ‰â´±âµ”âµ‰âµ”_âµŽâ´°âµ¢âµ¢âµ“_âµ¢âµ“âµâµ¢âµ“_âµ¢âµ“âµâµ¢âµ“âµ£_âµ–âµ“âµ›âµœ_âµ›âµ“âµœâ´°âµâ´±âµ‰âµ”_â´½âµŸâµ“â´±âµ•_âµâµ“âµ¡â´°âµâ´±âµ‰âµ”_â´·âµ“âµŠâµâ´±âµ‰âµ”'.split(
            '_'
        ),
        monthsShort:
            'âµ‰âµâµâ´°âµ¢âµ”_â´±âµ•â´°âµ¢âµ•_âµŽâ´°âµ•âµš_âµ‰â´±âµ”âµ‰âµ”_âµŽâ´°âµ¢âµ¢âµ“_âµ¢âµ“âµâµ¢âµ“_âµ¢âµ“âµâµ¢âµ“âµ£_âµ–âµ“âµ›âµœ_âµ›âµ“âµœâ´°âµâ´±âµ‰âµ”_â´½âµŸâµ“â´±âµ•_âµâµ“âµ¡â´°âµâ´±âµ‰âµ”_â´·âµ“âµŠâµâ´±âµ‰âµ”'.split(
                '_'
            ),
        weekdays: 'â´°âµ™â´°âµŽâ´°âµ™_â´°âµ¢âµâ´°âµ™_â´°âµ™âµ‰âµâ´°âµ™_â´°â´½âµ”â´°âµ™_â´°â´½âµ¡â´°âµ™_â´°âµ™âµ‰âµŽâµ¡â´°âµ™_â´°âµ™âµ‰â´¹âµ¢â´°âµ™'.split('_'),
        weekdaysShort: 'â´°âµ™â´°âµŽâ´°âµ™_â´°âµ¢âµâ´°âµ™_â´°âµ™âµ‰âµâ´°âµ™_â´°â´½âµ”â´°âµ™_â´°â´½âµ¡â´°âµ™_â´°âµ™âµ‰âµŽâµ¡â´°âµ™_â´°âµ™âµ‰â´¹âµ¢â´°âµ™'.split('_'),
        weekdaysMin: 'â´°âµ™â´°âµŽâ´°âµ™_â´°âµ¢âµâ´°âµ™_â´°âµ™âµ‰âµâ´°âµ™_â´°â´½âµ”â´°âµ™_â´°â´½âµ¡â´°âµ™_â´°âµ™âµ‰âµŽâµ¡â´°âµ™_â´°âµ™âµ‰â´¹âµ¢â´°âµ™'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[â´°âµ™â´·âµ… â´´] LT',
            nextDay: '[â´°âµ™â´½â´° â´´] LT',
            nextWeek: 'dddd [â´´] LT',
            lastDay: '[â´°âµšâ´°âµâµœ â´´] LT',
            lastWeek: 'dddd [â´´] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'â´·â´°â´·âµ… âµ™ âµ¢â´°âµ %s',
            past: 'âµ¢â´°âµ %s',
            s: 'âµ‰âµŽâµ‰â´½',
            ss: '%d âµ‰âµŽâµ‰â´½',
            m: 'âµŽâµ‰âµâµ“â´º',
            mm: '%d âµŽâµ‰âµâµ“â´º',
            h: 'âµ™â´°âµ„â´°',
            hh: '%d âµœâ´°âµ™âµ™â´°âµ„âµ‰âµ',
            d: 'â´°âµ™âµ™',
            dd: '%d oâµ™âµ™â´°âµ',
            M: 'â´°âµ¢oâµ“âµ”',
            MM: '%d âµ‰âµ¢âµ¢âµ‰âµ”âµ',
            y: 'â´°âµ™â´³â´°âµ™',
            yy: '%d âµ‰âµ™â´³â´°âµ™âµ',
        },
        week: {
            dow: 6, // Saturday is the first day of the week.
            doy: 12, // The week that contains Jan 12th is the first week of the year.
        },
    });

    return tzm;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ug-cn.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/ug-cn.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Uyghur (China) [ug-cn]
//! author: boyaq : https://github.com/boyaq

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var ugCn = moment.defineLocale('ug-cn', {
        months: 'ÙŠØ§Ù†Û‹Ø§Ø±_ÙÛÛ‹Ø±Ø§Ù„_Ù…Ø§Ø±Øª_Ø¦Ø§Ù¾Ø±ÛÙ„_Ù…Ø§ÙŠ_Ø¦Ù‰ÙŠÛ‡Ù†_Ø¦Ù‰ÙŠÛ‡Ù„_Ø¦Ø§Û‹ØºÛ‡Ø³Øª_Ø³ÛÙ†ØªÛ•Ø¨Ù‰Ø±_Ø¦Û†ÙƒØªÛ•Ø¨Ù‰Ø±_Ù†ÙˆÙŠØ§Ø¨Ù‰Ø±_Ø¯ÛÙƒØ§Ø¨Ù‰Ø±'.split(
            '_'
        ),
        monthsShort:
            'ÙŠØ§Ù†Û‹Ø§Ø±_ÙÛÛ‹Ø±Ø§Ù„_Ù…Ø§Ø±Øª_Ø¦Ø§Ù¾Ø±ÛÙ„_Ù…Ø§ÙŠ_Ø¦Ù‰ÙŠÛ‡Ù†_Ø¦Ù‰ÙŠÛ‡Ù„_Ø¦Ø§Û‹ØºÛ‡Ø³Øª_Ø³ÛÙ†ØªÛ•Ø¨Ù‰Ø±_Ø¦Û†ÙƒØªÛ•Ø¨Ù‰Ø±_Ù†ÙˆÙŠØ§Ø¨Ù‰Ø±_Ø¯ÛÙƒØ§Ø¨Ù‰Ø±'.split(
                '_'
            ),
        weekdays: 'ÙŠÛ•ÙƒØ´Û•Ù†Ø¨Û•_Ø¯ÛˆØ´Û•Ù†Ø¨Û•_Ø³Û•ÙŠØ´Û•Ù†Ø¨Û•_Ú†Ø§Ø±Ø´Û•Ù†Ø¨Û•_Ù¾Û•ÙŠØ´Û•Ù†Ø¨Û•_Ø¬ÛˆÙ…Û•_Ø´Û•Ù†Ø¨Û•'.split(
            '_'
        ),
        weekdaysShort: 'ÙŠÛ•_Ø¯Ûˆ_Ø³Û•_Ú†Ø§_Ù¾Û•_Ø¬Ûˆ_Ø´Û•'.split('_'),
        weekdaysMin: 'ÙŠÛ•_Ø¯Ûˆ_Ø³Û•_Ú†Ø§_Ù¾Û•_Ø¬Ûˆ_Ø´Û•'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY-MM-DD',
            LL: 'YYYY-ÙŠÙ‰Ù„Ù‰M-Ø¦Ø§ÙŠÙ†Ù‰Ú­D-ÙƒÛˆÙ†Ù‰',
            LLL: 'YYYY-ÙŠÙ‰Ù„Ù‰M-Ø¦Ø§ÙŠÙ†Ù‰Ú­D-ÙƒÛˆÙ†Ù‰ØŒ HH:mm',
            LLLL: 'ddddØŒ YYYY-ÙŠÙ‰Ù„Ù‰M-Ø¦Ø§ÙŠÙ†Ù‰Ú­D-ÙƒÛˆÙ†Ù‰ØŒ HH:mm',
        },
        meridiemParse: /ÙŠÛØ±Ù‰Ù… ÙƒÛÚ†Û•|Ø³Û•Ú¾Û•Ø±|Ú†ÛˆØ´ØªÙ‰Ù† Ø¨Û‡Ø±Û‡Ù†|Ú†ÛˆØ´|Ú†ÛˆØ´ØªÙ‰Ù† ÙƒÛÙŠÙ‰Ù†|ÙƒÛ•Ú†/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (
                meridiem === 'ÙŠÛØ±Ù‰Ù… ÙƒÛÚ†Û•' ||
                meridiem === 'Ø³Û•Ú¾Û•Ø±' ||
                meridiem === 'Ú†ÛˆØ´ØªÙ‰Ù† Ø¨Û‡Ø±Û‡Ù†'
            ) {
                return hour;
            } else if (meridiem === 'Ú†ÛˆØ´ØªÙ‰Ù† ÙƒÛÙŠÙ‰Ù†' || meridiem === 'ÙƒÛ•Ú†') {
                return hour + 12;
            } else {
                return hour &gt;= 11 ? hour : hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            var hm = hour * 100 + minute;
            if (hm &lt; 600) {
                return 'ÙŠÛØ±Ù‰Ù… ÙƒÛÚ†Û•';
            } else if (hm &lt; 900) {
                return 'Ø³Û•Ú¾Û•Ø±';
            } else if (hm &lt; 1130) {
                return 'Ú†ÛˆØ´ØªÙ‰Ù† Ø¨Û‡Ø±Û‡Ù†';
            } else if (hm &lt; 1230) {
                return 'Ú†ÛˆØ´';
            } else if (hm &lt; 1800) {
                return 'Ú†ÛˆØ´ØªÙ‰Ù† ÙƒÛÙŠÙ‰Ù†';
            } else {
                return 'ÙƒÛ•Ú†';
            }
        },
        calendar: {
            sameDay: '[Ø¨ÛˆÚ¯ÛˆÙ† Ø³Ø§Ø¦Û•Øª] LT',
            nextDay: '[Ø¦Û•ØªÛ• Ø³Ø§Ø¦Û•Øª] LT',
            nextWeek: '[ÙƒÛÙ„Û•Ø±ÙƒÙ‰] dddd [Ø³Ø§Ø¦Û•Øª] LT',
            lastDay: '[ØªÛ†Ù†ÛˆÚ¯ÛˆÙ†] LT',
            lastWeek: '[Ø¦Ø§Ù„Ø¯Ù‰Ù†Ù‚Ù‰] dddd [Ø³Ø§Ø¦Û•Øª] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s ÙƒÛÙŠÙ‰Ù†',
            past: '%s Ø¨Û‡Ø±Û‡Ù†',
            s: 'Ù†Û•Ú†Ú†Û• Ø³ÛÙƒÙˆÙ†Øª',
            ss: '%d Ø³ÛÙƒÙˆÙ†Øª',
            m: 'Ø¨Ù‰Ø± Ù…Ù‰Ù†Û‡Øª',
            mm: '%d Ù…Ù‰Ù†Û‡Øª',
            h: 'Ø¨Ù‰Ø± Ø³Ø§Ø¦Û•Øª',
            hh: '%d Ø³Ø§Ø¦Û•Øª',
            d: 'Ø¨Ù‰Ø± ÙƒÛˆÙ†',
            dd: '%d ÙƒÛˆÙ†',
            M: 'Ø¨Ù‰Ø± Ø¦Ø§ÙŠ',
            MM: '%d Ø¦Ø§ÙŠ',
            y: 'Ø¨Ù‰Ø± ÙŠÙ‰Ù„',
            yy: '%d ÙŠÙ‰Ù„',
        },

        dayOfMonthOrdinalParse: /\d{1,2}(-ÙƒÛˆÙ†Ù‰|-Ø¦Ø§ÙŠ|-Ú¾Û•Ù¾ØªÛ•)/,
        ordinal: function (number, period) {
            switch (period) {
                case 'd':
                case 'D':
                case 'DDD':
                    return number + '-ÙƒÛˆÙ†Ù‰';
                case 'w':
                case 'W':
                    return number + '-Ú¾Û•Ù¾ØªÛ•';
                default:
                    return number;
            }
        },
        preparse: function (string) {
            return string.replace(/ØŒ/g, ',');
        },
        postformat: function (string) {
            return string.replace(/,/g, 'ØŒ');
        },
        week: {
            // GB/T 7408-1994ã€Šæ•°æ®å…ƒå’Œäº¤æ¢æ&nbsp;¼å¼Â·ä¿¡æ¯äº¤æ¢Â·æ—¥æœŸå’Œæ—¶é—´è¡¨ç¤ºæ³•ã€‹ä¸ŽISO 8601:1988ç­‰æ•ˆ
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 1st is the first week of the year.
        },
    });

    return ugCn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/uk.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/uk.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Ukrainian [uk]
//! author : zemlanin : https://github.com/zemlanin
//! Author : Menelion ElensÃºle : https://github.com/Oire

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    function plural(word, num) {
        var forms = word.split('_');
        return num % 10 === 1 &amp;&amp; num % 100 !== 11
            ? forms[0]
            : num % 10 &gt;= 2 &amp;&amp; num % 10 &lt;= 4 &amp;&amp; (num % 100 &lt; 10 || num % 100 &gt;= 20)
            ? forms[1]
            : forms[2];
    }
    function relativeTimeWithPlural(number, withoutSuffix, key) {
        var format = {
            ss: withoutSuffix ? 'ÑÐµÐºÑƒÐ½Ð´Ð°_ÑÐµÐºÑƒÐ½Ð´Ð¸_ÑÐµÐºÑƒÐ½Ð´' : 'ÑÐµÐºÑƒÐ½Ð´Ñƒ_ÑÐµÐºÑƒÐ½Ð´Ð¸_ÑÐµÐºÑƒÐ½Ð´',
            mm: withoutSuffix ? 'Ñ…Ð²Ð¸Ð»Ð¸Ð½Ð°_Ñ…Ð²Ð¸Ð»Ð¸Ð½Ð¸_Ñ…Ð²Ð¸Ð»Ð¸Ð½' : 'Ñ…Ð²Ð¸Ð»Ð¸Ð½Ñƒ_Ñ…Ð²Ð¸Ð»Ð¸Ð½Ð¸_Ñ…Ð²Ð¸Ð»Ð¸Ð½',
            hh: withoutSuffix ? 'Ð³Ð¾Ð´Ð¸Ð½Ð°_Ð³Ð¾Ð´Ð¸Ð½Ð¸_Ð³Ð¾Ð´Ð¸Ð½' : 'Ð³Ð¾Ð´Ð¸Ð½Ñƒ_Ð³Ð¾Ð´Ð¸Ð½Ð¸_Ð³Ð¾Ð´Ð¸Ð½',
            dd: 'Ð´ÐµÐ½ÑŒ_Ð´Ð½Ñ–_Ð´Ð½Ñ–Ð²',
            MM: 'Ð¼Ñ–ÑÑÑ†ÑŒ_Ð¼Ñ–ÑÑÑ†Ñ–_Ð¼Ñ–ÑÑÑ†Ñ–Ð²',
            yy: 'Ñ€Ñ–Ðº_Ñ€Ð¾ÐºÐ¸_Ñ€Ð¾ÐºÑ–Ð²',
        };
        if (key === 'm') {
            return withoutSuffix ? 'Ñ…Ð²Ð¸Ð»Ð¸Ð½Ð°' : 'Ñ…Ð²Ð¸Ð»Ð¸Ð½Ñƒ';
        } else if (key === 'h') {
            return withoutSuffix ? 'Ð³Ð¾Ð´Ð¸Ð½Ð°' : 'Ð³Ð¾Ð´Ð¸Ð½Ñƒ';
        } else {
            return number + ' ' + plural(format[key], +number);
        }
    }
    function weekdaysCaseReplace(m, format) {
        var weekdays = {
                nominative:
                    'Ð½ÐµÐ´Ñ–Ð»Ñ_Ð¿Ð¾Ð½ÐµÐ´Ñ–Ð»Ð¾Ðº_Ð²Ñ–Ð²Ñ‚Ð¾Ñ€Ð¾Ðº_ÑÐµÑ€ÐµÐ´Ð°_Ñ‡ÐµÑ‚Ð²ÐµÑ€_Ð¿â€™ÑÑ‚Ð½Ð¸Ñ†Ñ_ÑÑƒÐ±Ð¾Ñ‚Ð°'.split(
                        '_'
                    ),
                accusative:
                    'Ð½ÐµÐ´Ñ–Ð»ÑŽ_Ð¿Ð¾Ð½ÐµÐ´Ñ–Ð»Ð¾Ðº_Ð²Ñ–Ð²Ñ‚Ð¾Ñ€Ð¾Ðº_ÑÐµÑ€ÐµÐ´Ñƒ_Ñ‡ÐµÑ‚Ð²ÐµÑ€_Ð¿â€™ÑÑ‚Ð½Ð¸Ñ†ÑŽ_ÑÑƒÐ±Ð¾Ñ‚Ñƒ'.split(
                        '_'
                    ),
                genitive:
                    'Ð½ÐµÐ´Ñ–Ð»Ñ–_Ð¿Ð¾Ð½ÐµÐ´Ñ–Ð»ÐºÐ°_Ð²Ñ–Ð²Ñ‚Ð¾Ñ€ÐºÐ°_ÑÐµÑ€ÐµÐ´Ð¸_Ñ‡ÐµÑ‚Ð²ÐµÑ€Ð³Ð°_Ð¿â€™ÑÑ‚Ð½Ð¸Ñ†Ñ–_ÑÑƒÐ±Ð¾Ñ‚Ð¸'.split(
                        '_'
                    ),
            },
            nounCase;

        if (m === true) {
            return weekdays['nominative']
                .slice(1, 7)
                .concat(weekdays['nominative'].slice(0, 1));
        }
        if (!m) {
            return weekdays['nominative'];
        }

        nounCase = /(\[[Ð’Ð²Ð£Ñƒ]\]) ?dddd/.test(format)
            ? 'accusative'
            : /\[?(?:Ð¼Ð¸Ð½ÑƒÐ»Ð¾Ñ—|Ð½Ð°ÑÑ‚ÑƒÐ¿Ð½Ð¾Ñ—)? ?\] ?dddd/.test(format)
            ? 'genitive'
            : 'nominative';
        return weekdays[nounCase][m.day()];
    }
    function processHoursFunction(str) {
        return function () {
            return str + 'Ð¾' + (this.hours() === 11 ? 'Ð±' : '') + '] LT';
        };
    }

    var uk = moment.defineLocale('uk', {
        months: {
            format: 'ÑÑ–Ñ‡Ð½Ñ_Ð»ÑŽÑ‚Ð¾Ð³Ð¾_Ð±ÐµÑ€ÐµÐ·Ð½Ñ_ÐºÐ²Ñ–Ñ‚Ð½Ñ_Ñ‚Ñ€Ð°Ð²Ð½Ñ_Ñ‡ÐµÑ€Ð²Ð½Ñ_Ð»Ð¸Ð¿Ð½Ñ_ÑÐµÑ€Ð¿Ð½Ñ_Ð²ÐµÑ€ÐµÑÐ½Ñ_Ð¶Ð¾Ð²Ñ‚Ð½Ñ_Ð»Ð¸ÑÑ‚Ð¾Ð¿Ð°Ð´Ð°_Ð³Ñ€ÑƒÐ´Ð½Ñ'.split(
                '_'
            ),
            standalone:
                'ÑÑ–Ñ‡ÐµÐ½ÑŒ_Ð»ÑŽÑ‚Ð¸Ð¹_Ð±ÐµÑ€ÐµÐ·ÐµÐ½ÑŒ_ÐºÐ²Ñ–Ñ‚ÐµÐ½ÑŒ_Ñ‚Ñ€Ð°Ð²ÐµÐ½ÑŒ_Ñ‡ÐµÑ€Ð²ÐµÐ½ÑŒ_Ð»Ð¸Ð¿ÐµÐ½ÑŒ_ÑÐµÑ€Ð¿ÐµÐ½ÑŒ_Ð²ÐµÑ€ÐµÑÐµÐ½ÑŒ_Ð¶Ð¾Ð²Ñ‚ÐµÐ½ÑŒ_Ð»Ð¸ÑÑ‚Ð¾Ð¿Ð°Ð´_Ð³Ñ€ÑƒÐ´ÐµÐ½ÑŒ'.split(
                    '_'
                ),
        },
        monthsShort: 'ÑÑ–Ñ‡_Ð»ÑŽÑ‚_Ð±ÐµÑ€_ÐºÐ²Ñ–Ñ‚_Ñ‚Ñ€Ð°Ð²_Ñ‡ÐµÑ€Ð²_Ð»Ð¸Ð¿_ÑÐµÑ€Ð¿_Ð²ÐµÑ€_Ð¶Ð¾Ð²Ñ‚_Ð»Ð¸ÑÑ‚_Ð³Ñ€ÑƒÐ´'.split(
            '_'
        ),
        weekdays: weekdaysCaseReplace,
        weekdaysShort: 'Ð½Ð´_Ð¿Ð½_Ð²Ñ‚_ÑÑ€_Ñ‡Ñ‚_Ð¿Ñ‚_ÑÐ±'.split('_'),
        weekdaysMin: 'Ð½Ð´_Ð¿Ð½_Ð²Ñ‚_ÑÑ€_Ñ‡Ñ‚_Ð¿Ñ‚_ÑÐ±'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD.MM.YYYY',
            LL: 'D MMMM YYYY Ñ€.',
            LLL: 'D MMMM YYYY Ñ€., HH:mm',
            LLLL: 'dddd, D MMMM YYYY Ñ€., HH:mm',
        },
        calendar: {
            sameDay: processHoursFunction('[Ð¡ÑŒÐ¾Ð³Ð¾Ð´Ð½Ñ– '),
            nextDay: processHoursFunction('[Ð—Ð°Ð²Ñ‚Ñ€Ð° '),
            lastDay: processHoursFunction('[Ð’Ñ‡Ð¾Ñ€Ð° '),
            nextWeek: processHoursFunction('[Ð£] dddd ['),
            lastWeek: function () {
                switch (this.day()) {
                    case 0:
                    case 3:
                    case 5:
                    case 6:
                        return processHoursFunction('[ÐœÐ¸Ð½ÑƒÐ»Ð¾Ñ—] dddd [').call(this);
                    case 1:
                    case 2:
                    case 4:
                        return processHoursFunction('[ÐœÐ¸Ð½ÑƒÐ»Ð¾Ð³Ð¾] dddd [').call(this);
                }
            },
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ð·Ð° %s',
            past: '%s Ñ‚Ð¾Ð¼Ñƒ',
            s: 'Ð´ÐµÐºÑ–Ð»ÑŒÐºÐ° ÑÐµÐºÑƒÐ½Ð´',
            ss: relativeTimeWithPlural,
            m: relativeTimeWithPlural,
            mm: relativeTimeWithPlural,
            h: 'Ð³Ð¾Ð´Ð¸Ð½Ñƒ',
            hh: relativeTimeWithPlural,
            d: 'Ð´ÐµÐ½ÑŒ',
            dd: relativeTimeWithPlural,
            M: 'Ð¼Ñ–ÑÑÑ†ÑŒ',
            MM: relativeTimeWithPlural,
            y: 'Ñ€Ñ–Ðº',
            yy: relativeTimeWithPlural,
        },
        // M. E.: those two are virtually unused but a user might want to implement them for his/her website for some reason
        meridiemParse: /Ð½Ð¾Ñ‡Ñ–|Ñ€Ð°Ð½ÐºÑƒ|Ð´Ð½Ñ|Ð²ÐµÑ‡Ð¾Ñ€Ð°/,
        isPM: function (input) {
            return /^(Ð´Ð½Ñ|Ð²ÐµÑ‡Ð¾Ñ€Ð°)$/.test(input);
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 4) {
                return 'Ð½Ð¾Ñ‡Ñ–';
            } else if (hour &lt; 12) {
                return 'Ñ€Ð°Ð½ÐºÑƒ';
            } else if (hour &lt; 17) {
                return 'Ð´Ð½Ñ';
            } else {
                return 'Ð²ÐµÑ‡Ð¾Ñ€Ð°';
            }
        },
        dayOfMonthOrdinalParse: /\d{1,2}-(Ð¹|Ð³Ð¾)/,
        ordinal: function (number, period) {
            switch (period) {
                case 'M':
                case 'd':
                case 'DDD':
                case 'w':
                case 'W':
                    return number + '-Ð¹';
                case 'D':
                    return number + '-Ð³Ð¾';
                default:
                    return number;
            }
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return uk;

})));


/***/ }),

/***/ "./node_modules/moment/locale/ur.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/ur.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Urdu [ur]
//! author : Sawood Alam : https://github.com/ibnesayeed
//! author : Zack : https://github.com/ZackVision

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var months = [
            'Ø¬Ù†ÙˆØ±ÛŒ',
            'ÙØ±ÙˆØ±ÛŒ',
            'Ù…Ø§Ø±Ú†',
            'Ø§Ù¾Ø±ÛŒÙ„',
            'Ù…Ø¦ÛŒ',
            'Ø¬ÙˆÙ†',
            'Ø¬ÙˆÙ„Ø§Ø¦ÛŒ',
            'Ø§Ú¯Ø³Øª',
            'Ø³ØªÙ…Ø¨Ø±',
            'Ø§Ú©ØªÙˆØ¨Ø±',
            'Ù†ÙˆÙ…Ø¨Ø±',
            'Ø¯Ø³Ù…Ø¨Ø±',
        ],
        days = ['Ø§ØªÙˆØ§Ø±', 'Ù¾ÛŒØ±', 'Ù…Ù†Ú¯Ù„', 'Ø¨Ø¯Ú¾', 'Ø¬Ù…Ø¹Ø±Ø§Øª', 'Ø¬Ù…Ø¹Û', 'ÛÙØªÛ'];

    var ur = moment.defineLocale('ur', {
        months: months,
        monthsShort: months,
        weekdays: days,
        weekdaysShort: days,
        weekdaysMin: days,
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'ddddØŒ D MMMM YYYY HH:mm',
        },
        meridiemParse: /ØµØ¨Ø­|Ø´Ø§Ù…/,
        isPM: function (input) {
            return 'Ø´Ø§Ù…' === input;
        },
        meridiem: function (hour, minute, isLower) {
            if (hour &lt; 12) {
                return 'ØµØ¨Ø­';
            }
            return 'Ø´Ø§Ù…';
        },
        calendar: {
            sameDay: '[Ø¢Ø¬ Ø¨ÙˆÙ‚Øª] LT',
            nextDay: '[Ú©Ù„ Ø¨ÙˆÙ‚Øª] LT',
            nextWeek: 'dddd [Ø¨ÙˆÙ‚Øª] LT',
            lastDay: '[Ú¯Ø°Ø´ØªÛ Ø±ÙˆØ² Ø¨ÙˆÙ‚Øª] LT',
            lastWeek: '[Ú¯Ø°Ø´ØªÛ] dddd [Ø¨ÙˆÙ‚Øª] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s Ø¨Ø¹Ø¯',
            past: '%s Ù‚Ø¨Ù„',
            s: 'Ú†Ù†Ø¯ Ø³ÛŒÚ©Ù†Úˆ',
            ss: '%d Ø³ÛŒÚ©Ù†Úˆ',
            m: 'Ø§ÛŒÚ© Ù…Ù†Ù¹',
            mm: '%d Ù…Ù†Ù¹',
            h: 'Ø§ÛŒÚ© Ú¯Ú¾Ù†Ù¹Û',
            hh: '%d Ú¯Ú¾Ù†Ù¹Û’',
            d: 'Ø§ÛŒÚ© Ø¯Ù†',
            dd: '%d Ø¯Ù†',
            M: 'Ø§ÛŒÚ© Ù…Ø§Û',
            MM: '%d Ù…Ø§Û',
            y: 'Ø§ÛŒÚ© Ø³Ø§Ù„',
            yy: '%d Ø³Ø§Ù„',
        },
        preparse: function (string) {
            return string.replace(/ØŒ/g, ',');
        },
        postformat: function (string) {
            return string.replace(/,/g, 'ØŒ');
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return ur;

})));


/***/ }),

/***/ "./node_modules/moment/locale/uz-latn.js":
/*!***********************************************!*\
  !*** ./node_modules/moment/locale/uz-latn.js ***!
  \***********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Uzbek Latin [uz-latn]
//! author : Rasulbek Mirzayev : github.com/Rasulbeeek

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var uzLatn = moment.defineLocale('uz-latn', {
        months: 'Yanvar_Fevral_Mart_Aprel_May_Iyun_Iyul_Avgust_Sentabr_Oktabr_Noyabr_Dekabr'.split(
            '_'
        ),
        monthsShort: 'Yan_Fev_Mar_Apr_May_Iyun_Iyul_Avg_Sen_Okt_Noy_Dek'.split('_'),
        weekdays:
            'Yakshanba_Dushanba_Seshanba_Chorshanba_Payshanba_Juma_Shanba'.split(
                '_'
            ),
        weekdaysShort: 'Yak_Dush_Sesh_Chor_Pay_Jum_Shan'.split('_'),
        weekdaysMin: 'Ya_Du_Se_Cho_Pa_Ju_Sha'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'D MMMM YYYY, dddd HH:mm',
        },
        calendar: {
            sameDay: '[Bugun soat] LT [da]',
            nextDay: '[Ertaga] LT [da]',
            nextWeek: 'dddd [kuni soat] LT [da]',
            lastDay: '[Kecha soat] LT [da]',
            lastWeek: "[O'tgan] dddd [kuni soat] LT [da]",
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Yaqin %s ichida',
            past: 'Bir necha %s oldin',
            s: 'soniya',
            ss: '%d soniya',
            m: 'bir daqiqa',
            mm: '%d daqiqa',
            h: 'bir soat',
            hh: '%d soat',
            d: 'bir kun',
            dd: '%d kun',
            M: 'bir oy',
            MM: '%d oy',
            y: 'bir yil',
            yy: '%d yil',
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 7th is the first week of the year.
        },
    });

    return uzLatn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/uz.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/uz.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Uzbek [uz]
//! author : Sardor Muminov : https://github.com/muminoff

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var uz = moment.defineLocale('uz', {
        months: 'ÑÐ½Ð²Ð°Ñ€_Ñ„ÐµÐ²Ñ€Ð°Ð»_Ð¼Ð°Ñ€Ñ‚_Ð°Ð¿Ñ€ÐµÐ»_Ð¼Ð°Ð¹_Ð¸ÑŽÐ½_Ð¸ÑŽÐ»_Ð°Ð²Ð³ÑƒÑÑ‚_ÑÐµÐ½Ñ‚ÑÐ±Ñ€_Ð¾ÐºÑ‚ÑÐ±Ñ€_Ð½Ð¾ÑÐ±Ñ€_Ð´ÐµÐºÐ°Ð±Ñ€'.split(
            '_'
        ),
        monthsShort: 'ÑÐ½Ð²_Ñ„ÐµÐ²_Ð¼Ð°Ñ€_Ð°Ð¿Ñ€_Ð¼Ð°Ð¹_Ð¸ÑŽÐ½_Ð¸ÑŽÐ»_Ð°Ð²Ð³_ÑÐµÐ½_Ð¾ÐºÑ‚_Ð½Ð¾Ñ_Ð´ÐµÐº'.split('_'),
        weekdays: 'Ð¯ÐºÑˆÐ°Ð½Ð±Ð°_Ð”ÑƒÑˆÐ°Ð½Ð±Ð°_Ð¡ÐµÑˆÐ°Ð½Ð±Ð°_Ð§Ð¾Ñ€ÑˆÐ°Ð½Ð±Ð°_ÐŸÐ°Ð¹ÑˆÐ°Ð½Ð±Ð°_Ð–ÑƒÐ¼Ð°_Ð¨Ð°Ð½Ð±Ð°'.split('_'),
        weekdaysShort: 'Ð¯ÐºÑˆ_Ð”ÑƒÑˆ_Ð¡ÐµÑˆ_Ð§Ð¾Ñ€_ÐŸÐ°Ð¹_Ð–ÑƒÐ¼_Ð¨Ð°Ð½'.split('_'),
        weekdaysMin: 'Ð¯Ðº_Ð”Ñƒ_Ð¡Ðµ_Ð§Ð¾_ÐŸÐ°_Ð–Ñƒ_Ð¨Ð°'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'D MMMM YYYY, dddd HH:mm',
        },
        calendar: {
            sameDay: '[Ð‘ÑƒÐ³ÑƒÐ½ ÑÐ¾Ð°Ñ‚] LT [Ð´Ð°]',
            nextDay: '[Ð­Ñ€Ñ‚Ð°Ð³Ð°] LT [Ð´Ð°]',
            nextWeek: 'dddd [ÐºÑƒÐ½Ð¸ ÑÐ¾Ð°Ñ‚] LT [Ð´Ð°]',
            lastDay: '[ÐšÐµÑ‡Ð° ÑÐ¾Ð°Ñ‚] LT [Ð´Ð°]',
            lastWeek: '[Ð£Ñ‚Ð³Ð°Ð½] dddd [ÐºÑƒÐ½Ð¸ ÑÐ¾Ð°Ñ‚] LT [Ð´Ð°]',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ð¯ÐºÐ¸Ð½ %s Ð¸Ñ‡Ð¸Ð´Ð°',
            past: 'Ð‘Ð¸Ñ€ Ð½ÐµÑ‡Ð° %s Ð¾Ð»Ð´Ð¸Ð½',
            s: 'Ñ„ÑƒÑ€ÑÐ°Ñ‚',
            ss: '%d Ñ„ÑƒÑ€ÑÐ°Ñ‚',
            m: 'Ð±Ð¸Ñ€ Ð´Ð°ÐºÐ¸ÐºÐ°',
            mm: '%d Ð´Ð°ÐºÐ¸ÐºÐ°',
            h: 'Ð±Ð¸Ñ€ ÑÐ¾Ð°Ñ‚',
            hh: '%d ÑÐ¾Ð°Ñ‚',
            d: 'Ð±Ð¸Ñ€ ÐºÑƒÐ½',
            dd: '%d ÐºÑƒÐ½',
            M: 'Ð±Ð¸Ñ€ Ð¾Ð¹',
            MM: '%d Ð¾Ð¹',
            y: 'Ð±Ð¸Ñ€ Ð¹Ð¸Ð»',
            yy: '%d Ð¹Ð¸Ð»',
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 7, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return uz;

})));


/***/ }),

/***/ "./node_modules/moment/locale/vi.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/vi.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Vietnamese [vi]
//! author : Bang Nguyen : https://github.com/bangnk
//! author : Chien Kira : https://github.com/chienkira

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var vi = moment.defineLocale('vi', {
        months: 'thÃ¡ng 1_thÃ¡ng 2_thÃ¡ng 3_thÃ¡ng 4_thÃ¡ng 5_thÃ¡ng 6_thÃ¡ng 7_thÃ¡ng 8_thÃ¡ng 9_thÃ¡ng 10_thÃ¡ng 11_thÃ¡ng 12'.split(
            '_'
        ),
        monthsShort:
            'Thg 01_Thg 02_Thg 03_Thg 04_Thg 05_Thg 06_Thg 07_Thg 08_Thg 09_Thg 10_Thg 11_Thg 12'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays: 'chá»§ nháº­t_thá»© hai_thá»© ba_thá»© tÆ°_thá»© nÄƒm_thá»© sÃ¡u_thá»© báº£y'.split(
            '_'
        ),
        weekdaysShort: 'CN_T2_T3_T4_T5_T6_T7'.split('_'),
        weekdaysMin: 'CN_T2_T3_T4_T5_T6_T7'.split('_'),
        weekdaysParseExact: true,
        meridiemParse: /sa|ch/i,
        isPM: function (input) {
            return /^ch$/i.test(input);
        },
        meridiem: function (hours, minutes, isLower) {
            if (hours &lt; 12) {
                return isLower ? 'sa' : 'SA';
            } else {
                return isLower ? 'ch' : 'CH';
            }
        },
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM [nÄƒm] YYYY',
            LLL: 'D MMMM [nÄƒm] YYYY HH:mm',
            LLLL: 'dddd, D MMMM [nÄƒm] YYYY HH:mm',
            l: 'DD/M/YYYY',
            ll: 'D MMM YYYY',
            lll: 'D MMM YYYY HH:mm',
            llll: 'ddd, D MMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[HÃ´m nay lÃºc] LT',
            nextDay: '[NgÃ&nbsp;y mai lÃºc] LT',
            nextWeek: 'dddd [tuáº§n tá»›i lÃºc] LT',
            lastDay: '[HÃ´m qua lÃºc] LT',
            lastWeek: 'dddd [tuáº§n trÆ°á»›c lÃºc] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: '%s tá»›i',
            past: '%s trÆ°á»›c',
            s: 'vÃ&nbsp;i giÃ¢y',
            ss: '%d giÃ¢y',
            m: 'má»™t phÃºt',
            mm: '%d phÃºt',
            h: 'má»™t giá»',
            hh: '%d giá»',
            d: 'má»™t ngÃ&nbsp;y',
            dd: '%d ngÃ&nbsp;y',
            w: 'má»™t tuáº§n',
            ww: '%d tuáº§n',
            M: 'má»™t thÃ¡ng',
            MM: '%d thÃ¡ng',
            y: 'má»™t nÄƒm',
            yy: '%d nÄƒm',
        },
        dayOfMonthOrdinalParse: /\d{1,2}/,
        ordinal: function (number) {
            return number;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return vi;

})));


/***/ }),

/***/ "./node_modules/moment/locale/x-pseudo.js":
/*!************************************************!*\
  !*** ./node_modules/moment/locale/x-pseudo.js ***!
  \************************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Pseudo [x-pseudo]
//! author : Andrew Hood : https://github.com/andrewhood125

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var xPseudo = moment.defineLocale('x-pseudo', {
        months: 'J~Ã¡Ã±ÃºÃ¡~rÃ½_F~Ã©brÃº~Ã¡rÃ½_~MÃ¡rc~h_Ãp~rÃ­l_~MÃ¡Ã½_~JÃºÃ±Ã©~_JÃºl~Ã½_ÃÃº~gÃºst~_SÃ©p~tÃ©mb~Ã©r_Ã“~ctÃ³b~Ã©r_Ã‘~Ã³vÃ©m~bÃ©r_~DÃ©cÃ©~mbÃ©r'.split(
            '_'
        ),
        monthsShort:
            'J~Ã¡Ã±_~FÃ©b_~MÃ¡r_~Ãpr_~MÃ¡Ã½_~JÃºÃ±_~JÃºl_~ÃÃºg_~SÃ©p_~Ã“ct_~Ã‘Ã³v_~DÃ©c'.split(
                '_'
            ),
        monthsParseExact: true,
        weekdays:
            'S~ÃºÃ±dÃ¡~Ã½_MÃ³~Ã±dÃ¡Ã½~_TÃºÃ©~sdÃ¡Ã½~_WÃ©d~Ã±Ã©sd~Ã¡Ã½_T~hÃºrs~dÃ¡Ã½_~FrÃ­d~Ã¡Ã½_S~Ã¡tÃºr~dÃ¡Ã½'.split(
                '_'
            ),
        weekdaysShort: 'S~ÃºÃ±_~MÃ³Ã±_~TÃºÃ©_~WÃ©d_~ThÃº_~FrÃ­_~SÃ¡t'.split('_'),
        weekdaysMin: 'S~Ãº_MÃ³~_TÃº_~WÃ©_T~h_Fr~_SÃ¡'.split('_'),
        weekdaysParseExact: true,
        longDateFormat: {
            LT: 'HH:mm',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY HH:mm',
            LLLL: 'dddd, D MMMM YYYY HH:mm',
        },
        calendar: {
            sameDay: '[T~Ã³dÃ¡~Ã½ Ã¡t] LT',
            nextDay: '[T~Ã³mÃ³~rrÃ³~w Ã¡t] LT',
            nextWeek: 'dddd [Ã¡t] LT',
            lastDay: '[Ã~Ã©st~Ã©rdÃ¡~Ã½ Ã¡t] LT',
            lastWeek: '[L~Ã¡st] dddd [Ã¡t] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'Ã­~Ã± %s',
            past: '%s Ã¡~gÃ³',
            s: 'Ã¡ ~fÃ©w ~sÃ©cÃ³~Ã±ds',
            ss: '%d s~Ã©cÃ³Ã±~ds',
            m: 'Ã¡ ~mÃ­Ã±~ÃºtÃ©',
            mm: '%d m~Ã­Ã±Ãº~tÃ©s',
            h: 'Ã¡~Ã± hÃ³~Ãºr',
            hh: '%d h~Ã³Ãºrs',
            d: 'Ã¡ ~dÃ¡Ã½',
            dd: '%d d~Ã¡Ã½s',
            M: 'Ã¡ ~mÃ³Ã±~th',
            MM: '%d m~Ã³Ã±t~hs',
            y: 'Ã¡ ~Ã½Ã©Ã¡r',
            yy: '%d Ã½~Ã©Ã¡rs',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(th|st|nd|rd)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    ~~((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return xPseudo;

})));


/***/ }),

/***/ "./node_modules/moment/locale/yo.js":
/*!******************************************!*\
  !*** ./node_modules/moment/locale/yo.js ***!
  \******************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Yoruba Nigeria [yo]
//! author : Atolagbe Abisoye : https://github.com/andela-batolagbe

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var yo = moment.defineLocale('yo', {
        months: 'Sáº¹Ìráº¹Ì_EÌ€reÌ€leÌ€_áº¸ráº¹Ì€naÌ€_IÌ€gbeÌ_EÌ€bibi_OÌ€kuÌ€du_Agáº¹mo_OÌ€guÌn_Owewe_á»ŒÌ€waÌ€raÌ€_BeÌluÌ_á»ŒÌ€páº¹Ì€Ì€'.split(
            '_'
        ),
        monthsShort: 'Sáº¹Ìr_EÌ€rl_áº¸rn_IÌ€gb_EÌ€bi_OÌ€kuÌ€_Agáº¹_OÌ€guÌ_Owe_á»ŒÌ€waÌ€_BeÌl_á»ŒÌ€páº¹Ì€Ì€'.split('_'),
        weekdays: 'AÌ€iÌ€kuÌ_AjeÌ_IÌ€sáº¹Ìgun_á»Œjá»ÌruÌ_á»Œjá»Ìbá»_áº¸tiÌ€_AÌ€baÌmáº¹Ìta'.split('_'),
        weekdaysShort: 'AÌ€iÌ€k_AjeÌ_IÌ€sáº¹Ì_á»Œjr_á»Œjb_áº¸tiÌ€_AÌ€baÌ'.split('_'),
        weekdaysMin: 'AÌ€iÌ€_Aj_IÌ€s_á»Œr_á»Œb_áº¸t_AÌ€b'.split('_'),
        longDateFormat: {
            LT: 'h:mm A',
            LTS: 'h:mm:ss A',
            L: 'DD/MM/YYYY',
            LL: 'D MMMM YYYY',
            LLL: 'D MMMM YYYY h:mm A',
            LLLL: 'dddd, D MMMM YYYY h:mm A',
        },
        calendar: {
            sameDay: '[OÌ€niÌ€ ni] LT',
            nextDay: '[á»ŒÌ€la ni] LT',
            nextWeek: "dddd [á»Œsáº¹Ì€ toÌn'bá»] [ni] LT",
            lastDay: '[AÌ€na ni] LT',
            lastWeek: 'dddd [á»Œsáº¹Ì€ toÌlá»Ì] [ni] LT',
            sameElse: 'L',
        },
        relativeTime: {
            future: 'niÌ %s',
            past: '%s ká»jaÌ',
            s: 'iÌ€sáº¹juÌ aayaÌ die',
            ss: 'aayaÌ %d',
            m: 'iÌ€sáº¹juÌ kan',
            mm: 'iÌ€sáº¹juÌ %d',
            h: 'waÌkati kan',
            hh: 'waÌkati %d',
            d: 'á»já»Ì kan',
            dd: 'á»já»Ì %d',
            M: 'osuÌ€ kan',
            MM: 'osuÌ€ %d',
            y: 'á»duÌn kan',
            yy: 'á»duÌn %d',
        },
        dayOfMonthOrdinalParse: /á»já»Ì\s\d{1,2}/,
        ordinal: 'á»já»Ì %d',
        week: {
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return yo;

})));


/***/ }),

/***/ "./node_modules/moment/locale/zh-cn.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/zh-cn.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Chinese (China) [zh-cn]
//! author : suupic : https://github.com/suupic
//! author : Zeno Zeng : https://github.com/zenozeng
//! author : uu109 : https://github.com/uu109

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var zhCn = moment.defineLocale('zh-cn', {
        months: 'ä¸€æœˆ_äºŒæœˆ_ä¸‰æœˆ_å››æœˆ_äº”æœˆ_å…­æœˆ_ä¸ƒæœˆ_å…«æœˆ_ä¹æœˆ_åæœˆ_åä¸€æœˆ_åäºŒæœˆ'.split(
            '_'
        ),
        monthsShort: '1æœˆ_2æœˆ_3æœˆ_4æœˆ_5æœˆ_6æœˆ_7æœˆ_8æœˆ_9æœˆ_10æœˆ_11æœˆ_12æœˆ'.split(
            '_'
        ),
        weekdays: 'æ˜ŸæœŸæ—¥_æ˜ŸæœŸä¸€_æ˜ŸæœŸäºŒ_æ˜ŸæœŸä¸‰_æ˜ŸæœŸå››_æ˜ŸæœŸäº”_æ˜ŸæœŸå…­'.split('_'),
        weekdaysShort: 'å‘¨æ—¥_å‘¨ä¸€_å‘¨äºŒ_å‘¨ä¸‰_å‘¨å››_å‘¨äº”_å‘¨å…­'.split('_'),
        weekdaysMin: 'æ—¥_ä¸€_äºŒ_ä¸‰_å››_äº”_å…­'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY/MM/DD',
            LL: 'YYYYå¹´MæœˆDæ—¥',
            LLL: 'YYYYå¹´MæœˆDæ—¥Ahç‚¹mmåˆ†',
            LLLL: 'YYYYå¹´MæœˆDæ—¥ddddAhç‚¹mmåˆ†',
            l: 'YYYY/M/D',
            ll: 'YYYYå¹´MæœˆDæ—¥',
            lll: 'YYYYå¹´MæœˆDæ—¥ HH:mm',
            llll: 'YYYYå¹´MæœˆDæ—¥dddd HH:mm',
        },
        meridiemParse: /å‡Œæ™¨|æ—©ä¸Š|ä¸Šåˆ|ä¸­åˆ|ä¸‹åˆ|æ™šä¸Š/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'å‡Œæ™¨' || meridiem === 'æ—©ä¸Š' || meridiem === 'ä¸Šåˆ') {
                return hour;
            } else if (meridiem === 'ä¸‹åˆ' || meridiem === 'æ™šä¸Š') {
                return hour + 12;
            } else {
                // 'ä¸­åˆ'
                return hour &gt;= 11 ? hour : hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            var hm = hour * 100 + minute;
            if (hm &lt; 600) {
                return 'å‡Œæ™¨';
            } else if (hm &lt; 900) {
                return 'æ—©ä¸Š';
            } else if (hm &lt; 1130) {
                return 'ä¸Šåˆ';
            } else if (hm &lt; 1230) {
                return 'ä¸­åˆ';
            } else if (hm &lt; 1800) {
                return 'ä¸‹åˆ';
            } else {
                return 'æ™šä¸Š';
            }
        },
        calendar: {
            sameDay: '[ä»Šå¤©]LT',
            nextDay: '[æ˜Žå¤©]LT',
            nextWeek: function (now) {
                if (now.week() !== this.week()) {
                    return '[ä¸‹]dddLT';
                } else {
                    return '[æœ¬]dddLT';
                }
            },
            lastDay: '[æ˜¨å¤©]LT',
            lastWeek: function (now) {
                if (this.week() !== now.week()) {
                    return '[ä¸Š]dddLT';
                } else {
                    return '[æœ¬]dddLT';
                }
            },
            sameElse: 'L',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(æ—¥|æœˆ|å‘¨)/,
        ordinal: function (number, period) {
            switch (period) {
                case 'd':
                case 'D':
                case 'DDD':
                    return number + 'æ—¥';
                case 'M':
                    return number + 'æœˆ';
                case 'w':
                case 'W':
                    return number + 'å‘¨';
                default:
                    return number;
            }
        },
        relativeTime: {
            future: '%såŽ',
            past: '%så‰',
            s: 'å‡&nbsp;ç§’',
            ss: '%d ç§’',
            m: '1 åˆ†é’Ÿ',
            mm: '%d åˆ†é’Ÿ',
            h: '1 å°æ—¶',
            hh: '%d å°æ—¶',
            d: '1 å¤©',
            dd: '%d å¤©',
            w: '1 å‘¨',
            ww: '%d å‘¨',
            M: '1 ä¸ªæœˆ',
            MM: '%d ä¸ªæœˆ',
            y: '1 å¹´',
            yy: '%d å¹´',
        },
        week: {
            // GB/T 7408-1994ã€Šæ•°æ®å…ƒå’Œäº¤æ¢æ&nbsp;¼å¼Â·ä¿¡æ¯äº¤æ¢Â·æ—¥æœŸå’Œæ—¶é—´è¡¨ç¤ºæ³•ã€‹ä¸ŽISO 8601:1988ç­‰æ•ˆ
            dow: 1, // Monday is the first day of the week.
            doy: 4, // The week that contains Jan 4th is the first week of the year.
        },
    });

    return zhCn;

})));


/***/ }),

/***/ "./node_modules/moment/locale/zh-hk.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/zh-hk.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Chinese (Hong Kong) [zh-hk]
//! author : Ben : https://github.com/ben-lin
//! author : Chris Lam : https://github.com/hehachris
//! author : Konstantin : https://github.com/skfd
//! author : Anthony : https://github.com/anthonylau

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var zhHk = moment.defineLocale('zh-hk', {
        months: 'ä¸€æœˆ_äºŒæœˆ_ä¸‰æœˆ_å››æœˆ_äº”æœˆ_å…­æœˆ_ä¸ƒæœˆ_å…«æœˆ_ä¹æœˆ_åæœˆ_åä¸€æœˆ_åäºŒæœˆ'.split(
            '_'
        ),
        monthsShort: '1æœˆ_2æœˆ_3æœˆ_4æœˆ_5æœˆ_6æœˆ_7æœˆ_8æœˆ_9æœˆ_10æœˆ_11æœˆ_12æœˆ'.split(
            '_'
        ),
        weekdays: 'æ˜ŸæœŸæ—¥_æ˜ŸæœŸä¸€_æ˜ŸæœŸäºŒ_æ˜ŸæœŸä¸‰_æ˜ŸæœŸå››_æ˜ŸæœŸäº”_æ˜ŸæœŸå…­'.split('_'),
        weekdaysShort: 'é€±æ—¥_é€±ä¸€_é€±äºŒ_é€±ä¸‰_é€±å››_é€±äº”_é€±å…­'.split('_'),
        weekdaysMin: 'æ—¥_ä¸€_äºŒ_ä¸‰_å››_äº”_å…­'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY/MM/DD',
            LL: 'YYYYå¹´MæœˆDæ—¥',
            LLL: 'YYYYå¹´MæœˆDæ—¥ HH:mm',
            LLLL: 'YYYYå¹´MæœˆDæ—¥dddd HH:mm',
            l: 'YYYY/M/D',
            ll: 'YYYYå¹´MæœˆDæ—¥',
            lll: 'YYYYå¹´MæœˆDæ—¥ HH:mm',
            llll: 'YYYYå¹´MæœˆDæ—¥dddd HH:mm',
        },
        meridiemParse: /å‡Œæ™¨|æ—©ä¸Š|ä¸Šåˆ|ä¸­åˆ|ä¸‹åˆ|æ™šä¸Š/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'å‡Œæ™¨' || meridiem === 'æ—©ä¸Š' || meridiem === 'ä¸Šåˆ') {
                return hour;
            } else if (meridiem === 'ä¸­åˆ') {
                return hour &gt;= 11 ? hour : hour + 12;
            } else if (meridiem === 'ä¸‹åˆ' || meridiem === 'æ™šä¸Š') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            var hm = hour * 100 + minute;
            if (hm &lt; 600) {
                return 'å‡Œæ™¨';
            } else if (hm &lt; 900) {
                return 'æ—©ä¸Š';
            } else if (hm &lt; 1200) {
                return 'ä¸Šåˆ';
            } else if (hm === 1200) {
                return 'ä¸­åˆ';
            } else if (hm &lt; 1800) {
                return 'ä¸‹åˆ';
            } else {
                return 'æ™šä¸Š';
            }
        },
        calendar: {
            sameDay: '[ä»Šå¤©]LT',
            nextDay: '[æ˜Žå¤©]LT',
            nextWeek: '[ä¸‹]ddddLT',
            lastDay: '[æ˜¨å¤©]LT',
            lastWeek: '[ä¸Š]ddddLT',
            sameElse: 'L',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(æ—¥|æœˆ|é€±)/,
        ordinal: function (number, period) {
            switch (period) {
                case 'd':
                case 'D':
                case 'DDD':
                    return number + 'æ—¥';
                case 'M':
                    return number + 'æœˆ';
                case 'w':
                case 'W':
                    return number + 'é€±';
                default:
                    return number;
            }
        },
        relativeTime: {
            future: '%så¾Œ',
            past: '%så‰',
            s: 'å¹¾ç§’',
            ss: '%d ç§’',
            m: '1 åˆ†é˜',
            mm: '%d åˆ†é˜',
            h: '1 å°æ™‚',
            hh: '%d å°æ™‚',
            d: '1 å¤©',
            dd: '%d å¤©',
            M: '1 å€‹æœˆ',
            MM: '%d å€‹æœˆ',
            y: '1 å¹´',
            yy: '%d å¹´',
        },
    });

    return zhHk;

})));


/***/ }),

/***/ "./node_modules/moment/locale/zh-mo.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/zh-mo.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Chinese (Macau) [zh-mo]
//! author : Ben : https://github.com/ben-lin
//! author : Chris Lam : https://github.com/hehachris
//! author : Tan Yuanhong : https://github.com/le0tan

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var zhMo = moment.defineLocale('zh-mo', {
        months: 'ä¸€æœˆ_äºŒæœˆ_ä¸‰æœˆ_å››æœˆ_äº”æœˆ_å…­æœˆ_ä¸ƒæœˆ_å…«æœˆ_ä¹æœˆ_åæœˆ_åä¸€æœˆ_åäºŒæœˆ'.split(
            '_'
        ),
        monthsShort: '1æœˆ_2æœˆ_3æœˆ_4æœˆ_5æœˆ_6æœˆ_7æœˆ_8æœˆ_9æœˆ_10æœˆ_11æœˆ_12æœˆ'.split(
            '_'
        ),
        weekdays: 'æ˜ŸæœŸæ—¥_æ˜ŸæœŸä¸€_æ˜ŸæœŸäºŒ_æ˜ŸæœŸä¸‰_æ˜ŸæœŸå››_æ˜ŸæœŸäº”_æ˜ŸæœŸå…­'.split('_'),
        weekdaysShort: 'é€±æ—¥_é€±ä¸€_é€±äºŒ_é€±ä¸‰_é€±å››_é€±äº”_é€±å…­'.split('_'),
        weekdaysMin: 'æ—¥_ä¸€_äºŒ_ä¸‰_å››_äº”_å…­'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'DD/MM/YYYY',
            LL: 'YYYYå¹´MæœˆDæ—¥',
            LLL: 'YYYYå¹´MæœˆDæ—¥ HH:mm',
            LLLL: 'YYYYå¹´MæœˆDæ—¥dddd HH:mm',
            l: 'D/M/YYYY',
            ll: 'YYYYå¹´MæœˆDæ—¥',
            lll: 'YYYYå¹´MæœˆDæ—¥ HH:mm',
            llll: 'YYYYå¹´MæœˆDæ—¥dddd HH:mm',
        },
        meridiemParse: /å‡Œæ™¨|æ—©ä¸Š|ä¸Šåˆ|ä¸­åˆ|ä¸‹åˆ|æ™šä¸Š/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'å‡Œæ™¨' || meridiem === 'æ—©ä¸Š' || meridiem === 'ä¸Šåˆ') {
                return hour;
            } else if (meridiem === 'ä¸­åˆ') {
                return hour &gt;= 11 ? hour : hour + 12;
            } else if (meridiem === 'ä¸‹åˆ' || meridiem === 'æ™šä¸Š') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            var hm = hour * 100 + minute;
            if (hm &lt; 600) {
                return 'å‡Œæ™¨';
            } else if (hm &lt; 900) {
                return 'æ—©ä¸Š';
            } else if (hm &lt; 1130) {
                return 'ä¸Šåˆ';
            } else if (hm &lt; 1230) {
                return 'ä¸­åˆ';
            } else if (hm &lt; 1800) {
                return 'ä¸‹åˆ';
            } else {
                return 'æ™šä¸Š';
            }
        },
        calendar: {
            sameDay: '[ä»Šå¤©] LT',
            nextDay: '[æ˜Žå¤©] LT',
            nextWeek: '[ä¸‹]dddd LT',
            lastDay: '[æ˜¨å¤©] LT',
            lastWeek: '[ä¸Š]dddd LT',
            sameElse: 'L',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(æ—¥|æœˆ|é€±)/,
        ordinal: function (number, period) {
            switch (period) {
                case 'd':
                case 'D':
                case 'DDD':
                    return number + 'æ—¥';
                case 'M':
                    return number + 'æœˆ';
                case 'w':
                case 'W':
                    return number + 'é€±';
                default:
                    return number;
            }
        },
        relativeTime: {
            future: '%så…§',
            past: '%så‰',
            s: 'å¹¾ç§’',
            ss: '%d ç§’',
            m: '1 åˆ†é˜',
            mm: '%d åˆ†é˜',
            h: '1 å°æ™‚',
            hh: '%d å°æ™‚',
            d: '1 å¤©',
            dd: '%d å¤©',
            M: '1 å€‹æœˆ',
            MM: '%d å€‹æœˆ',
            y: '1 å¹´',
            yy: '%d å¹´',
        },
    });

    return zhMo;

})));


/***/ }),

/***/ "./node_modules/moment/locale/zh-tw.js":
/*!*********************************************!*\
  !*** ./node_modules/moment/locale/zh-tw.js ***!
  \*********************************************/
/***/ (function(__unused_webpack_module, __unused_webpack_exports, __webpack_require__) {

//! moment.js locale configuration
//! locale : Chinese (Taiwan) [zh-tw]
//! author : Ben : https://github.com/ben-lin
//! author : Chris Lam : https://github.com/hehachris

;(function (global, factory) {
    true ? factory(__webpack_require__(/*! ../moment */ "./node_modules/moment/moment.js")) :
   0
}(this, (function (moment) { 'use strict';

    //! moment.js locale configuration

    var zhTw = moment.defineLocale('zh-tw', {
        months: 'ä¸€æœˆ_äºŒæœˆ_ä¸‰æœˆ_å››æœˆ_äº”æœˆ_å…­æœˆ_ä¸ƒæœˆ_å…«æœˆ_ä¹æœˆ_åæœˆ_åä¸€æœˆ_åäºŒæœˆ'.split(
            '_'
        ),
        monthsShort: '1æœˆ_2æœˆ_3æœˆ_4æœˆ_5æœˆ_6æœˆ_7æœˆ_8æœˆ_9æœˆ_10æœˆ_11æœˆ_12æœˆ'.split(
            '_'
        ),
        weekdays: 'æ˜ŸæœŸæ—¥_æ˜ŸæœŸä¸€_æ˜ŸæœŸäºŒ_æ˜ŸæœŸä¸‰_æ˜ŸæœŸå››_æ˜ŸæœŸäº”_æ˜ŸæœŸå…­'.split('_'),
        weekdaysShort: 'é€±æ—¥_é€±ä¸€_é€±äºŒ_é€±ä¸‰_é€±å››_é€±äº”_é€±å…­'.split('_'),
        weekdaysMin: 'æ—¥_ä¸€_äºŒ_ä¸‰_å››_äº”_å…­'.split('_'),
        longDateFormat: {
            LT: 'HH:mm',
            LTS: 'HH:mm:ss',
            L: 'YYYY/MM/DD',
            LL: 'YYYYå¹´MæœˆDæ—¥',
            LLL: 'YYYYå¹´MæœˆDæ—¥ HH:mm',
            LLLL: 'YYYYå¹´MæœˆDæ—¥dddd HH:mm',
            l: 'YYYY/M/D',
            ll: 'YYYYå¹´MæœˆDæ—¥',
            lll: 'YYYYå¹´MæœˆDæ—¥ HH:mm',
            llll: 'YYYYå¹´MæœˆDæ—¥dddd HH:mm',
        },
        meridiemParse: /å‡Œæ™¨|æ—©ä¸Š|ä¸Šåˆ|ä¸­åˆ|ä¸‹åˆ|æ™šä¸Š/,
        meridiemHour: function (hour, meridiem) {
            if (hour === 12) {
                hour = 0;
            }
            if (meridiem === 'å‡Œæ™¨' || meridiem === 'æ—©ä¸Š' || meridiem === 'ä¸Šåˆ') {
                return hour;
            } else if (meridiem === 'ä¸­åˆ') {
                return hour &gt;= 11 ? hour : hour + 12;
            } else if (meridiem === 'ä¸‹åˆ' || meridiem === 'æ™šä¸Š') {
                return hour + 12;
            }
        },
        meridiem: function (hour, minute, isLower) {
            var hm = hour * 100 + minute;
            if (hm &lt; 600) {
                return 'å‡Œæ™¨';
            } else if (hm &lt; 900) {
                return 'æ—©ä¸Š';
            } else if (hm &lt; 1130) {
                return 'ä¸Šåˆ';
            } else if (hm &lt; 1230) {
                return 'ä¸­åˆ';
            } else if (hm &lt; 1800) {
                return 'ä¸‹åˆ';
            } else {
                return 'æ™šä¸Š';
            }
        },
        calendar: {
            sameDay: '[ä»Šå¤©] LT',
            nextDay: '[æ˜Žå¤©] LT',
            nextWeek: '[ä¸‹]dddd LT',
            lastDay: '[æ˜¨å¤©] LT',
            lastWeek: '[ä¸Š]dddd LT',
            sameElse: 'L',
        },
        dayOfMonthOrdinalParse: /\d{1,2}(æ—¥|æœˆ|é€±)/,
        ordinal: function (number, period) {
            switch (period) {
                case 'd':
                case 'D':
                case 'DDD':
                    return number + 'æ—¥';
                case 'M':
                    return number + 'æœˆ';
                case 'w':
                case 'W':
                    return number + 'é€±';
                default:
                    return number;
            }
        },
        relativeTime: {
            future: '%så¾Œ',
            past: '%så‰',
            s: 'å¹¾ç§’',
            ss: '%d ç§’',
            m: '1 åˆ†é˜',
            mm: '%d åˆ†é˜',
            h: '1 å°æ™‚',
            hh: '%d å°æ™‚',
            d: '1 å¤©',
            dd: '%d å¤©',
            M: '1 å€‹æœˆ',
            MM: '%d å€‹æœˆ',
            y: '1 å¹´',
            yy: '%d å¹´',
        },
    });

    return zhTw;

})));


/***/ }),

/***/ "./node_modules/moment/locale sync recursive ^\\.\\/.*$":
/*!***************************************************!*\
  !*** ./node_modules/moment/locale/ sync ^\.\/.*$ ***!
  \***************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

var map = {
	"./af": "./node_modules/moment/locale/af.js",
	"./af.js": "./node_modules/moment/locale/af.js",
	"./ar": "./node_modules/moment/locale/ar.js",
	"./ar-dz": "./node_modules/moment/locale/ar-dz.js",
	"./ar-dz.js": "./node_modules/moment/locale/ar-dz.js",
	"./ar-kw": "./node_modules/moment/locale/ar-kw.js",
	"./ar-kw.js": "./node_modules/moment/locale/ar-kw.js",
	"./ar-ly": "./node_modules/moment/locale/ar-ly.js",
	"./ar-ly.js": "./node_modules/moment/locale/ar-ly.js",
	"./ar-ma": "./node_modules/moment/locale/ar-ma.js",
	"./ar-ma.js": "./node_modules/moment/locale/ar-ma.js",
	"./ar-sa": "./node_modules/moment/locale/ar-sa.js",
	"./ar-sa.js": "./node_modules/moment/locale/ar-sa.js",
	"./ar-tn": "./node_modules/moment/locale/ar-tn.js",
	"./ar-tn.js": "./node_modules/moment/locale/ar-tn.js",
	"./ar.js": "./node_modules/moment/locale/ar.js",
	"./az": "./node_modules/moment/locale/az.js",
	"./az.js": "./node_modules/moment/locale/az.js",
	"./be": "./node_modules/moment/locale/be.js",
	"./be.js": "./node_modules/moment/locale/be.js",
	"./bg": "./node_modules/moment/locale/bg.js",
	"./bg.js": "./node_modules/moment/locale/bg.js",
	"./bm": "./node_modules/moment/locale/bm.js",
	"./bm.js": "./node_modules/moment/locale/bm.js",
	"./bn": "./node_modules/moment/locale/bn.js",
	"./bn-bd": "./node_modules/moment/locale/bn-bd.js",
	"./bn-bd.js": "./node_modules/moment/locale/bn-bd.js",
	"./bn.js": "./node_modules/moment/locale/bn.js",
	"./bo": "./node_modules/moment/locale/bo.js",
	"./bo.js": "./node_modules/moment/locale/bo.js",
	"./br": "./node_modules/moment/locale/br.js",
	"./br.js": "./node_modules/moment/locale/br.js",
	"./bs": "./node_modules/moment/locale/bs.js",
	"./bs.js": "./node_modules/moment/locale/bs.js",
	"./ca": "./node_modules/moment/locale/ca.js",
	"./ca.js": "./node_modules/moment/locale/ca.js",
	"./cs": "./node_modules/moment/locale/cs.js",
	"./cs.js": "./node_modules/moment/locale/cs.js",
	"./cv": "./node_modules/moment/locale/cv.js",
	"./cv.js": "./node_modules/moment/locale/cv.js",
	"./cy": "./node_modules/moment/locale/cy.js",
	"./cy.js": "./node_modules/moment/locale/cy.js",
	"./da": "./node_modules/moment/locale/da.js",
	"./da.js": "./node_modules/moment/locale/da.js",
	"./de": "./node_modules/moment/locale/de.js",
	"./de-at": "./node_modules/moment/locale/de-at.js",
	"./de-at.js": "./node_modules/moment/locale/de-at.js",
	"./de-ch": "./node_modules/moment/locale/de-ch.js",
	"./de-ch.js": "./node_modules/moment/locale/de-ch.js",
	"./de.js": "./node_modules/moment/locale/de.js",
	"./dv": "./node_modules/moment/locale/dv.js",
	"./dv.js": "./node_modules/moment/locale/dv.js",
	"./el": "./node_modules/moment/locale/el.js",
	"./el.js": "./node_modules/moment/locale/el.js",
	"./en-au": "./node_modules/moment/locale/en-au.js",
	"./en-au.js": "./node_modules/moment/locale/en-au.js",
	"./en-ca": "./node_modules/moment/locale/en-ca.js",
	"./en-ca.js": "./node_modules/moment/locale/en-ca.js",
	"./en-gb": "./node_modules/moment/locale/en-gb.js",
	"./en-gb.js": "./node_modules/moment/locale/en-gb.js",
	"./en-ie": "./node_modules/moment/locale/en-ie.js",
	"./en-ie.js": "./node_modules/moment/locale/en-ie.js",
	"./en-il": "./node_modules/moment/locale/en-il.js",
	"./en-il.js": "./node_modules/moment/locale/en-il.js",
	"./en-in": "./node_modules/moment/locale/en-in.js",
	"./en-in.js": "./node_modules/moment/locale/en-in.js",
	"./en-nz": "./node_modules/moment/locale/en-nz.js",
	"./en-nz.js": "./node_modules/moment/locale/en-nz.js",
	"./en-sg": "./node_modules/moment/locale/en-sg.js",
	"./en-sg.js": "./node_modules/moment/locale/en-sg.js",
	"./eo": "./node_modules/moment/locale/eo.js",
	"./eo.js": "./node_modules/moment/locale/eo.js",
	"./es": "./node_modules/moment/locale/es.js",
	"./es-do": "./node_modules/moment/locale/es-do.js",
	"./es-do.js": "./node_modules/moment/locale/es-do.js",
	"./es-mx": "./node_modules/moment/locale/es-mx.js",
	"./es-mx.js": "./node_modules/moment/locale/es-mx.js",
	"./es-us": "./node_modules/moment/locale/es-us.js",
	"./es-us.js": "./node_modules/moment/locale/es-us.js",
	"./es.js": "./node_modules/moment/locale/es.js",
	"./et": "./node_modules/moment/locale/et.js",
	"./et.js": "./node_modules/moment/locale/et.js",
	"./eu": "./node_modules/moment/locale/eu.js",
	"./eu.js": "./node_modules/moment/locale/eu.js",
	"./fa": "./node_modules/moment/locale/fa.js",
	"./fa.js": "./node_modules/moment/locale/fa.js",
	"./fi": "./node_modules/moment/locale/fi.js",
	"./fi.js": "./node_modules/moment/locale/fi.js",
	"./fil": "./node_modules/moment/locale/fil.js",
	"./fil.js": "./node_modules/moment/locale/fil.js",
	"./fo": "./node_modules/moment/locale/fo.js",
	"./fo.js": "./node_modules/moment/locale/fo.js",
	"./fr": "./node_modules/moment/locale/fr.js",
	"./fr-ca": "./node_modules/moment/locale/fr-ca.js",
	"./fr-ca.js": "./node_modules/moment/locale/fr-ca.js",
	"./fr-ch": "./node_modules/moment/locale/fr-ch.js",
	"./fr-ch.js": "./node_modules/moment/locale/fr-ch.js",
	"./fr.js": "./node_modules/moment/locale/fr.js",
	"./fy": "./node_modules/moment/locale/fy.js",
	"./fy.js": "./node_modules/moment/locale/fy.js",
	"./ga": "./node_modules/moment/locale/ga.js",
	"./ga.js": "./node_modules/moment/locale/ga.js",
	"./gd": "./node_modules/moment/locale/gd.js",
	"./gd.js": "./node_modules/moment/locale/gd.js",
	"./gl": "./node_modules/moment/locale/gl.js",
	"./gl.js": "./node_modules/moment/locale/gl.js",
	"./gom-deva": "./node_modules/moment/locale/gom-deva.js",
	"./gom-deva.js": "./node_modules/moment/locale/gom-deva.js",
	"./gom-latn": "./node_modules/moment/locale/gom-latn.js",
	"./gom-latn.js": "./node_modules/moment/locale/gom-latn.js",
	"./gu": "./node_modules/moment/locale/gu.js",
	"./gu.js": "./node_modules/moment/locale/gu.js",
	"./he": "./node_modules/moment/locale/he.js",
	"./he.js": "./node_modules/moment/locale/he.js",
	"./hi": "./node_modules/moment/locale/hi.js",
	"./hi.js": "./node_modules/moment/locale/hi.js",
	"./hr": "./node_modules/moment/locale/hr.js",
	"./hr.js": "./node_modules/moment/locale/hr.js",
	"./hu": "./node_modules/moment/locale/hu.js",
	"./hu.js": "./node_modules/moment/locale/hu.js",
	"./hy-am": "./node_modules/moment/locale/hy-am.js",
	"./hy-am.js": "./node_modules/moment/locale/hy-am.js",
	"./id": "./node_modules/moment/locale/id.js",
	"./id.js": "./node_modules/moment/locale/id.js",
	"./is": "./node_modules/moment/locale/is.js",
	"./is.js": "./node_modules/moment/locale/is.js",
	"./it": "./node_modules/moment/locale/it.js",
	"./it-ch": "./node_modules/moment/locale/it-ch.js",
	"./it-ch.js": "./node_modules/moment/locale/it-ch.js",
	"./it.js": "./node_modules/moment/locale/it.js",
	"./ja": "./node_modules/moment/locale/ja.js",
	"./ja.js": "./node_modules/moment/locale/ja.js",
	"./jv": "./node_modules/moment/locale/jv.js",
	"./jv.js": "./node_modules/moment/locale/jv.js",
	"./ka": "./node_modules/moment/locale/ka.js",
	"./ka.js": "./node_modules/moment/locale/ka.js",
	"./kk": "./node_modules/moment/locale/kk.js",
	"./kk.js": "./node_modules/moment/locale/kk.js",
	"./km": "./node_modules/moment/locale/km.js",
	"./km.js": "./node_modules/moment/locale/km.js",
	"./kn": "./node_modules/moment/locale/kn.js",
	"./kn.js": "./node_modules/moment/locale/kn.js",
	"./ko": "./node_modules/moment/locale/ko.js",
	"./ko.js": "./node_modules/moment/locale/ko.js",
	"./ku": "./node_modules/moment/locale/ku.js",
	"./ku.js": "./node_modules/moment/locale/ku.js",
	"./ky": "./node_modules/moment/locale/ky.js",
	"./ky.js": "./node_modules/moment/locale/ky.js",
	"./lb": "./node_modules/moment/locale/lb.js",
	"./lb.js": "./node_modules/moment/locale/lb.js",
	"./lo": "./node_modules/moment/locale/lo.js",
	"./lo.js": "./node_modules/moment/locale/lo.js",
	"./lt": "./node_modules/moment/locale/lt.js",
	"./lt.js": "./node_modules/moment/locale/lt.js",
	"./lv": "./node_modules/moment/locale/lv.js",
	"./lv.js": "./node_modules/moment/locale/lv.js",
	"./me": "./node_modules/moment/locale/me.js",
	"./me.js": "./node_modules/moment/locale/me.js",
	"./mi": "./node_modules/moment/locale/mi.js",
	"./mi.js": "./node_modules/moment/locale/mi.js",
	"./mk": "./node_modules/moment/locale/mk.js",
	"./mk.js": "./node_modules/moment/locale/mk.js",
	"./ml": "./node_modules/moment/locale/ml.js",
	"./ml.js": "./node_modules/moment/locale/ml.js",
	"./mn": "./node_modules/moment/locale/mn.js",
	"./mn.js": "./node_modules/moment/locale/mn.js",
	"./mr": "./node_modules/moment/locale/mr.js",
	"./mr.js": "./node_modules/moment/locale/mr.js",
	"./ms": "./node_modules/moment/locale/ms.js",
	"./ms-my": "./node_modules/moment/locale/ms-my.js",
	"./ms-my.js": "./node_modules/moment/locale/ms-my.js",
	"./ms.js": "./node_modules/moment/locale/ms.js",
	"./mt": "./node_modules/moment/locale/mt.js",
	"./mt.js": "./node_modules/moment/locale/mt.js",
	"./my": "./node_modules/moment/locale/my.js",
	"./my.js": "./node_modules/moment/locale/my.js",
	"./nb": "./node_modules/moment/locale/nb.js",
	"./nb.js": "./node_modules/moment/locale/nb.js",
	"./ne": "./node_modules/moment/locale/ne.js",
	"./ne.js": "./node_modules/moment/locale/ne.js",
	"./nl": "./node_modules/moment/locale/nl.js",
	"./nl-be": "./node_modules/moment/locale/nl-be.js",
	"./nl-be.js": "./node_modules/moment/locale/nl-be.js",
	"./nl.js": "./node_modules/moment/locale/nl.js",
	"./nn": "./node_modules/moment/locale/nn.js",
	"./nn.js": "./node_modules/moment/locale/nn.js",
	"./oc-lnc": "./node_modules/moment/locale/oc-lnc.js",
	"./oc-lnc.js": "./node_modules/moment/locale/oc-lnc.js",
	"./pa-in": "./node_modules/moment/locale/pa-in.js",
	"./pa-in.js": "./node_modules/moment/locale/pa-in.js",
	"./pl": "./node_modules/moment/locale/pl.js",
	"./pl.js": "./node_modules/moment/locale/pl.js",
	"./pt": "./node_modules/moment/locale/pt.js",
	"./pt-br": "./node_modules/moment/locale/pt-br.js",
	"./pt-br.js": "./node_modules/moment/locale/pt-br.js",
	"./pt.js": "./node_modules/moment/locale/pt.js",
	"./ro": "./node_modules/moment/locale/ro.js",
	"./ro.js": "./node_modules/moment/locale/ro.js",
	"./ru": "./node_modules/moment/locale/ru.js",
	"./ru.js": "./node_modules/moment/locale/ru.js",
	"./sd": "./node_modules/moment/locale/sd.js",
	"./sd.js": "./node_modules/moment/locale/sd.js",
	"./se": "./node_modules/moment/locale/se.js",
	"./se.js": "./node_modules/moment/locale/se.js",
	"./si": "./node_modules/moment/locale/si.js",
	"./si.js": "./node_modules/moment/locale/si.js",
	"./sk": "./node_modules/moment/locale/sk.js",
	"./sk.js": "./node_modules/moment/locale/sk.js",
	"./sl": "./node_modules/moment/locale/sl.js",
	"./sl.js": "./node_modules/moment/locale/sl.js",
	"./sq": "./node_modules/moment/locale/sq.js",
	"./sq.js": "./node_modules/moment/locale/sq.js",
	"./sr": "./node_modules/moment/locale/sr.js",
	"./sr-cyrl": "./node_modules/moment/locale/sr-cyrl.js",
	"./sr-cyrl.js": "./node_modules/moment/locale/sr-cyrl.js",
	"./sr.js": "./node_modules/moment/locale/sr.js",
	"./ss": "./node_modules/moment/locale/ss.js",
	"./ss.js": "./node_modules/moment/locale/ss.js",
	"./sv": "./node_modules/moment/locale/sv.js",
	"./sv.js": "./node_modules/moment/locale/sv.js",
	"./sw": "./node_modules/moment/locale/sw.js",
	"./sw.js": "./node_modules/moment/locale/sw.js",
	"./ta": "./node_modules/moment/locale/ta.js",
	"./ta.js": "./node_modules/moment/locale/ta.js",
	"./te": "./node_modules/moment/locale/te.js",
	"./te.js": "./node_modules/moment/locale/te.js",
	"./tet": "./node_modules/moment/locale/tet.js",
	"./tet.js": "./node_modules/moment/locale/tet.js",
	"./tg": "./node_modules/moment/locale/tg.js",
	"./tg.js": "./node_modules/moment/locale/tg.js",
	"./th": "./node_modules/moment/locale/th.js",
	"./th.js": "./node_modules/moment/locale/th.js",
	"./tk": "./node_modules/moment/locale/tk.js",
	"./tk.js": "./node_modules/moment/locale/tk.js",
	"./tl-ph": "./node_modules/moment/locale/tl-ph.js",
	"./tl-ph.js": "./node_modules/moment/locale/tl-ph.js",
	"./tlh": "./node_modules/moment/locale/tlh.js",
	"./tlh.js": "./node_modules/moment/locale/tlh.js",
	"./tr": "./node_modules/moment/locale/tr.js",
	"./tr.js": "./node_modules/moment/locale/tr.js",
	"./tzl": "./node_modules/moment/locale/tzl.js",
	"./tzl.js": "./node_modules/moment/locale/tzl.js",
	"./tzm": "./node_modules/moment/locale/tzm.js",
	"./tzm-latn": "./node_modules/moment/locale/tzm-latn.js",
	"./tzm-latn.js": "./node_modules/moment/locale/tzm-latn.js",
	"./tzm.js": "./node_modules/moment/locale/tzm.js",
	"./ug-cn": "./node_modules/moment/locale/ug-cn.js",
	"./ug-cn.js": "./node_modules/moment/locale/ug-cn.js",
	"./uk": "./node_modules/moment/locale/uk.js",
	"./uk.js": "./node_modules/moment/locale/uk.js",
	"./ur": "./node_modules/moment/locale/ur.js",
	"./ur.js": "./node_modules/moment/locale/ur.js",
	"./uz": "./node_modules/moment/locale/uz.js",
	"./uz-latn": "./node_modules/moment/locale/uz-latn.js",
	"./uz-latn.js": "./node_modules/moment/locale/uz-latn.js",
	"./uz.js": "./node_modules/moment/locale/uz.js",
	"./vi": "./node_modules/moment/locale/vi.js",
	"./vi.js": "./node_modules/moment/locale/vi.js",
	"./x-pseudo": "./node_modules/moment/locale/x-pseudo.js",
	"./x-pseudo.js": "./node_modules/moment/locale/x-pseudo.js",
	"./yo": "./node_modules/moment/locale/yo.js",
	"./yo.js": "./node_modules/moment/locale/yo.js",
	"./zh-cn": "./node_modules/moment/locale/zh-cn.js",
	"./zh-cn.js": "./node_modules/moment/locale/zh-cn.js",
	"./zh-hk": "./node_modules/moment/locale/zh-hk.js",
	"./zh-hk.js": "./node_modules/moment/locale/zh-hk.js",
	"./zh-mo": "./node_modules/moment/locale/zh-mo.js",
	"./zh-mo.js": "./node_modules/moment/locale/zh-mo.js",
	"./zh-tw": "./node_modules/moment/locale/zh-tw.js",
	"./zh-tw.js": "./node_modules/moment/locale/zh-tw.js"
};


function webpackContext(req) {
	var id = webpackContextResolve(req);
	return __webpack_require__(id);
}
function webpackContextResolve(req) {
	if(!__webpack_require__.o(map, req)) {
		var e = new Error("Cannot find module '" + req + "'");
		e.code = 'MODULE_NOT_FOUND';
		throw e;
	}
	return map[req];
}
webpackContext.keys = function webpackContextKeys() {
	return Object.keys(map);
};
webpackContext.resolve = webpackContextResolve;
module.exports = webpackContext;
webpackContext.id = "./node_modules/moment/locale sync recursive ^\\.\\/.*$";

/***/ }),

/***/ "./node_modules/moment/moment.js":
/*!***************************************!*\
  !*** ./node_modules/moment/moment.js ***!
  \***************************************/
/***/ (function(module, __unused_webpack_exports, __webpack_require__) {

/* module decorator */ module = __webpack_require__.nmd(module);
//! moment.js
//! version : 2.29.4
//! authors : Tim Wood, Iskren Chernev, Moment.js contributors
//! license : MIT
//! momentjs.com

;(function (global, factory) {
     true ? module.exports = factory() :
    0
}(this, (function () { 'use strict';

    var hookCallback;

    function hooks() {
        return hookCallback.apply(null, arguments);
    }

    // This is done to register the method called with moment()
    // without creating circular dependencies.
    function setHookCallback(callback) {
        hookCallback = callback;
    }

    function isArray(input) {
        return (
            input instanceof Array ||
            Object.prototype.toString.call(input) === '[object Array]'
        );
    }

    function isObject(input) {
        // IE8 will treat undefined and null as object if it wasn't for
        // input != null
        return (
            input != null &amp;&amp;
            Object.prototype.toString.call(input) === '[object Object]'
        );
    }

    function hasOwnProp(a, b) {
        return Object.prototype.hasOwnProperty.call(a, b);
    }

    function isObjectEmpty(obj) {
        if (Object.getOwnPropertyNames) {
            return Object.getOwnPropertyNames(obj).length === 0;
        } else {
            var k;
            for (k in obj) {
                if (hasOwnProp(obj, k)) {
                    return false;
                }
            }
            return true;
        }
    }

    function isUndefined(input) {
        return input === void 0;
    }

    function isNumber(input) {
        return (
            typeof input === 'number' ||
            Object.prototype.toString.call(input) === '[object Number]'
        );
    }

    function isDate(input) {
        return (
            input instanceof Date ||
            Object.prototype.toString.call(input) === '[object Date]'
        );
    }

    function map(arr, fn) {
        var res = [],
            i,
            arrLen = arr.length;
        for (i = 0; i &lt; arrLen; ++i) {
            res.push(fn(arr[i], i));
        }
        return res;
    }

    function extend(a, b) {
        for (var i in b) {
            if (hasOwnProp(b, i)) {
                a[i] = b[i];
            }
        }

        if (hasOwnProp(b, 'toString')) {
            a.toString = b.toString;
        }

        if (hasOwnProp(b, 'valueOf')) {
            a.valueOf = b.valueOf;
        }

        return a;
    }

    function createUTC(input, format, locale, strict) {
        return createLocalOrUTC(input, format, locale, strict, true).utc();
    }

    function defaultParsingFlags() {
        // We need to deep clone this object.
        return {
            empty: false,
            unusedTokens: [],
            unusedInput: [],
            overflow: -2,
            charsLeftOver: 0,
            nullInput: false,
            invalidEra: null,
            invalidMonth: null,
            invalidFormat: false,
            userInvalidated: false,
            iso: false,
            parsedDateParts: [],
            era: null,
            meridiem: null,
            rfc2822: false,
            weekdayMismatch: false,
        };
    }

    function getParsingFlags(m) {
        if (m._pf == null) {
            m._pf = defaultParsingFlags();
        }
        return m._pf;
    }

    var some;
    if (Array.prototype.some) {
        some = Array.prototype.some;
    } else {
        some = function (fun) {
            var t = Object(this),
                len = t.length &gt;&gt;&gt; 0,
                i;

            for (i = 0; i &lt; len; i++) {
                if (i in t &amp;&amp; fun.call(this, t[i], i, t)) {
                    return true;
                }
            }

            return false;
        };
    }

    function isValid(m) {
        if (m._isValid == null) {
            var flags = getParsingFlags(m),
                parsedParts = some.call(flags.parsedDateParts, function (i) {
                    return i != null;
                }),
                isNowValid =
                    !isNaN(m._d.getTime()) &amp;&amp;
                    flags.overflow &lt; 0 &amp;&amp;
                    !flags.empty &amp;&amp;
                    !flags.invalidEra &amp;&amp;
                    !flags.invalidMonth &amp;&amp;
                    !flags.invalidWeekday &amp;&amp;
                    !flags.weekdayMismatch &amp;&amp;
                    !flags.nullInput &amp;&amp;
                    !flags.invalidFormat &amp;&amp;
                    !flags.userInvalidated &amp;&amp;
                    (!flags.meridiem || (flags.meridiem &amp;&amp; parsedParts));

            if (m._strict) {
                isNowValid =
                    isNowValid &amp;&amp;
                    flags.charsLeftOver === 0 &amp;&amp;
                    flags.unusedTokens.length === 0 &amp;&amp;
                    flags.bigHour === undefined;
            }

            if (Object.isFrozen == null || !Object.isFrozen(m)) {
                m._isValid = isNowValid;
            } else {
                return isNowValid;
            }
        }
        return m._isValid;
    }

    function createInvalid(flags) {
        var m = createUTC(NaN);
        if (flags != null) {
            extend(getParsingFlags(m), flags);
        } else {
            getParsingFlags(m).userInvalidated = true;
        }

        return m;
    }

    // Plugins that add properties should also add the key here (null value),
    // so we can properly clone ourselves.
    var momentProperties = (hooks.momentProperties = []),
        updateInProgress = false;

    function copyConfig(to, from) {
        var i,
            prop,
            val,
            momentPropertiesLen = momentProperties.length;

        if (!isUndefined(from._isAMomentObject)) {
            to._isAMomentObject = from._isAMomentObject;
        }
        if (!isUndefined(from._i)) {
            to._i = from._i;
        }
        if (!isUndefined(from._f)) {
            to._f = from._f;
        }
        if (!isUndefined(from._l)) {
            to._l = from._l;
        }
        if (!isUndefined(from._strict)) {
            to._strict = from._strict;
        }
        if (!isUndefined(from._tzm)) {
            to._tzm = from._tzm;
        }
        if (!isUndefined(from._isUTC)) {
            to._isUTC = from._isUTC;
        }
        if (!isUndefined(from._offset)) {
            to._offset = from._offset;
        }
        if (!isUndefined(from._pf)) {
            to._pf = getParsingFlags(from);
        }
        if (!isUndefined(from._locale)) {
            to._locale = from._locale;
        }

        if (momentPropertiesLen &gt; 0) {
            for (i = 0; i &lt; momentPropertiesLen; i++) {
                prop = momentProperties[i];
                val = from[prop];
                if (!isUndefined(val)) {
                    to[prop] = val;
                }
            }
        }

        return to;
    }

    // Moment prototype object
    function Moment(config) {
        copyConfig(this, config);
        this._d = new Date(config._d != null ? config._d.getTime() : NaN);
        if (!this.isValid()) {
            this._d = new Date(NaN);
        }
        // Prevent infinite loop in case updateOffset creates new moment
        // objects.
        if (updateInProgress === false) {
            updateInProgress = true;
            hooks.updateOffset(this);
            updateInProgress = false;
        }
    }

    function isMoment(obj) {
        return (
            obj instanceof Moment || (obj != null &amp;&amp; obj._isAMomentObject != null)
        );
    }

    function warn(msg) {
        if (
            hooks.suppressDeprecationWarnings === false &amp;&amp;
            typeof console !== 'undefined' &amp;&amp;
            console.warn
        ) {
            console.warn('Deprecation warning: ' + msg);
        }
    }

    function deprecate(msg, fn) {
        var firstTime = true;

        return extend(function () {
            if (hooks.deprecationHandler != null) {
                hooks.deprecationHandler(null, msg);
            }
            if (firstTime) {
                var args = [],
                    arg,
                    i,
                    key,
                    argLen = arguments.length;
                for (i = 0; i &lt; argLen; i++) {
                    arg = '';
                    if (typeof arguments[i] === 'object') {
                        arg += '\n[' + i + '] ';
                        for (key in arguments[0]) {
                            if (hasOwnProp(arguments[0], key)) {
                                arg += key + ': ' + arguments[0][key] + ', ';
                            }
                        }
                        arg = arg.slice(0, -2); // Remove trailing comma and space
                    } else {
                        arg = arguments[i];
                    }
                    args.push(arg);
                }
                warn(
                    msg +
                        '\nArguments: ' +
                        Array.prototype.slice.call(args).join('') +
                        '\n' +
                        new Error().stack
                );
                firstTime = false;
            }
            return fn.apply(this, arguments);
        }, fn);
    }

    var deprecations = {};

    function deprecateSimple(name, msg) {
        if (hooks.deprecationHandler != null) {
            hooks.deprecationHandler(name, msg);
        }
        if (!deprecations[name]) {
            warn(msg);
            deprecations[name] = true;
        }
    }

    hooks.suppressDeprecationWarnings = false;
    hooks.deprecationHandler = null;

    function isFunction(input) {
        return (
            (typeof Function !== 'undefined' &amp;&amp; input instanceof Function) ||
            Object.prototype.toString.call(input) === '[object Function]'
        );
    }

    function set(config) {
        var prop, i;
        for (i in config) {
            if (hasOwnProp(config, i)) {
                prop = config[i];
                if (isFunction(prop)) {
                    this[i] = prop;
                } else {
                    this['_' + i] = prop;
                }
            }
        }
        this._config = config;
        // Lenient ordinal parsing accepts just a number in addition to
        // number + (possibly) stuff coming from _dayOfMonthOrdinalParse.
        // TODO: Remove "ordinalParse" fallback in next major release.
        this._dayOfMonthOrdinalParseLenient = new RegExp(
            (this._dayOfMonthOrdinalParse.source || this._ordinalParse.source) +
                '|' +
                /\d{1,2}/.source
        );
    }

    function mergeConfigs(parentConfig, childConfig) {
        var res = extend({}, parentConfig),
            prop;
        for (prop in childConfig) {
            if (hasOwnProp(childConfig, prop)) {
                if (isObject(parentConfig[prop]) &amp;&amp; isObject(childConfig[prop])) {
                    res[prop] = {};
                    extend(res[prop], parentConfig[prop]);
                    extend(res[prop], childConfig[prop]);
                } else if (childConfig[prop] != null) {
                    res[prop] = childConfig[prop];
                } else {
                    delete res[prop];
                }
            }
        }
        for (prop in parentConfig) {
            if (
                hasOwnProp(parentConfig, prop) &amp;&amp;
                !hasOwnProp(childConfig, prop) &amp;&amp;
                isObject(parentConfig[prop])
            ) {
                // make sure changes to properties don't modify parent config
                res[prop] = extend({}, res[prop]);
            }
        }
        return res;
    }

    function Locale(config) {
        if (config != null) {
            this.set(config);
        }
    }

    var keys;

    if (Object.keys) {
        keys = Object.keys;
    } else {
        keys = function (obj) {
            var i,
                res = [];
            for (i in obj) {
                if (hasOwnProp(obj, i)) {
                    res.push(i);
                }
            }
            return res;
        };
    }

    var defaultCalendar = {
        sameDay: '[Today at] LT',
        nextDay: '[Tomorrow at] LT',
        nextWeek: 'dddd [at] LT',
        lastDay: '[Yesterday at] LT',
        lastWeek: '[Last] dddd [at] LT',
        sameElse: 'L',
    };

    function calendar(key, mom, now) {
        var output = this._calendar[key] || this._calendar['sameElse'];
        return isFunction(output) ? output.call(mom, now) : output;
    }

    function zeroFill(number, targetLength, forceSign) {
        var absNumber = '' + Math.abs(number),
            zerosToFill = targetLength - absNumber.length,
            sign = number &gt;= 0;
        return (
            (sign ? (forceSign ? '+' : '') : '-') +
            Math.pow(10, Math.max(0, zerosToFill)).toString().substr(1) +
            absNumber
        );
    }

    var formattingTokens =
            /(\[[^\[]*\])|(\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|N{1,5}|YYYYYY|YYYYY|YYYY|YY|y{2,4}|yo?|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g,
        localFormattingTokens = /(\[[^\[]*\])|(\\)?(LTS|LT|LL?L?L?|l{1,4})/g,
        formatFunctions = {},
        formatTokenFunctions = {};

    // token:    'M'
    // padded:   ['MM', 2]
    // ordinal:  'Mo'
    // callback: function () { this.month() + 1 }
    function addFormatToken(token, padded, ordinal, callback) {
        var func = callback;
        if (typeof callback === 'string') {
            func = function () {
                return this[callback]();
            };
        }
        if (token) {
            formatTokenFunctions[token] = func;
        }
        if (padded) {
            formatTokenFunctions[padded[0]] = function () {
                return zeroFill(func.apply(this, arguments), padded[1], padded[2]);
            };
        }
        if (ordinal) {
            formatTokenFunctions[ordinal] = function () {
                return this.localeData().ordinal(
                    func.apply(this, arguments),
                    token
                );
            };
        }
    }

    function removeFormattingTokens(input) {
        if (input.match(/\[[\s\S]/)) {
            return input.replace(/^\[|\]$/g, '');
        }
        return input.replace(/\\/g, '');
    }

    function makeFormatFunction(format) {
        var array = format.match(formattingTokens),
            i,
            length;

        for (i = 0, length = array.length; i &lt; length; i++) {
            if (formatTokenFunctions[array[i]]) {
                array[i] = formatTokenFunctions[array[i]];
            } else {
                array[i] = removeFormattingTokens(array[i]);
            }
        }

        return function (mom) {
            var output = '',
                i;
            for (i = 0; i &lt; length; i++) {
                output += isFunction(array[i])
                    ? array[i].call(mom, format)
                    : array[i];
            }
            return output;
        };
    }

    // format date using native date object
    function formatMoment(m, format) {
        if (!m.isValid()) {
            return m.localeData().invalidDate();
        }

        format = expandFormat(format, m.localeData());
        formatFunctions[format] =
            formatFunctions[format] || makeFormatFunction(format);

        return formatFunctions[format](m);
    }

    function expandFormat(format, locale) {
        var i = 5;

        function replaceLongDateFormatTokens(input) {
            return locale.longDateFormat(input) || input;
        }

        localFormattingTokens.lastIndex = 0;
        while (i &gt;= 0 &amp;&amp; localFormattingTokens.test(format)) {
            format = format.replace(
                localFormattingTokens,
                replaceLongDateFormatTokens
            );
            localFormattingTokens.lastIndex = 0;
            i -= 1;
        }

        return format;
    }

    var defaultLongDateFormat = {
        LTS: 'h:mm:ss A',
        LT: 'h:mm A',
        L: 'MM/DD/YYYY',
        LL: 'MMMM D, YYYY',
        LLL: 'MMMM D, YYYY h:mm A',
        LLLL: 'dddd, MMMM D, YYYY h:mm A',
    };

    function longDateFormat(key) {
        var format = this._longDateFormat[key],
            formatUpper = this._longDateFormat[key.toUpperCase()];

        if (format || !formatUpper) {
            return format;
        }

        this._longDateFormat[key] = formatUpper
            .match(formattingTokens)
            .map(function (tok) {
                if (
                    tok === 'MMMM' ||
                    tok === 'MM' ||
                    tok === 'DD' ||
                    tok === 'dddd'
                ) {
                    return tok.slice(1);
                }
                return tok;
            })
            .join('');

        return this._longDateFormat[key];
    }

    var defaultInvalidDate = 'Invalid date';

    function invalidDate() {
        return this._invalidDate;
    }

    var defaultOrdinal = '%d',
        defaultDayOfMonthOrdinalParse = /\d{1,2}/;

    function ordinal(number) {
        return this._ordinal.replace('%d', number);
    }

    var defaultRelativeTime = {
        future: 'in %s',
        past: '%s ago',
        s: 'a few seconds',
        ss: '%d seconds',
        m: 'a minute',
        mm: '%d minutes',
        h: 'an hour',
        hh: '%d hours',
        d: 'a day',
        dd: '%d days',
        w: 'a week',
        ww: '%d weeks',
        M: 'a month',
        MM: '%d months',
        y: 'a year',
        yy: '%d years',
    };

    function relativeTime(number, withoutSuffix, string, isFuture) {
        var output = this._relativeTime[string];
        return isFunction(output)
            ? output(number, withoutSuffix, string, isFuture)
            : output.replace(/%d/i, number);
    }

    function pastFuture(diff, output) {
        var format = this._relativeTime[diff &gt; 0 ? 'future' : 'past'];
        return isFunction(format) ? format(output) : format.replace(/%s/i, output);
    }

    var aliases = {};

    function addUnitAlias(unit, shorthand) {
        var lowerCase = unit.toLowerCase();
        aliases[lowerCase] = aliases[lowerCase + 's'] = aliases[shorthand] = unit;
    }

    function normalizeUnits(units) {
        return typeof units === 'string'
            ? aliases[units] || aliases[units.toLowerCase()]
            : undefined;
    }

    function normalizeObjectUnits(inputObject) {
        var normalizedInput = {},
            normalizedProp,
            prop;

        for (prop in inputObject) {
            if (hasOwnProp(inputObject, prop)) {
                normalizedProp = normalizeUnits(prop);
                if (normalizedProp) {
                    normalizedInput[normalizedProp] = inputObject[prop];
                }
            }
        }

        return normalizedInput;
    }

    var priorities = {};

    function addUnitPriority(unit, priority) {
        priorities[unit] = priority;
    }

    function getPrioritizedUnits(unitsObj) {
        var units = [],
            u;
        for (u in unitsObj) {
            if (hasOwnProp(unitsObj, u)) {
                units.push({ unit: u, priority: priorities[u] });
            }
        }
        units.sort(function (a, b) {
            return a.priority - b.priority;
        });
        return units;
    }

    function isLeapYear(year) {
        return (year % 4 === 0 &amp;&amp; year % 100 !== 0) || year % 400 === 0;
    }

    function absFloor(number) {
        if (number &lt; 0) {
            // -0 -&gt; 0
            return Math.ceil(number) || 0;
        } else {
            return Math.floor(number);
        }
    }

    function toInt(argumentForCoercion) {
        var coercedNumber = +argumentForCoercion,
            value = 0;

        if (coercedNumber !== 0 &amp;&amp; isFinite(coercedNumber)) {
            value = absFloor(coercedNumber);
        }

        return value;
    }

    function makeGetSet(unit, keepTime) {
        return function (value) {
            if (value != null) {
                set$1(this, unit, value);
                hooks.updateOffset(this, keepTime);
                return this;
            } else {
                return get(this, unit);
            }
        };
    }

    function get(mom, unit) {
        return mom.isValid()
            ? mom._d['get' + (mom._isUTC ? 'UTC' : '') + unit]()
            : NaN;
    }

    function set$1(mom, unit, value) {
        if (mom.isValid() &amp;&amp; !isNaN(value)) {
            if (
                unit === 'FullYear' &amp;&amp;
                isLeapYear(mom.year()) &amp;&amp;
                mom.month() === 1 &amp;&amp;
                mom.date() === 29
            ) {
                value = toInt(value);
                mom._d['set' + (mom._isUTC ? 'UTC' : '') + unit](
                    value,
                    mom.month(),
                    daysInMonth(value, mom.month())
                );
            } else {
                mom._d['set' + (mom._isUTC ? 'UTC' : '') + unit](value);
            }
        }
    }

    // MOMENTS

    function stringGet(units) {
        units = normalizeUnits(units);
        if (isFunction(this[units])) {
            return this[units]();
        }
        return this;
    }

    function stringSet(units, value) {
        if (typeof units === 'object') {
            units = normalizeObjectUnits(units);
            var prioritized = getPrioritizedUnits(units),
                i,
                prioritizedLen = prioritized.length;
            for (i = 0; i &lt; prioritizedLen; i++) {
                this[prioritized[i].unit](units[prioritized[i].unit]);
            }
        } else {
            units = normalizeUnits(units);
            if (isFunction(this[units])) {
                return this[units](value);
            }
        }
        return this;
    }

    var match1 = /\d/, //       0 - 9
        match2 = /\d\d/, //      00 - 99
        match3 = /\d{3}/, //     000 - 999
        match4 = /\d{4}/, //    0000 - 9999
        match6 = /[+-]?\d{6}/, // -999999 - 999999
        match1to2 = /\d\d?/, //       0 - 99
        match3to4 = /\d\d\d\d?/, //     999 - 9999
        match5to6 = /\d\d\d\d\d\d?/, //   99999 - 999999
        match1to3 = /\d{1,3}/, //       0 - 999
        match1to4 = /\d{1,4}/, //       0 - 9999
        match1to6 = /[+-]?\d{1,6}/, // -999999 - 999999
        matchUnsigned = /\d+/, //       0 - inf
        matchSigned = /[+-]?\d+/, //    -inf - inf
        matchOffset = /Z|[+-]\d\d:?\d\d/gi, // +00:00 -00:00 +0000 -0000 or Z
        matchShortOffset = /Z|[+-]\d\d(?::?\d\d)?/gi, // +00 -00 +00:00 -00:00 +0000 -0000 or Z
        matchTimestamp = /[+-]?\d+(\.\d{1,3})?/, // 123456789 123456789.123
        // any word (or two) characters or numbers including two/three word month in arabic.
        // includes scottish gaelic two word and hyphenated months
        matchWord =
            /[0-9]{0,256}['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFF07\uFF10-\uFFEF]{1,256}|[\u0600-\u06FF\/]{1,256}(\s*?[\u0600-\u06FF]{1,256}){1,2}/i,
        regexes;

    regexes = {};

    function addRegexToken(token, regex, strictRegex) {
        regexes[token] = isFunction(regex)
            ? regex
            : function (isStrict, localeData) {
                  return isStrict &amp;&amp; strictRegex ? strictRegex : regex;
              };
    }

    function getParseRegexForToken(token, config) {
        if (!hasOwnProp(regexes, token)) {
            return new RegExp(unescapeFormat(token));
        }

        return regexes[token](config._strict, config._locale);
    }

    // Code from http://stackoverflow.com/questions/3561493/is-there-a-regexp-escape-function-in-javascript
    function unescapeFormat(s) {
        return regexEscape(
            s
                .replace('\\', '')
                .replace(
                    /\\(\[)|\\(\])|\[([^\]\[]*)\]|\\(.)/g,
                    function (matched, p1, p2, p3, p4) {
                        return p1 || p2 || p3 || p4;
                    }
                )
        );
    }

    function regexEscape(s) {
        return s.replace(/[-\/\\^$*+?.()|[\]{}]/g, '\\$&amp;');
    }

    var tokens = {};

    function addParseToken(token, callback) {
        var i,
            func = callback,
            tokenLen;
        if (typeof token === 'string') {
            token = [token];
        }
        if (isNumber(callback)) {
            func = function (input, array) {
                array[callback] = toInt(input);
            };
        }
        tokenLen = token.length;
        for (i = 0; i &lt; tokenLen; i++) {
            tokens[token[i]] = func;
        }
    }

    function addWeekParseToken(token, callback) {
        addParseToken(token, function (input, array, config, token) {
            config._w = config._w || {};
            callback(input, config._w, config, token);
        });
    }

    function addTimeToArrayFromToken(token, input, config) {
        if (input != null &amp;&amp; hasOwnProp(tokens, token)) {
            tokens[token](input, config._a, config, token);
        }
    }

    var YEAR = 0,
        MONTH = 1,
        DATE = 2,
        HOUR = 3,
        MINUTE = 4,
        SECOND = 5,
        MILLISECOND = 6,
        WEEK = 7,
        WEEKDAY = 8;

    function mod(n, x) {
        return ((n % x) + x) % x;
    }

    var indexOf;

    if (Array.prototype.indexOf) {
        indexOf = Array.prototype.indexOf;
    } else {
        indexOf = function (o) {
            // I know
            var i;
            for (i = 0; i &lt; this.length; ++i) {
                if (this[i] === o) {
                    return i;
                }
            }
            return -1;
        };
    }

    function daysInMonth(year, month) {
        if (isNaN(year) || isNaN(month)) {
            return NaN;
        }
        var modMonth = mod(month, 12);
        year += (month - modMonth) / 12;
        return modMonth === 1
            ? isLeapYear(year)
                ? 29
                : 28
            : 31 - ((modMonth % 7) % 2);
    }

    // FORMATTING

    addFormatToken('M', ['MM', 2], 'Mo', function () {
        return this.month() + 1;
    });

    addFormatToken('MMM', 0, 0, function (format) {
        return this.localeData().monthsShort(this, format);
    });

    addFormatToken('MMMM', 0, 0, function (format) {
        return this.localeData().months(this, format);
    });

    // ALIASES

    addUnitAlias('month', 'M');

    // PRIORITY

    addUnitPriority('month', 8);

    // PARSING

    addRegexToken('M', match1to2);
    addRegexToken('MM', match1to2, match2);
    addRegexToken('MMM', function (isStrict, locale) {
        return locale.monthsShortRegex(isStrict);
    });
    addRegexToken('MMMM', function (isStrict, locale) {
        return locale.monthsRegex(isStrict);
    });

    addParseToken(['M', 'MM'], function (input, array) {
        array[MONTH] = toInt(input) - 1;
    });

    addParseToken(['MMM', 'MMMM'], function (input, array, config, token) {
        var month = config._locale.monthsParse(input, token, config._strict);
        // if we didn't find a month name, mark the date as invalid.
        if (month != null) {
            array[MONTH] = month;
        } else {
            getParsingFlags(config).invalidMonth = input;
        }
    });

    // LOCALES

    var defaultLocaleMonths =
            'January_February_March_April_May_June_July_August_September_October_November_December'.split(
                '_'
            ),
        defaultLocaleMonthsShort =
            'Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec'.split('_'),
        MONTHS_IN_FORMAT = /D[oD]?(\[[^\[\]]*\]|\s)+MMMM?/,
        defaultMonthsShortRegex = matchWord,
        defaultMonthsRegex = matchWord;

    function localeMonths(m, format) {
        if (!m) {
            return isArray(this._months)
                ? this._months
                : this._months['standalone'];
        }
        return isArray(this._months)
            ? this._months[m.month()]
            : this._months[
                  (this._months.isFormat || MONTHS_IN_FORMAT).test(format)
                      ? 'format'
                      : 'standalone'
              ][m.month()];
    }

    function localeMonthsShort(m, format) {
        if (!m) {
            return isArray(this._monthsShort)
                ? this._monthsShort
                : this._monthsShort['standalone'];
        }
        return isArray(this._monthsShort)
            ? this._monthsShort[m.month()]
            : this._monthsShort[
                  MONTHS_IN_FORMAT.test(format) ? 'format' : 'standalone'
              ][m.month()];
    }

    function handleStrictParse(monthName, format, strict) {
        var i,
            ii,
            mom,
            llc = monthName.toLocaleLowerCase();
        if (!this._monthsParse) {
            // this is not used
            this._monthsParse = [];
            this._longMonthsParse = [];
            this._shortMonthsParse = [];
            for (i = 0; i &lt; 12; ++i) {
                mom = createUTC([2000, i]);
                this._shortMonthsParse[i] = this.monthsShort(
                    mom,
                    ''
                ).toLocaleLowerCase();
                this._longMonthsParse[i] = this.months(mom, '').toLocaleLowerCase();
            }
        }

        if (strict) {
            if (format === 'MMM') {
                ii = indexOf.call(this._shortMonthsParse, llc);
                return ii !== -1 ? ii : null;
            } else {
                ii = indexOf.call(this._longMonthsParse, llc);
                return ii !== -1 ? ii : null;
            }
        } else {
            if (format === 'MMM') {
                ii = indexOf.call(this._shortMonthsParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._longMonthsParse, llc);
                return ii !== -1 ? ii : null;
            } else {
                ii = indexOf.call(this._longMonthsParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._shortMonthsParse, llc);
                return ii !== -1 ? ii : null;
            }
        }
    }

    function localeMonthsParse(monthName, format, strict) {
        var i, mom, regex;

        if (this._monthsParseExact) {
            return handleStrictParse.call(this, monthName, format, strict);
        }

        if (!this._monthsParse) {
            this._monthsParse = [];
            this._longMonthsParse = [];
            this._shortMonthsParse = [];
        }

        // TODO: add sorting
        // Sorting makes sure if one month (or abbr) is a prefix of another
        // see sorting in computeMonthsParse
        for (i = 0; i &lt; 12; i++) {
            // make the regex if we don't have it already
            mom = createUTC([2000, i]);
            if (strict &amp;&amp; !this._longMonthsParse[i]) {
                this._longMonthsParse[i] = new RegExp(
                    '^' + this.months(mom, '').replace('.', '') + '$',
                    'i'
                );
                this._shortMonthsParse[i] = new RegExp(
                    '^' + this.monthsShort(mom, '').replace('.', '') + '$',
                    'i'
                );
            }
            if (!strict &amp;&amp; !this._monthsParse[i]) {
                regex =
                    '^' + this.months(mom, '') + '|^' + this.monthsShort(mom, '');
                this._monthsParse[i] = new RegExp(regex.replace('.', ''), 'i');
            }
            // test the regex
            if (
                strict &amp;&amp;
                format === 'MMMM' &amp;&amp;
                this._longMonthsParse[i].test(monthName)
            ) {
                return i;
            } else if (
                strict &amp;&amp;
                format === 'MMM' &amp;&amp;
                this._shortMonthsParse[i].test(monthName)
            ) {
                return i;
            } else if (!strict &amp;&amp; this._monthsParse[i].test(monthName)) {
                return i;
            }
        }
    }

    // MOMENTS

    function setMonth(mom, value) {
        var dayOfMonth;

        if (!mom.isValid()) {
            // No op
            return mom;
        }

        if (typeof value === 'string') {
            if (/^\d+$/.test(value)) {
                value = toInt(value);
            } else {
                value = mom.localeData().monthsParse(value);
                // TODO: Another silent failure?
                if (!isNumber(value)) {
                    return mom;
                }
            }
        }

        dayOfMonth = Math.min(mom.date(), daysInMonth(mom.year(), value));
        mom._d['set' + (mom._isUTC ? 'UTC' : '') + 'Month'](value, dayOfMonth);
        return mom;
    }

    function getSetMonth(value) {
        if (value != null) {
            setMonth(this, value);
            hooks.updateOffset(this, true);
            return this;
        } else {
            return get(this, 'Month');
        }
    }

    function getDaysInMonth() {
        return daysInMonth(this.year(), this.month());
    }

    function monthsShortRegex(isStrict) {
        if (this._monthsParseExact) {
            if (!hasOwnProp(this, '_monthsRegex')) {
                computeMonthsParse.call(this);
            }
            if (isStrict) {
                return this._monthsShortStrictRegex;
            } else {
                return this._monthsShortRegex;
            }
        } else {
            if (!hasOwnProp(this, '_monthsShortRegex')) {
                this._monthsShortRegex = defaultMonthsShortRegex;
            }
            return this._monthsShortStrictRegex &amp;&amp; isStrict
                ? this._monthsShortStrictRegex
                : this._monthsShortRegex;
        }
    }

    function monthsRegex(isStrict) {
        if (this._monthsParseExact) {
            if (!hasOwnProp(this, '_monthsRegex')) {
                computeMonthsParse.call(this);
            }
            if (isStrict) {
                return this._monthsStrictRegex;
            } else {
                return this._monthsRegex;
            }
        } else {
            if (!hasOwnProp(this, '_monthsRegex')) {
                this._monthsRegex = defaultMonthsRegex;
            }
            return this._monthsStrictRegex &amp;&amp; isStrict
                ? this._monthsStrictRegex
                : this._monthsRegex;
        }
    }

    function computeMonthsParse() {
        function cmpLenRev(a, b) {
            return b.length - a.length;
        }

        var shortPieces = [],
            longPieces = [],
            mixedPieces = [],
            i,
            mom;
        for (i = 0; i &lt; 12; i++) {
            // make the regex if we don't have it already
            mom = createUTC([2000, i]);
            shortPieces.push(this.monthsShort(mom, ''));
            longPieces.push(this.months(mom, ''));
            mixedPieces.push(this.months(mom, ''));
            mixedPieces.push(this.monthsShort(mom, ''));
        }
        // Sorting makes sure if one month (or abbr) is a prefix of another it
        // will match the longer piece.
        shortPieces.sort(cmpLenRev);
        longPieces.sort(cmpLenRev);
        mixedPieces.sort(cmpLenRev);
        for (i = 0; i &lt; 12; i++) {
            shortPieces[i] = regexEscape(shortPieces[i]);
            longPieces[i] = regexEscape(longPieces[i]);
        }
        for (i = 0; i &lt; 24; i++) {
            mixedPieces[i] = regexEscape(mixedPieces[i]);
        }

        this._monthsRegex = new RegExp('^(' + mixedPieces.join('|') + ')', 'i');
        this._monthsShortRegex = this._monthsRegex;
        this._monthsStrictRegex = new RegExp(
            '^(' + longPieces.join('|') + ')',
            'i'
        );
        this._monthsShortStrictRegex = new RegExp(
            '^(' + shortPieces.join('|') + ')',
            'i'
        );
    }

    // FORMATTING

    addFormatToken('Y', 0, 0, function () {
        var y = this.year();
        return y &lt;= 9999 ? zeroFill(y, 4) : '+' + y;
    });

    addFormatToken(0, ['YY', 2], 0, function () {
        return this.year() % 100;
    });

    addFormatToken(0, ['YYYY', 4], 0, 'year');
    addFormatToken(0, ['YYYYY', 5], 0, 'year');
    addFormatToken(0, ['YYYYYY', 6, true], 0, 'year');

    // ALIASES

    addUnitAlias('year', 'y');

    // PRIORITIES

    addUnitPriority('year', 1);

    // PARSING

    addRegexToken('Y', matchSigned);
    addRegexToken('YY', match1to2, match2);
    addRegexToken('YYYY', match1to4, match4);
    addRegexToken('YYYYY', match1to6, match6);
    addRegexToken('YYYYYY', match1to6, match6);

    addParseToken(['YYYYY', 'YYYYYY'], YEAR);
    addParseToken('YYYY', function (input, array) {
        array[YEAR] =
            input.length === 2 ? hooks.parseTwoDigitYear(input) : toInt(input);
    });
    addParseToken('YY', function (input, array) {
        array[YEAR] = hooks.parseTwoDigitYear(input);
    });
    addParseToken('Y', function (input, array) {
        array[YEAR] = parseInt(input, 10);
    });

    // HELPERS

    function daysInYear(year) {
        return isLeapYear(year) ? 366 : 365;
    }

    // HOOKS

    hooks.parseTwoDigitYear = function (input) {
        return toInt(input) + (toInt(input) &gt; 68 ? 1900 : 2000);
    };

    // MOMENTS

    var getSetYear = makeGetSet('FullYear', true);

    function getIsLeapYear() {
        return isLeapYear(this.year());
    }

    function createDate(y, m, d, h, M, s, ms) {
        // can't just apply() to create a date:
        // https://stackoverflow.com/q/181348
        var date;
        // the date constructor remaps years 0-99 to 1900-1999
        if (y &lt; 100 &amp;&amp; y &gt;= 0) {
            // preserve leap years using a full 400 year cycle, then reset
            date = new Date(y + 400, m, d, h, M, s, ms);
            if (isFinite(date.getFullYear())) {
                date.setFullYear(y);
            }
        } else {
            date = new Date(y, m, d, h, M, s, ms);
        }

        return date;
    }

    function createUTCDate(y) {
        var date, args;
        // the Date.UTC function remaps years 0-99 to 1900-1999
        if (y &lt; 100 &amp;&amp; y &gt;= 0) {
            args = Array.prototype.slice.call(arguments);
            // preserve leap years using a full 400 year cycle, then reset
            args[0] = y + 400;
            date = new Date(Date.UTC.apply(null, args));
            if (isFinite(date.getUTCFullYear())) {
                date.setUTCFullYear(y);
            }
        } else {
            date = new Date(Date.UTC.apply(null, arguments));
        }

        return date;
    }

    // start-of-first-week - start-of-year
    function firstWeekOffset(year, dow, doy) {
        var // first-week day -- which january is always in the first week (4 for iso, 1 for other)
            fwd = 7 + dow - doy,
            // first-week day local weekday -- which local weekday is fwd
            fwdlw = (7 + createUTCDate(year, 0, fwd).getUTCDay() - dow) % 7;

        return -fwdlw + fwd - 1;
    }

    // https://en.wikipedia.org/wiki/ISO_week_date#Calculating_a_date_given_the_year.2C_week_number_and_weekday
    function dayOfYearFromWeeks(year, week, weekday, dow, doy) {
        var localWeekday = (7 + weekday - dow) % 7,
            weekOffset = firstWeekOffset(year, dow, doy),
            dayOfYear = 1 + 7 * (week - 1) + localWeekday + weekOffset,
            resYear,
            resDayOfYear;

        if (dayOfYear &lt;= 0) {
            resYear = year - 1;
            resDayOfYear = daysInYear(resYear) + dayOfYear;
        } else if (dayOfYear &gt; daysInYear(year)) {
            resYear = year + 1;
            resDayOfYear = dayOfYear - daysInYear(year);
        } else {
            resYear = year;
            resDayOfYear = dayOfYear;
        }

        return {
            year: resYear,
            dayOfYear: resDayOfYear,
        };
    }

    function weekOfYear(mom, dow, doy) {
        var weekOffset = firstWeekOffset(mom.year(), dow, doy),
            week = Math.floor((mom.dayOfYear() - weekOffset - 1) / 7) + 1,
            resWeek,
            resYear;

        if (week &lt; 1) {
            resYear = mom.year() - 1;
            resWeek = week + weeksInYear(resYear, dow, doy);
        } else if (week &gt; weeksInYear(mom.year(), dow, doy)) {
            resWeek = week - weeksInYear(mom.year(), dow, doy);
            resYear = mom.year() + 1;
        } else {
            resYear = mom.year();
            resWeek = week;
        }

        return {
            week: resWeek,
            year: resYear,
        };
    }

    function weeksInYear(year, dow, doy) {
        var weekOffset = firstWeekOffset(year, dow, doy),
            weekOffsetNext = firstWeekOffset(year + 1, dow, doy);
        return (daysInYear(year) - weekOffset + weekOffsetNext) / 7;
    }

    // FORMATTING

    addFormatToken('w', ['ww', 2], 'wo', 'week');
    addFormatToken('W', ['WW', 2], 'Wo', 'isoWeek');

    // ALIASES

    addUnitAlias('week', 'w');
    addUnitAlias('isoWeek', 'W');

    // PRIORITIES

    addUnitPriority('week', 5);
    addUnitPriority('isoWeek', 5);

    // PARSING

    addRegexToken('w', match1to2);
    addRegexToken('ww', match1to2, match2);
    addRegexToken('W', match1to2);
    addRegexToken('WW', match1to2, match2);

    addWeekParseToken(
        ['w', 'ww', 'W', 'WW'],
        function (input, week, config, token) {
            week[token.substr(0, 1)] = toInt(input);
        }
    );

    // HELPERS

    // LOCALES

    function localeWeek(mom) {
        return weekOfYear(mom, this._week.dow, this._week.doy).week;
    }

    var defaultLocaleWeek = {
        dow: 0, // Sunday is the first day of the week.
        doy: 6, // The week that contains Jan 6th is the first week of the year.
    };

    function localeFirstDayOfWeek() {
        return this._week.dow;
    }

    function localeFirstDayOfYear() {
        return this._week.doy;
    }

    // MOMENTS

    function getSetWeek(input) {
        var week = this.localeData().week(this);
        return input == null ? week : this.add((input - week) * 7, 'd');
    }

    function getSetISOWeek(input) {
        var week = weekOfYear(this, 1, 4).week;
        return input == null ? week : this.add((input - week) * 7, 'd');
    }

    // FORMATTING

    addFormatToken('d', 0, 'do', 'day');

    addFormatToken('dd', 0, 0, function (format) {
        return this.localeData().weekdaysMin(this, format);
    });

    addFormatToken('ddd', 0, 0, function (format) {
        return this.localeData().weekdaysShort(this, format);
    });

    addFormatToken('dddd', 0, 0, function (format) {
        return this.localeData().weekdays(this, format);
    });

    addFormatToken('e', 0, 0, 'weekday');
    addFormatToken('E', 0, 0, 'isoWeekday');

    // ALIASES

    addUnitAlias('day', 'd');
    addUnitAlias('weekday', 'e');
    addUnitAlias('isoWeekday', 'E');

    // PRIORITY
    addUnitPriority('day', 11);
    addUnitPriority('weekday', 11);
    addUnitPriority('isoWeekday', 11);

    // PARSING

    addRegexToken('d', match1to2);
    addRegexToken('e', match1to2);
    addRegexToken('E', match1to2);
    addRegexToken('dd', function (isStrict, locale) {
        return locale.weekdaysMinRegex(isStrict);
    });
    addRegexToken('ddd', function (isStrict, locale) {
        return locale.weekdaysShortRegex(isStrict);
    });
    addRegexToken('dddd', function (isStrict, locale) {
        return locale.weekdaysRegex(isStrict);
    });

    addWeekParseToken(['dd', 'ddd', 'dddd'], function (input, week, config, token) {
        var weekday = config._locale.weekdaysParse(input, token, config._strict);
        // if we didn't get a weekday name, mark the date as invalid
        if (weekday != null) {
            week.d = weekday;
        } else {
            getParsingFlags(config).invalidWeekday = input;
        }
    });

    addWeekParseToken(['d', 'e', 'E'], function (input, week, config, token) {
        week[token] = toInt(input);
    });

    // HELPERS

    function parseWeekday(input, locale) {
        if (typeof input !== 'string') {
            return input;
        }

        if (!isNaN(input)) {
            return parseInt(input, 10);
        }

        input = locale.weekdaysParse(input);
        if (typeof input === 'number') {
            return input;
        }

        return null;
    }

    function parseIsoWeekday(input, locale) {
        if (typeof input === 'string') {
            return locale.weekdaysParse(input) % 7 || 7;
        }
        return isNaN(input) ? null : input;
    }

    // LOCALES
    function shiftWeekdays(ws, n) {
        return ws.slice(n, 7).concat(ws.slice(0, n));
    }

    var defaultLocaleWeekdays =
            'Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday'.split('_'),
        defaultLocaleWeekdaysShort = 'Sun_Mon_Tue_Wed_Thu_Fri_Sat'.split('_'),
        defaultLocaleWeekdaysMin = 'Su_Mo_Tu_We_Th_Fr_Sa'.split('_'),
        defaultWeekdaysRegex = matchWord,
        defaultWeekdaysShortRegex = matchWord,
        defaultWeekdaysMinRegex = matchWord;

    function localeWeekdays(m, format) {
        var weekdays = isArray(this._weekdays)
            ? this._weekdays
            : this._weekdays[
                  m &amp;&amp; m !== true &amp;&amp; this._weekdays.isFormat.test(format)
                      ? 'format'
                      : 'standalone'
              ];
        return m === true
            ? shiftWeekdays(weekdays, this._week.dow)
            : m
            ? weekdays[m.day()]
            : weekdays;
    }

    function localeWeekdaysShort(m) {
        return m === true
            ? shiftWeekdays(this._weekdaysShort, this._week.dow)
            : m
            ? this._weekdaysShort[m.day()]
            : this._weekdaysShort;
    }

    function localeWeekdaysMin(m) {
        return m === true
            ? shiftWeekdays(this._weekdaysMin, this._week.dow)
            : m
            ? this._weekdaysMin[m.day()]
            : this._weekdaysMin;
    }

    function handleStrictParse$1(weekdayName, format, strict) {
        var i,
            ii,
            mom,
            llc = weekdayName.toLocaleLowerCase();
        if (!this._weekdaysParse) {
            this._weekdaysParse = [];
            this._shortWeekdaysParse = [];
            this._minWeekdaysParse = [];

            for (i = 0; i &lt; 7; ++i) {
                mom = createUTC([2000, 1]).day(i);
                this._minWeekdaysParse[i] = this.weekdaysMin(
                    mom,
                    ''
                ).toLocaleLowerCase();
                this._shortWeekdaysParse[i] = this.weekdaysShort(
                    mom,
                    ''
                ).toLocaleLowerCase();
                this._weekdaysParse[i] = this.weekdays(mom, '').toLocaleLowerCase();
            }
        }

        if (strict) {
            if (format === 'dddd') {
                ii = indexOf.call(this._weekdaysParse, llc);
                return ii !== -1 ? ii : null;
            } else if (format === 'ddd') {
                ii = indexOf.call(this._shortWeekdaysParse, llc);
                return ii !== -1 ? ii : null;
            } else {
                ii = indexOf.call(this._minWeekdaysParse, llc);
                return ii !== -1 ? ii : null;
            }
        } else {
            if (format === 'dddd') {
                ii = indexOf.call(this._weekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._shortWeekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._minWeekdaysParse, llc);
                return ii !== -1 ? ii : null;
            } else if (format === 'ddd') {
                ii = indexOf.call(this._shortWeekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._weekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._minWeekdaysParse, llc);
                return ii !== -1 ? ii : null;
            } else {
                ii = indexOf.call(this._minWeekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._weekdaysParse, llc);
                if (ii !== -1) {
                    return ii;
                }
                ii = indexOf.call(this._shortWeekdaysParse, llc);
                return ii !== -1 ? ii : null;
            }
        }
    }

    function localeWeekdaysParse(weekdayName, format, strict) {
        var i, mom, regex;

        if (this._weekdaysParseExact) {
            return handleStrictParse$1.call(this, weekdayName, format, strict);
        }

        if (!this._weekdaysParse) {
            this._weekdaysParse = [];
            this._minWeekdaysParse = [];
            this._shortWeekdaysParse = [];
            this._fullWeekdaysParse = [];
        }

        for (i = 0; i &lt; 7; i++) {
            // make the regex if we don't have it already

            mom = createUTC([2000, 1]).day(i);
            if (strict &amp;&amp; !this._fullWeekdaysParse[i]) {
                this._fullWeekdaysParse[i] = new RegExp(
                    '^' + this.weekdays(mom, '').replace('.', '\\.?') + '$',
                    'i'
                );
                this._shortWeekdaysParse[i] = new RegExp(
                    '^' + this.weekdaysShort(mom, '').replace('.', '\\.?') + '$',
                    'i'
                );
                this._minWeekdaysParse[i] = new RegExp(
                    '^' + this.weekdaysMin(mom, '').replace('.', '\\.?') + '$',
                    'i'
                );
            }
            if (!this._weekdaysParse[i]) {
                regex =
                    '^' +
                    this.weekdays(mom, '') +
                    '|^' +
                    this.weekdaysShort(mom, '') +
                    '|^' +
                    this.weekdaysMin(mom, '');
                this._weekdaysParse[i] = new RegExp(regex.replace('.', ''), 'i');
            }
            // test the regex
            if (
                strict &amp;&amp;
                format === 'dddd' &amp;&amp;
                this._fullWeekdaysParse[i].test(weekdayName)
            ) {
                return i;
            } else if (
                strict &amp;&amp;
                format === 'ddd' &amp;&amp;
                this._shortWeekdaysParse[i].test(weekdayName)
            ) {
                return i;
            } else if (
                strict &amp;&amp;
                format === 'dd' &amp;&amp;
                this._minWeekdaysParse[i].test(weekdayName)
            ) {
                return i;
            } else if (!strict &amp;&amp; this._weekdaysParse[i].test(weekdayName)) {
                return i;
            }
        }
    }

    // MOMENTS

    function getSetDayOfWeek(input) {
        if (!this.isValid()) {
            return input != null ? this : NaN;
        }
        var day = this._isUTC ? this._d.getUTCDay() : this._d.getDay();
        if (input != null) {
            input = parseWeekday(input, this.localeData());
            return this.add(input - day, 'd');
        } else {
            return day;
        }
    }

    function getSetLocaleDayOfWeek(input) {
        if (!this.isValid()) {
            return input != null ? this : NaN;
        }
        var weekday = (this.day() + 7 - this.localeData()._week.dow) % 7;
        return input == null ? weekday : this.add(input - weekday, 'd');
    }

    function getSetISODayOfWeek(input) {
        if (!this.isValid()) {
            return input != null ? this : NaN;
        }

        // behaves the same as moment#day except
        // as a getter, returns 7 instead of 0 (1-7 range instead of 0-6)
        // as a setter, sunday should belong to the previous week.

        if (input != null) {
            var weekday = parseIsoWeekday(input, this.localeData());
            return this.day(this.day() % 7 ? weekday : weekday - 7);
        } else {
            return this.day() || 7;
        }
    }

    function weekdaysRegex(isStrict) {
        if (this._weekdaysParseExact) {
            if (!hasOwnProp(this, '_weekdaysRegex')) {
                computeWeekdaysParse.call(this);
            }
            if (isStrict) {
                return this._weekdaysStrictRegex;
            } else {
                return this._weekdaysRegex;
            }
        } else {
            if (!hasOwnProp(this, '_weekdaysRegex')) {
                this._weekdaysRegex = defaultWeekdaysRegex;
            }
            return this._weekdaysStrictRegex &amp;&amp; isStrict
                ? this._weekdaysStrictRegex
                : this._weekdaysRegex;
        }
    }

    function weekdaysShortRegex(isStrict) {
        if (this._weekdaysParseExact) {
            if (!hasOwnProp(this, '_weekdaysRegex')) {
                computeWeekdaysParse.call(this);
            }
            if (isStrict) {
                return this._weekdaysShortStrictRegex;
            } else {
                return this._weekdaysShortRegex;
            }
        } else {
            if (!hasOwnProp(this, '_weekdaysShortRegex')) {
                this._weekdaysShortRegex = defaultWeekdaysShortRegex;
            }
            return this._weekdaysShortStrictRegex &amp;&amp; isStrict
                ? this._weekdaysShortStrictRegex
                : this._weekdaysShortRegex;
        }
    }

    function weekdaysMinRegex(isStrict) {
        if (this._weekdaysParseExact) {
            if (!hasOwnProp(this, '_weekdaysRegex')) {
                computeWeekdaysParse.call(this);
            }
            if (isStrict) {
                return this._weekdaysMinStrictRegex;
            } else {
                return this._weekdaysMinRegex;
            }
        } else {
            if (!hasOwnProp(this, '_weekdaysMinRegex')) {
                this._weekdaysMinRegex = defaultWeekdaysMinRegex;
            }
            return this._weekdaysMinStrictRegex &amp;&amp; isStrict
                ? this._weekdaysMinStrictRegex
                : this._weekdaysMinRegex;
        }
    }

    function computeWeekdaysParse() {
        function cmpLenRev(a, b) {
            return b.length - a.length;
        }

        var minPieces = [],
            shortPieces = [],
            longPieces = [],
            mixedPieces = [],
            i,
            mom,
            minp,
            shortp,
            longp;
        for (i = 0; i &lt; 7; i++) {
            // make the regex if we don't have it already
            mom = createUTC([2000, 1]).day(i);
            minp = regexEscape(this.weekdaysMin(mom, ''));
            shortp = regexEscape(this.weekdaysShort(mom, ''));
            longp = regexEscape(this.weekdays(mom, ''));
            minPieces.push(minp);
            shortPieces.push(shortp);
            longPieces.push(longp);
            mixedPieces.push(minp);
            mixedPieces.push(shortp);
            mixedPieces.push(longp);
        }
        // Sorting makes sure if one weekday (or abbr) is a prefix of another it
        // will match the longer piece.
        minPieces.sort(cmpLenRev);
        shortPieces.sort(cmpLenRev);
        longPieces.sort(cmpLenRev);
        mixedPieces.sort(cmpLenRev);

        this._weekdaysRegex = new RegExp('^(' + mixedPieces.join('|') + ')', 'i');
        this._weekdaysShortRegex = this._weekdaysRegex;
        this._weekdaysMinRegex = this._weekdaysRegex;

        this._weekdaysStrictRegex = new RegExp(
            '^(' + longPieces.join('|') + ')',
            'i'
        );
        this._weekdaysShortStrictRegex = new RegExp(
            '^(' + shortPieces.join('|') + ')',
            'i'
        );
        this._weekdaysMinStrictRegex = new RegExp(
            '^(' + minPieces.join('|') + ')',
            'i'
        );
    }

    // FORMATTING

    function hFormat() {
        return this.hours() % 12 || 12;
    }

    function kFormat() {
        return this.hours() || 24;
    }

    addFormatToken('H', ['HH', 2], 0, 'hour');
    addFormatToken('h', ['hh', 2], 0, hFormat);
    addFormatToken('k', ['kk', 2], 0, kFormat);

    addFormatToken('hmm', 0, 0, function () {
        return '' + hFormat.apply(this) + zeroFill(this.minutes(), 2);
    });

    addFormatToken('hmmss', 0, 0, function () {
        return (
            '' +
            hFormat.apply(this) +
            zeroFill(this.minutes(), 2) +
            zeroFill(this.seconds(), 2)
        );
    });

    addFormatToken('Hmm', 0, 0, function () {
        return '' + this.hours() + zeroFill(this.minutes(), 2);
    });

    addFormatToken('Hmmss', 0, 0, function () {
        return (
            '' +
            this.hours() +
            zeroFill(this.minutes(), 2) +
            zeroFill(this.seconds(), 2)
        );
    });

    function meridiem(token, lowercase) {
        addFormatToken(token, 0, 0, function () {
            return this.localeData().meridiem(
                this.hours(),
                this.minutes(),
                lowercase
            );
        });
    }

    meridiem('a', true);
    meridiem('A', false);

    // ALIASES

    addUnitAlias('hour', 'h');

    // PRIORITY
    addUnitPriority('hour', 13);

    // PARSING

    function matchMeridiem(isStrict, locale) {
        return locale._meridiemParse;
    }

    addRegexToken('a', matchMeridiem);
    addRegexToken('A', matchMeridiem);
    addRegexToken('H', match1to2);
    addRegexToken('h', match1to2);
    addRegexToken('k', match1to2);
    addRegexToken('HH', match1to2, match2);
    addRegexToken('hh', match1to2, match2);
    addRegexToken('kk', match1to2, match2);

    addRegexToken('hmm', match3to4);
    addRegexToken('hmmss', match5to6);
    addRegexToken('Hmm', match3to4);
    addRegexToken('Hmmss', match5to6);

    addParseToken(['H', 'HH'], HOUR);
    addParseToken(['k', 'kk'], function (input, array, config) {
        var kInput = toInt(input);
        array[HOUR] = kInput === 24 ? 0 : kInput;
    });
    addParseToken(['a', 'A'], function (input, array, config) {
        config._isPm = config._locale.isPM(input);
        config._meridiem = input;
    });
    addParseToken(['h', 'hh'], function (input, array, config) {
        array[HOUR] = toInt(input);
        getParsingFlags(config).bigHour = true;
    });
    addParseToken('hmm', function (input, array, config) {
        var pos = input.length - 2;
        array[HOUR] = toInt(input.substr(0, pos));
        array[MINUTE] = toInt(input.substr(pos));
        getParsingFlags(config).bigHour = true;
    });
    addParseToken('hmmss', function (input, array, config) {
        var pos1 = input.length - 4,
            pos2 = input.length - 2;
        array[HOUR] = toInt(input.substr(0, pos1));
        array[MINUTE] = toInt(input.substr(pos1, 2));
        array[SECOND] = toInt(input.substr(pos2));
        getParsingFlags(config).bigHour = true;
    });
    addParseToken('Hmm', function (input, array, config) {
        var pos = input.length - 2;
        array[HOUR] = toInt(input.substr(0, pos));
        array[MINUTE] = toInt(input.substr(pos));
    });
    addParseToken('Hmmss', function (input, array, config) {
        var pos1 = input.length - 4,
            pos2 = input.length - 2;
        array[HOUR] = toInt(input.substr(0, pos1));
        array[MINUTE] = toInt(input.substr(pos1, 2));
        array[SECOND] = toInt(input.substr(pos2));
    });

    // LOCALES

    function localeIsPM(input) {
        // IE8 Quirks Mode &amp; IE7 Standards Mode do not allow accessing strings like arrays
        // Using charAt should be more compatible.
        return (input + '').toLowerCase().charAt(0) === 'p';
    }

    var defaultLocaleMeridiemParse = /[ap]\.?m?\.?/i,
        // Setting the hour should keep the time, because the user explicitly
        // specified which hour they want. So trying to maintain the same hour (in
        // a new timezone) makes sense. Adding/subtracting hours does not follow
        // this rule.
        getSetHour = makeGetSet('Hours', true);

    function localeMeridiem(hours, minutes, isLower) {
        if (hours &gt; 11) {
            return isLower ? 'pm' : 'PM';
        } else {
            return isLower ? 'am' : 'AM';
        }
    }

    var baseConfig = {
        calendar: defaultCalendar,
        longDateFormat: defaultLongDateFormat,
        invalidDate: defaultInvalidDate,
        ordinal: defaultOrdinal,
        dayOfMonthOrdinalParse: defaultDayOfMonthOrdinalParse,
        relativeTime: defaultRelativeTime,

        months: defaultLocaleMonths,
        monthsShort: defaultLocaleMonthsShort,

        week: defaultLocaleWeek,

        weekdays: defaultLocaleWeekdays,
        weekdaysMin: defaultLocaleWeekdaysMin,
        weekdaysShort: defaultLocaleWeekdaysShort,

        meridiemParse: defaultLocaleMeridiemParse,
    };

    // internal storage for locale config files
    var locales = {},
        localeFamilies = {},
        globalLocale;

    function commonPrefix(arr1, arr2) {
        var i,
            minl = Math.min(arr1.length, arr2.length);
        for (i = 0; i &lt; minl; i += 1) {
            if (arr1[i] !== arr2[i]) {
                return i;
            }
        }
        return minl;
    }

    function normalizeLocale(key) {
        return key ? key.toLowerCase().replace('_', '-') : key;
    }

    // pick the locale from the array
    // try ['en-au', 'en-gb'] as 'en-au', 'en-gb', 'en', as in move through the list trying each
    // substring from most specific to least, but move to the next array item if it's a more specific variant than the current root
    function chooseLocale(names) {
        var i = 0,
            j,
            next,
            locale,
            split;

        while (i &lt; names.length) {
            split = normalizeLocale(names[i]).split('-');
            j = split.length;
            next = normalizeLocale(names[i + 1]);
            next = next ? next.split('-') : null;
            while (j &gt; 0) {
                locale = loadLocale(split.slice(0, j).join('-'));
                if (locale) {
                    return locale;
                }
                if (
                    next &amp;&amp;
                    next.length &gt;= j &amp;&amp;
                    commonPrefix(split, next) &gt;= j - 1
                ) {
                    //the next array item is better than a shallower substring of this one
                    break;
                }
                j--;
            }
            i++;
        }
        return globalLocale;
    }

    function isLocaleNameSane(name) {
        // Prevent names that look like filesystem paths, i.e contain '/' or '\'
        return name.match('^[^/\\\\]*$') != null;
    }

    function loadLocale(name) {
        var oldLocale = null,
            aliasedRequire;
        // TODO: Find a better way to register and load all the locales in Node
        if (
            locales[name] === undefined &amp;&amp;
            "object" !== 'undefined' &amp;&amp;
            module &amp;&amp;
            module.exports &amp;&amp;
            isLocaleNameSane(name)
        ) {
            try {
                oldLocale = globalLocale._abbr;
                aliasedRequire = undefined;
                __webpack_require__("./node_modules/moment/locale sync recursive ^\\.\\/.*$")("./" + name);
                getSetGlobalLocale(oldLocale);
            } catch (e) {
                // mark as not found to avoid repeating expensive file require call causing high CPU
                // when trying to find en-US, en_US, en-us for every format call
                locales[name] = null; // null means not found
            }
        }
        return locales[name];
    }

    // This function will load locale and then set the global locale.  If
    // no arguments are passed in, it will simply return the current global
    // locale key.
    function getSetGlobalLocale(key, values) {
        var data;
        if (key) {
            if (isUndefined(values)) {
                data = getLocale(key);
            } else {
                data = defineLocale(key, values);
            }

            if (data) {
                // moment.duration._locale = moment._locale = data;
                globalLocale = data;
            } else {
                if (typeof console !== 'undefined' &amp;&amp; console.warn) {
                    //warn user if arguments are passed but the locale could not be set
                    console.warn(
                        'Locale ' + key + ' not found. Did you forget to load it?'
                    );
                }
            }
        }

        return globalLocale._abbr;
    }

    function defineLocale(name, config) {
        if (config !== null) {
            var locale,
                parentConfig = baseConfig;
            config.abbr = name;
            if (locales[name] != null) {
                deprecateSimple(
                    'defineLocaleOverride',
                    'use moment.updateLocale(localeName, config) to change ' +
                        'an existing locale. moment.defineLocale(localeName, ' +
                        'config) should only be used for creating a new locale ' +
                        'See http://momentjs.com/guides/#/warnings/define-locale/ for more info.'
                );
                parentConfig = locales[name]._config;
            } else if (config.parentLocale != null) {
                if (locales[config.parentLocale] != null) {
                    parentConfig = locales[config.parentLocale]._config;
                } else {
                    locale = loadLocale(config.parentLocale);
                    if (locale != null) {
                        parentConfig = locale._config;
                    } else {
                        if (!localeFamilies[config.parentLocale]) {
                            localeFamilies[config.parentLocale] = [];
                        }
                        localeFamilies[config.parentLocale].push({
                            name: name,
                            config: config,
                        });
                        return null;
                    }
                }
            }
            locales[name] = new Locale(mergeConfigs(parentConfig, config));

            if (localeFamilies[name]) {
                localeFamilies[name].forEach(function (x) {
                    defineLocale(x.name, x.config);
                });
            }

            // backwards compat for now: also set the locale
            // make sure we set the locale AFTER all child locales have been
            // created, so we won't end up with the child locale set.
            getSetGlobalLocale(name);

            return locales[name];
        } else {
            // useful for testing
            delete locales[name];
            return null;
        }
    }

    function updateLocale(name, config) {
        if (config != null) {
            var locale,
                tmpLocale,
                parentConfig = baseConfig;

            if (locales[name] != null &amp;&amp; locales[name].parentLocale != null) {
                // Update existing child locale in-place to avoid memory-leaks
                locales[name].set(mergeConfigs(locales[name]._config, config));
            } else {
                // MERGE
                tmpLocale = loadLocale(name);
                if (tmpLocale != null) {
                    parentConfig = tmpLocale._config;
                }
                config = mergeConfigs(parentConfig, config);
                if (tmpLocale == null) {
                    // updateLocale is called for creating a new locale
                    // Set abbr so it will have a name (getters return
                    // undefined otherwise).
                    config.abbr = name;
                }
                locale = new Locale(config);
                locale.parentLocale = locales[name];
                locales[name] = locale;
            }

            // backwards compat for now: also set the locale
            getSetGlobalLocale(name);
        } else {
            // pass null for config to unupdate, useful for tests
            if (locales[name] != null) {
                if (locales[name].parentLocale != null) {
                    locales[name] = locales[name].parentLocale;
                    if (name === getSetGlobalLocale()) {
                        getSetGlobalLocale(name);
                    }
                } else if (locales[name] != null) {
                    delete locales[name];
                }
            }
        }
        return locales[name];
    }

    // returns locale data
    function getLocale(key) {
        var locale;

        if (key &amp;&amp; key._locale &amp;&amp; key._locale._abbr) {
            key = key._locale._abbr;
        }

        if (!key) {
            return globalLocale;
        }

        if (!isArray(key)) {
            //short-circuit everything else
            locale = loadLocale(key);
            if (locale) {
                return locale;
            }
            key = [key];
        }

        return chooseLocale(key);
    }

    function listLocales() {
        return keys(locales);
    }

    function checkOverflow(m) {
        var overflow,
            a = m._a;

        if (a &amp;&amp; getParsingFlags(m).overflow === -2) {
            overflow =
                a[MONTH] &lt; 0 || a[MONTH] &gt; 11
                    ? MONTH
                    : a[DATE] &lt; 1 || a[DATE] &gt; daysInMonth(a[YEAR], a[MONTH])
                    ? DATE
                    : a[HOUR] &lt; 0 ||
                      a[HOUR] &gt; 24 ||
                      (a[HOUR] === 24 &amp;&amp;
                          (a[MINUTE] !== 0 ||
                              a[SECOND] !== 0 ||
                              a[MILLISECOND] !== 0))
                    ? HOUR
                    : a[MINUTE] &lt; 0 || a[MINUTE] &gt; 59
                    ? MINUTE
                    : a[SECOND] &lt; 0 || a[SECOND] &gt; 59
                    ? SECOND
                    : a[MILLISECOND] &lt; 0 || a[MILLISECOND] &gt; 999
                    ? MILLISECOND
                    : -1;

            if (
                getParsingFlags(m)._overflowDayOfYear &amp;&amp;
                (overflow &lt; YEAR || overflow &gt; DATE)
            ) {
                overflow = DATE;
            }
            if (getParsingFlags(m)._overflowWeeks &amp;&amp; overflow === -1) {
                overflow = WEEK;
            }
            if (getParsingFlags(m)._overflowWeekday &amp;&amp; overflow === -1) {
                overflow = WEEKDAY;
            }

            getParsingFlags(m).overflow = overflow;
        }

        return m;
    }

    // iso 8601 regex
    // 0000-00-00 0000-W00 or 0000-W00-0 + T + 00 or 00:00 or 00:00:00 or 00:00:00.000 + +00:00 or +0000 or +00)
    var extendedIsoRegex =
            /^\s*((?:[+-]\d{6}|\d{4})-(?:\d\d-\d\d|W\d\d-\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?::\d\d(?::\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,
        basicIsoRegex =
            /^\s*((?:[+-]\d{6}|\d{4})(?:\d\d\d\d|W\d\d\d|W\d\d|\d\d\d|\d\d|))(?:(T| )(\d\d(?:\d\d(?:\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,
        tzRegex = /Z|[+-]\d\d(?::?\d\d)?/,
        isoDates = [
            ['YYYYYY-MM-DD', /[+-]\d{6}-\d\d-\d\d/],
            ['YYYY-MM-DD', /\d{4}-\d\d-\d\d/],
            ['GGGG-[W]WW-E', /\d{4}-W\d\d-\d/],
            ['GGGG-[W]WW', /\d{4}-W\d\d/, false],
            ['YYYY-DDD', /\d{4}-\d{3}/],
            ['YYYY-MM', /\d{4}-\d\d/, false],
            ['YYYYYYMMDD', /[+-]\d{10}/],
            ['YYYYMMDD', /\d{8}/],
            ['GGGG[W]WWE', /\d{4}W\d{3}/],
            ['GGGG[W]WW', /\d{4}W\d{2}/, false],
            ['YYYYDDD', /\d{7}/],
            ['YYYYMM', /\d{6}/, false],
            ['YYYY', /\d{4}/, false],
        ],
        // iso time formats and regexes
        isoTimes = [
            ['HH:mm:ss.SSSS', /\d\d:\d\d:\d\d\.\d+/],
            ['HH:mm:ss,SSSS', /\d\d:\d\d:\d\d,\d+/],
            ['HH:mm:ss', /\d\d:\d\d:\d\d/],
            ['HH:mm', /\d\d:\d\d/],
            ['HHmmss.SSSS', /\d\d\d\d\d\d\.\d+/],
            ['HHmmss,SSSS', /\d\d\d\d\d\d,\d+/],
            ['HHmmss', /\d\d\d\d\d\d/],
            ['HHmm', /\d\d\d\d/],
            ['HH', /\d\d/],
        ],
        aspNetJsonRegex = /^\/?Date\((-?\d+)/i,
        // RFC 2822 regex: For details see https://tools.ietf.org/html/rfc2822#section-3.3
        rfc2822 =
            /^(?:(Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\s)?(\d{1,2})\s(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(\d{2,4})\s(\d\d):(\d\d)(?::(\d\d))?\s(?:(UT|GMT|[ECMP][SD]T)|([Zz])|([+-]\d{4}))$/,
        obsOffsets = {
            UT: 0,
            GMT: 0,
            EDT: -4 * 60,
            EST: -5 * 60,
            CDT: -5 * 60,
            CST: -6 * 60,
            MDT: -6 * 60,
            MST: -7 * 60,
            PDT: -7 * 60,
            PST: -8 * 60,
        };

    // date from iso format
    function configFromISO(config) {
        var i,
            l,
            string = config._i,
            match = extendedIsoRegex.exec(string) || basicIsoRegex.exec(string),
            allowTime,
            dateFormat,
            timeFormat,
            tzFormat,
            isoDatesLen = isoDates.length,
            isoTimesLen = isoTimes.length;

        if (match) {
            getParsingFlags(config).iso = true;
            for (i = 0, l = isoDatesLen; i &lt; l; i++) {
                if (isoDates[i][1].exec(match[1])) {
                    dateFormat = isoDates[i][0];
                    allowTime = isoDates[i][2] !== false;
                    break;
                }
            }
            if (dateFormat == null) {
                config._isValid = false;
                return;
            }
            if (match[3]) {
                for (i = 0, l = isoTimesLen; i &lt; l; i++) {
                    if (isoTimes[i][1].exec(match[3])) {
                        // match[2] should be 'T' or space
                        timeFormat = (match[2] || ' ') + isoTimes[i][0];
                        break;
                    }
                }
                if (timeFormat == null) {
                    config._isValid = false;
                    return;
                }
            }
            if (!allowTime &amp;&amp; timeFormat != null) {
                config._isValid = false;
                return;
            }
            if (match[4]) {
                if (tzRegex.exec(match[4])) {
                    tzFormat = 'Z';
                } else {
                    config._isValid = false;
                    return;
                }
            }
            config._f = dateFormat + (timeFormat || '') + (tzFormat || '');
            configFromStringAndFormat(config);
        } else {
            config._isValid = false;
        }
    }

    function extractFromRFC2822Strings(
        yearStr,
        monthStr,
        dayStr,
        hourStr,
        minuteStr,
        secondStr
    ) {
        var result = [
            untruncateYear(yearStr),
            defaultLocaleMonthsShort.indexOf(monthStr),
            parseInt(dayStr, 10),
            parseInt(hourStr, 10),
            parseInt(minuteStr, 10),
        ];

        if (secondStr) {
            result.push(parseInt(secondStr, 10));
        }

        return result;
    }

    function untruncateYear(yearStr) {
        var year = parseInt(yearStr, 10);
        if (year &lt;= 49) {
            return 2000 + year;
        } else if (year &lt;= 999) {
            return 1900 + year;
        }
        return year;
    }

    function preprocessRFC2822(s) {
        // Remove comments and folding whitespace and replace multiple-spaces with a single space
        return s
            .replace(/\([^()]*\)|[\n\t]/g, ' ')
            .replace(/(\s\s+)/g, ' ')
            .replace(/^\s\s*/, '')
            .replace(/\s\s*$/, '');
    }

    function checkWeekday(weekdayStr, parsedInput, config) {
        if (weekdayStr) {
            // TODO: Replace the vanilla JS Date object with an independent day-of-week check.
            var weekdayProvided = defaultLocaleWeekdaysShort.indexOf(weekdayStr),
                weekdayActual = new Date(
                    parsedInput[0],
                    parsedInput[1],
                    parsedInput[2]
                ).getDay();
            if (weekdayProvided !== weekdayActual) {
                getParsingFlags(config).weekdayMismatch = true;
                config._isValid = false;
                return false;
            }
        }
        return true;
    }

    function calculateOffset(obsOffset, militaryOffset, numOffset) {
        if (obsOffset) {
            return obsOffsets[obsOffset];
        } else if (militaryOffset) {
            // the only allowed military tz is Z
            return 0;
        } else {
            var hm = parseInt(numOffset, 10),
                m = hm % 100,
                h = (hm - m) / 100;
            return h * 60 + m;
        }
    }

    // date and time from ref 2822 format
    function configFromRFC2822(config) {
        var match = rfc2822.exec(preprocessRFC2822(config._i)),
            parsedArray;
        if (match) {
            parsedArray = extractFromRFC2822Strings(
                match[4],
                match[3],
                match[2],
                match[5],
                match[6],
                match[7]
            );
            if (!checkWeekday(match[1], parsedArray, config)) {
                return;
            }

            config._a = parsedArray;
            config._tzm = calculateOffset(match[8], match[9], match[10]);

            config._d = createUTCDate.apply(null, config._a);
            config._d.setUTCMinutes(config._d.getUTCMinutes() - config._tzm);

            getParsingFlags(config).rfc2822 = true;
        } else {
            config._isValid = false;
        }
    }

    // date from 1) ASP.NET, 2) ISO, 3) RFC 2822 formats, or 4) optional fallback if parsing isn't strict
    function configFromString(config) {
        var matched = aspNetJsonRegex.exec(config._i);
        if (matched !== null) {
            config._d = new Date(+matched[1]);
            return;
        }

        configFromISO(config);
        if (config._isValid === false) {
            delete config._isValid;
        } else {
            return;
        }

        configFromRFC2822(config);
        if (config._isValid === false) {
            delete config._isValid;
        } else {
            return;
        }

        if (config._strict) {
            config._isValid = false;
        } else {
            // Final attempt, use Input Fallback
            hooks.createFromInputFallback(config);
        }
    }

    hooks.createFromInputFallback = deprecate(
        'value provided is not in a recognized RFC2822 or ISO format. moment construction falls back to js Date(), ' +
            'which is not reliable across all browsers and versions. Non RFC2822/ISO date formats are ' +
            'discouraged. Please refer to http://momentjs.com/guides/#/warnings/js-date/ for more info.',
        function (config) {
            config._d = new Date(config._i + (config._useUTC ? ' UTC' : ''));
        }
    );

    // Pick the first defined of two or three arguments.
    function defaults(a, b, c) {
        if (a != null) {
            return a;
        }
        if (b != null) {
            return b;
        }
        return c;
    }

    function currentDateArray(config) {
        // hooks is actually the exported moment object
        var nowValue = new Date(hooks.now());
        if (config._useUTC) {
            return [
                nowValue.getUTCFullYear(),
                nowValue.getUTCMonth(),
                nowValue.getUTCDate(),
            ];
        }
        return [nowValue.getFullYear(), nowValue.getMonth(), nowValue.getDate()];
    }

    // convert an array to a date.
    // the array should mirror the parameters below
    // note: all values past the year are optional and will default to the lowest possible value.
    // [year, month, day , hour, minute, second, millisecond]
    function configFromArray(config) {
        var i,
            date,
            input = [],
            currentDate,
            expectedWeekday,
            yearToUse;

        if (config._d) {
            return;
        }

        currentDate = currentDateArray(config);

        //compute day of the year from weeks and weekdays
        if (config._w &amp;&amp; config._a[DATE] == null &amp;&amp; config._a[MONTH] == null) {
            dayOfYearFromWeekInfo(config);
        }

        //if the day of the year is set, figure out what it is
        if (config._dayOfYear != null) {
            yearToUse = defaults(config._a[YEAR], currentDate[YEAR]);

            if (
                config._dayOfYear &gt; daysInYear(yearToUse) ||
                config._dayOfYear === 0
            ) {
                getParsingFlags(config)._overflowDayOfYear = true;
            }

            date = createUTCDate(yearToUse, 0, config._dayOfYear);
            config._a[MONTH] = date.getUTCMonth();
            config._a[DATE] = date.getUTCDate();
        }

        // Default to current date.
        // * if no year, month, day of month are given, default to today
        // * if day of month is given, default month and year
        // * if month is given, default only year
        // * if year is given, don't default anything
        for (i = 0; i &lt; 3 &amp;&amp; config._a[i] == null; ++i) {
            config._a[i] = input[i] = currentDate[i];
        }

        // Zero out whatever was not defaulted, including time
        for (; i &lt; 7; i++) {
            config._a[i] = input[i] =
                config._a[i] == null ? (i === 2 ? 1 : 0) : config._a[i];
        }

        // Check for 24:00:00.000
        if (
            config._a[HOUR] === 24 &amp;&amp;
            config._a[MINUTE] === 0 &amp;&amp;
            config._a[SECOND] === 0 &amp;&amp;
            config._a[MILLISECOND] === 0
        ) {
            config._nextDay = true;
            config._a[HOUR] = 0;
        }

        config._d = (config._useUTC ? createUTCDate : createDate).apply(
            null,
            input
        );
        expectedWeekday = config._useUTC
            ? config._d.getUTCDay()
            : config._d.getDay();

        // Apply timezone offset from input. The actual utcOffset can be changed
        // with parseZone.
        if (config._tzm != null) {
            config._d.setUTCMinutes(config._d.getUTCMinutes() - config._tzm);
        }

        if (config._nextDay) {
            config._a[HOUR] = 24;
        }

        // check for mismatching day of week
        if (
            config._w &amp;&amp;
            typeof config._w.d !== 'undefined' &amp;&amp;
            config._w.d !== expectedWeekday
        ) {
            getParsingFlags(config).weekdayMismatch = true;
        }
    }

    function dayOfYearFromWeekInfo(config) {
        var w, weekYear, week, weekday, dow, doy, temp, weekdayOverflow, curWeek;

        w = config._w;
        if (w.GG != null || w.W != null || w.E != null) {
            dow = 1;
            doy = 4;

            // TODO: We need to take the current isoWeekYear, but that depends on
            // how we interpret now (local, utc, fixed offset). So create
            // a now version of current config (take local/utc/offset flags, and
            // create now).
            weekYear = defaults(
                w.GG,
                config._a[YEAR],
                weekOfYear(createLocal(), 1, 4).year
            );
            week = defaults(w.W, 1);
            weekday = defaults(w.E, 1);
            if (weekday &lt; 1 || weekday &gt; 7) {
                weekdayOverflow = true;
            }
        } else {
            dow = config._locale._week.dow;
            doy = config._locale._week.doy;

            curWeek = weekOfYear(createLocal(), dow, doy);

            weekYear = defaults(w.gg, config._a[YEAR], curWeek.year);

            // Default to current week.
            week = defaults(w.w, curWeek.week);

            if (w.d != null) {
                // weekday -- low day numbers are considered next week
                weekday = w.d;
                if (weekday &lt; 0 || weekday &gt; 6) {
                    weekdayOverflow = true;
                }
            } else if (w.e != null) {
                // local weekday -- counting starts from beginning of week
                weekday = w.e + dow;
                if (w.e &lt; 0 || w.e &gt; 6) {
                    weekdayOverflow = true;
                }
            } else {
                // default to beginning of week
                weekday = dow;
            }
        }
        if (week &lt; 1 || week &gt; weeksInYear(weekYear, dow, doy)) {
            getParsingFlags(config)._overflowWeeks = true;
        } else if (weekdayOverflow != null) {
            getParsingFlags(config)._overflowWeekday = true;
        } else {
            temp = dayOfYearFromWeeks(weekYear, week, weekday, dow, doy);
            config._a[YEAR] = temp.year;
            config._dayOfYear = temp.dayOfYear;
        }
    }

    // constant that refers to the ISO standard
    hooks.ISO_8601 = function () {};

    // constant that refers to the RFC 2822 form
    hooks.RFC_2822 = function () {};

    // date from string and format string
    function configFromStringAndFormat(config) {
        // TODO: Move this to another part of the creation flow to prevent circular deps
        if (config._f === hooks.ISO_8601) {
            configFromISO(config);
            return;
        }
        if (config._f === hooks.RFC_2822) {
            configFromRFC2822(config);
            return;
        }
        config._a = [];
        getParsingFlags(config).empty = true;

        // This array is used to make a Date, either with `new Date` or `Date.UTC`
        var string = '' + config._i,
            i,
            parsedInput,
            tokens,
            token,
            skipped,
            stringLength = string.length,
            totalParsedInputLength = 0,
            era,
            tokenLen;

        tokens =
            expandFormat(config._f, config._locale).match(formattingTokens) || [];
        tokenLen = tokens.length;
        for (i = 0; i &lt; tokenLen; i++) {
            token = tokens[i];
            parsedInput = (string.match(getParseRegexForToken(token, config)) ||
                [])[0];
            if (parsedInput) {
                skipped = string.substr(0, string.indexOf(parsedInput));
                if (skipped.length &gt; 0) {
                    getParsingFlags(config).unusedInput.push(skipped);
                }
                string = string.slice(
                    string.indexOf(parsedInput) + parsedInput.length
                );
                totalParsedInputLength += parsedInput.length;
            }
            // don't parse if it's not a known token
            if (formatTokenFunctions[token]) {
                if (parsedInput) {
                    getParsingFlags(config).empty = false;
                } else {
                    getParsingFlags(config).unusedTokens.push(token);
                }
                addTimeToArrayFromToken(token, parsedInput, config);
            } else if (config._strict &amp;&amp; !parsedInput) {
                getParsingFlags(config).unusedTokens.push(token);
            }
        }

        // add remaining unparsed input length to the string
        getParsingFlags(config).charsLeftOver =
            stringLength - totalParsedInputLength;
        if (string.length &gt; 0) {
            getParsingFlags(config).unusedInput.push(string);
        }

        // clear _12h flag if hour is &lt;= 12
        if (
            config._a[HOUR] &lt;= 12 &amp;&amp;
            getParsingFlags(config).bigHour === true &amp;&amp;
            config._a[HOUR] &gt; 0
        ) {
            getParsingFlags(config).bigHour = undefined;
        }

        getParsingFlags(config).parsedDateParts = config._a.slice(0);
        getParsingFlags(config).meridiem = config._meridiem;
        // handle meridiem
        config._a[HOUR] = meridiemFixWrap(
            config._locale,
            config._a[HOUR],
            config._meridiem
        );

        // handle era
        era = getParsingFlags(config).era;
        if (era !== null) {
            config._a[YEAR] = config._locale.erasConvertYear(era, config._a[YEAR]);
        }

        configFromArray(config);
        checkOverflow(config);
    }

    function meridiemFixWrap(locale, hour, meridiem) {
        var isPm;

        if (meridiem == null) {
            // nothing to do
            return hour;
        }
        if (locale.meridiemHour != null) {
            return locale.meridiemHour(hour, meridiem);
        } else if (locale.isPM != null) {
            // Fallback
            isPm = locale.isPM(meridiem);
            if (isPm &amp;&amp; hour &lt; 12) {
                hour += 12;
            }
            if (!isPm &amp;&amp; hour === 12) {
                hour = 0;
            }
            return hour;
        } else {
            // this is not supposed to happen
            return hour;
        }
    }

    // date from string and array of format strings
    function configFromStringAndArray(config) {
        var tempConfig,
            bestMoment,
            scoreToBeat,
            i,
            currentScore,
            validFormatFound,
            bestFormatIsValid = false,
            configfLen = config._f.length;

        if (configfLen === 0) {
            getParsingFlags(config).invalidFormat = true;
            config._d = new Date(NaN);
            return;
        }

        for (i = 0; i &lt; configfLen; i++) {
            currentScore = 0;
            validFormatFound = false;
            tempConfig = copyConfig({}, config);
            if (config._useUTC != null) {
                tempConfig._useUTC = config._useUTC;
            }
            tempConfig._f = config._f[i];
            configFromStringAndFormat(tempConfig);

            if (isValid(tempConfig)) {
                validFormatFound = true;
            }

            // if there is any input that was not parsed add a penalty for that format
            currentScore += getParsingFlags(tempConfig).charsLeftOver;

            //or tokens
            currentScore += getParsingFlags(tempConfig).unusedTokens.length * 10;

            getParsingFlags(tempConfig).score = currentScore;

            if (!bestFormatIsValid) {
                if (
                    scoreToBeat == null ||
                    currentScore &lt; scoreToBeat ||
                    validFormatFound
                ) {
                    scoreToBeat = currentScore;
                    bestMoment = tempConfig;
                    if (validFormatFound) {
                        bestFormatIsValid = true;
                    }
                }
            } else {
                if (currentScore &lt; scoreToBeat) {
                    scoreToBeat = currentScore;
                    bestMoment = tempConfig;
                }
            }
        }

        extend(config, bestMoment || tempConfig);
    }

    function configFromObject(config) {
        if (config._d) {
            return;
        }

        var i = normalizeObjectUnits(config._i),
            dayOrDate = i.day === undefined ? i.date : i.day;
        config._a = map(
            [i.year, i.month, dayOrDate, i.hour, i.minute, i.second, i.millisecond],
            function (obj) {
                return obj &amp;&amp; parseInt(obj, 10);
            }
        );

        configFromArray(config);
    }

    function createFromConfig(config) {
        var res = new Moment(checkOverflow(prepareConfig(config)));
        if (res._nextDay) {
            // Adding is smart enough around DST
            res.add(1, 'd');
            res._nextDay = undefined;
        }

        return res;
    }

    function prepareConfig(config) {
        var input = config._i,
            format = config._f;

        config._locale = config._locale || getLocale(config._l);

        if (input === null || (format === undefined &amp;&amp; input === '')) {
            return createInvalid({ nullInput: true });
        }

        if (typeof input === 'string') {
            config._i = input = config._locale.preparse(input);
        }

        if (isMoment(input)) {
            return new Moment(checkOverflow(input));
        } else if (isDate(input)) {
            config._d = input;
        } else if (isArray(format)) {
            configFromStringAndArray(config);
        } else if (format) {
            configFromStringAndFormat(config);
        } else {
            configFromInput(config);
        }

        if (!isValid(config)) {
            config._d = null;
        }

        return config;
    }

    function configFromInput(config) {
        var input = config._i;
        if (isUndefined(input)) {
            config._d = new Date(hooks.now());
        } else if (isDate(input)) {
            config._d = new Date(input.valueOf());
        } else if (typeof input === 'string') {
            configFromString(config);
        } else if (isArray(input)) {
            config._a = map(input.slice(0), function (obj) {
                return parseInt(obj, 10);
            });
            configFromArray(config);
        } else if (isObject(input)) {
            configFromObject(config);
        } else if (isNumber(input)) {
            // from milliseconds
            config._d = new Date(input);
        } else {
            hooks.createFromInputFallback(config);
        }
    }

    function createLocalOrUTC(input, format, locale, strict, isUTC) {
        var c = {};

        if (format === true || format === false) {
            strict = format;
            format = undefined;
        }

        if (locale === true || locale === false) {
            strict = locale;
            locale = undefined;
        }

        if (
            (isObject(input) &amp;&amp; isObjectEmpty(input)) ||
            (isArray(input) &amp;&amp; input.length === 0)
        ) {
            input = undefined;
        }
        // object construction must be done this way.
        // https://github.com/moment/moment/issues/1423
        c._isAMomentObject = true;
        c._useUTC = c._isUTC = isUTC;
        c._l = locale;
        c._i = input;
        c._f = format;
        c._strict = strict;

        return createFromConfig(c);
    }

    function createLocal(input, format, locale, strict) {
        return createLocalOrUTC(input, format, locale, strict, false);
    }

    var prototypeMin = deprecate(
            'moment().min is deprecated, use moment.max instead. http://momentjs.com/guides/#/warnings/min-max/',
            function () {
                var other = createLocal.apply(null, arguments);
                if (this.isValid() &amp;&amp; other.isValid()) {
                    return other &lt; this ? this : other;
                } else {
                    return createInvalid();
                }
            }
        ),
        prototypeMax = deprecate(
            'moment().max is deprecated, use moment.min instead. http://momentjs.com/guides/#/warnings/min-max/',
            function () {
                var other = createLocal.apply(null, arguments);
                if (this.isValid() &amp;&amp; other.isValid()) {
                    return other &gt; this ? this : other;
                } else {
                    return createInvalid();
                }
            }
        );

    // Pick a moment m from moments so that m[fn](other) is true for all
    // other. This relies on the function fn to be transitive.
    //
    // moments should either be an array of moment objects or an array, whose
    // first element is an array of moment objects.
    function pickBy(fn, moments) {
        var res, i;
        if (moments.length === 1 &amp;&amp; isArray(moments[0])) {
            moments = moments[0];
        }
        if (!moments.length) {
            return createLocal();
        }
        res = moments[0];
        for (i = 1; i &lt; moments.length; ++i) {
            if (!moments[i].isValid() || moments[i][fn](res)) {
                res = moments[i];
            }
        }
        return res;
    }

    // TODO: Use [].sort instead?
    function min() {
        var args = [].slice.call(arguments, 0);

        return pickBy('isBefore', args);
    }

    function max() {
        var args = [].slice.call(arguments, 0);

        return pickBy('isAfter', args);
    }

    var now = function () {
        return Date.now ? Date.now() : +new Date();
    };

    var ordering = [
        'year',
        'quarter',
        'month',
        'week',
        'day',
        'hour',
        'minute',
        'second',
        'millisecond',
    ];

    function isDurationValid(m) {
        var key,
            unitHasDecimal = false,
            i,
            orderLen = ordering.length;
        for (key in m) {
            if (
                hasOwnProp(m, key) &amp;&amp;
                !(
                    indexOf.call(ordering, key) !== -1 &amp;&amp;
                    (m[key] == null || !isNaN(m[key]))
                )
            ) {
                return false;
            }
        }

        for (i = 0; i &lt; orderLen; ++i) {
            if (m[ordering[i]]) {
                if (unitHasDecimal) {
                    return false; // only allow non-integers for smallest unit
                }
                if (parseFloat(m[ordering[i]]) !== toInt(m[ordering[i]])) {
                    unitHasDecimal = true;
                }
            }
        }

        return true;
    }

    function isValid$1() {
        return this._isValid;
    }

    function createInvalid$1() {
        return createDuration(NaN);
    }

    function Duration(duration) {
        var normalizedInput = normalizeObjectUnits(duration),
            years = normalizedInput.year || 0,
            quarters = normalizedInput.quarter || 0,
            months = normalizedInput.month || 0,
            weeks = normalizedInput.week || normalizedInput.isoWeek || 0,
            days = normalizedInput.day || 0,
            hours = normalizedInput.hour || 0,
            minutes = normalizedInput.minute || 0,
            seconds = normalizedInput.second || 0,
            milliseconds = normalizedInput.millisecond || 0;

        this._isValid = isDurationValid(normalizedInput);

        // representation for dateAddRemove
        this._milliseconds =
            +milliseconds +
            seconds * 1e3 + // 1000
            minutes * 6e4 + // 1000 * 60
            hours * 1000 * 60 * 60; //using 1000 * 60 * 60 instead of 36e5 to avoid floating point rounding errors https://github.com/moment/moment/issues/2978
        // Because of dateAddRemove treats 24 hours as different from a
        // day when working around DST, we need to store them separately
        this._days = +days + weeks * 7;
        // It is impossible to translate months into days without knowing
        // which months you are are talking about, so we have to store
        // it separately.
        this._months = +months + quarters * 3 + years * 12;

        this._data = {};

        this._locale = getLocale();

        this._bubble();
    }

    function isDuration(obj) {
        return obj instanceof Duration;
    }

    function absRound(number) {
        if (number &lt; 0) {
            return Math.round(-1 * number) * -1;
        } else {
            return Math.round(number);
        }
    }

    // compare two arrays, return the number of differences
    function compareArrays(array1, array2, dontConvert) {
        var len = Math.min(array1.length, array2.length),
            lengthDiff = Math.abs(array1.length - array2.length),
            diffs = 0,
            i;
        for (i = 0; i &lt; len; i++) {
            if (
                (dontConvert &amp;&amp; array1[i] !== array2[i]) ||
                (!dontConvert &amp;&amp; toInt(array1[i]) !== toInt(array2[i]))
            ) {
                diffs++;
            }
        }
        return diffs + lengthDiff;
    }

    // FORMATTING

    function offset(token, separator) {
        addFormatToken(token, 0, 0, function () {
            var offset = this.utcOffset(),
                sign = '+';
            if (offset &lt; 0) {
                offset = -offset;
                sign = '-';
            }
            return (
                sign +
                zeroFill(~~(offset / 60), 2) +
                separator +
                zeroFill(~~offset % 60, 2)
            );
        });
    }

    offset('Z', ':');
    offset('ZZ', '');

    // PARSING

    addRegexToken('Z', matchShortOffset);
    addRegexToken('ZZ', matchShortOffset);
    addParseToken(['Z', 'ZZ'], function (input, array, config) {
        config._useUTC = true;
        config._tzm = offsetFromString(matchShortOffset, input);
    });

    // HELPERS

    // timezone chunker
    // '+10:00' &gt; ['10',  '00']
    // '-1530'  &gt; ['-15', '30']
    var chunkOffset = /([\+\-]|\d\d)/gi;

    function offsetFromString(matcher, string) {
        var matches = (string || '').match(matcher),
            chunk,
            parts,
            minutes;

        if (matches === null) {
            return null;
        }

        chunk = matches[matches.length - 1] || [];
        parts = (chunk + '').match(chunkOffset) || ['-', 0, 0];
        minutes = +(parts[1] * 60) + toInt(parts[2]);

        return minutes === 0 ? 0 : parts[0] === '+' ? minutes : -minutes;
    }

    // Return a moment from input, that is local/utc/zone equivalent to model.
    function cloneWithOffset(input, model) {
        var res, diff;
        if (model._isUTC) {
            res = model.clone();
            diff =
                (isMoment(input) || isDate(input)
                    ? input.valueOf()
                    : createLocal(input).valueOf()) - res.valueOf();
            // Use low-level api, because this fn is low-level api.
            res._d.setTime(res._d.valueOf() + diff);
            hooks.updateOffset(res, false);
            return res;
        } else {
            return createLocal(input).local();
        }
    }

    function getDateOffset(m) {
        // On Firefox.24 Date#getTimezoneOffset returns a floating point.
        // https://github.com/moment/moment/pull/1871
        return -Math.round(m._d.getTimezoneOffset());
    }

    // HOOKS

    // This function will be called whenever a moment is mutated.
    // It is intended to keep the offset in sync with the timezone.
    hooks.updateOffset = function () {};

    // MOMENTS

    // keepLocalTime = true means only change the timezone, without
    // affecting the local hour. So 5:31:26 +0300 --[utcOffset(2, true)]--&gt;
    // 5:31:26 +0200 It is possible that 5:31:26 doesn't exist with offset
    // +0200, so we adjust the time as needed, to be valid.
    //
    // Keeping the time actually adds/subtracts (one hour)
    // from the actual represented time. That is why we call updateOffset
    // a second time. In case it wants us to change the offset again
    // _changeInProgress == true case, then we have to adjust, because
    // there is no such time in the given timezone.
    function getSetOffset(input, keepLocalTime, keepMinutes) {
        var offset = this._offset || 0,
            localAdjust;
        if (!this.isValid()) {
            return input != null ? this : NaN;
        }
        if (input != null) {
            if (typeof input === 'string') {
                input = offsetFromString(matchShortOffset, input);
                if (input === null) {
                    return this;
                }
            } else if (Math.abs(input) &lt; 16 &amp;&amp; !keepMinutes) {
                input = input * 60;
            }
            if (!this._isUTC &amp;&amp; keepLocalTime) {
                localAdjust = getDateOffset(this);
            }
            this._offset = input;
            this._isUTC = true;
            if (localAdjust != null) {
                this.add(localAdjust, 'm');
            }
            if (offset !== input) {
                if (!keepLocalTime || this._changeInProgress) {
                    addSubtract(
                        this,
                        createDuration(input - offset, 'm'),
                        1,
                        false
                    );
                } else if (!this._changeInProgress) {
                    this._changeInProgress = true;
                    hooks.updateOffset(this, true);
                    this._changeInProgress = null;
                }
            }
            return this;
        } else {
            return this._isUTC ? offset : getDateOffset(this);
        }
    }

    function getSetZone(input, keepLocalTime) {
        if (input != null) {
            if (typeof input !== 'string') {
                input = -input;
            }

            this.utcOffset(input, keepLocalTime);

            return this;
        } else {
            return -this.utcOffset();
        }
    }

    function setOffsetToUTC(keepLocalTime) {
        return this.utcOffset(0, keepLocalTime);
    }

    function setOffsetToLocal(keepLocalTime) {
        if (this._isUTC) {
            this.utcOffset(0, keepLocalTime);
            this._isUTC = false;

            if (keepLocalTime) {
                this.subtract(getDateOffset(this), 'm');
            }
        }
        return this;
    }

    function setOffsetToParsedOffset() {
        if (this._tzm != null) {
            this.utcOffset(this._tzm, false, true);
        } else if (typeof this._i === 'string') {
            var tZone = offsetFromString(matchOffset, this._i);
            if (tZone != null) {
                this.utcOffset(tZone);
            } else {
                this.utcOffset(0, true);
            }
        }
        return this;
    }

    function hasAlignedHourOffset(input) {
        if (!this.isValid()) {
            return false;
        }
        input = input ? createLocal(input).utcOffset() : 0;

        return (this.utcOffset() - input) % 60 === 0;
    }

    function isDaylightSavingTime() {
        return (
            this.utcOffset() &gt; this.clone().month(0).utcOffset() ||
            this.utcOffset() &gt; this.clone().month(5).utcOffset()
        );
    }

    function isDaylightSavingTimeShifted() {
        if (!isUndefined(this._isDSTShifted)) {
            return this._isDSTShifted;
        }

        var c = {},
            other;

        copyConfig(c, this);
        c = prepareConfig(c);

        if (c._a) {
            other = c._isUTC ? createUTC(c._a) : createLocal(c._a);
            this._isDSTShifted =
                this.isValid() &amp;&amp; compareArrays(c._a, other.toArray()) &gt; 0;
        } else {
            this._isDSTShifted = false;
        }

        return this._isDSTShifted;
    }

    function isLocal() {
        return this.isValid() ? !this._isUTC : false;
    }

    function isUtcOffset() {
        return this.isValid() ? this._isUTC : false;
    }

    function isUtc() {
        return this.isValid() ? this._isUTC &amp;&amp; this._offset === 0 : false;
    }

    // ASP.NET json date format regex
    var aspNetRegex = /^(-|\+)?(?:(\d*)[. ])?(\d+):(\d+)(?::(\d+)(\.\d*)?)?$/,
        // from http://docs.closure-library.googlecode.com/git/closure_goog_date_date.js.source.html
        // somewhat more in line with 4.4.3.2 2004 spec, but allows decimal anywhere
        // and further modified to allow for strings containing both week and day
        isoRegex =
            /^(-|\+)?P(?:([-+]?[0-9,.]*)Y)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)W)?(?:([-+]?[0-9,.]*)D)?(?:T(?:([-+]?[0-9,.]*)H)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)S)?)?$/;

    function createDuration(input, key) {
        var duration = input,
            // matching against regexp is expensive, do it on demand
            match = null,
            sign,
            ret,
            diffRes;

        if (isDuration(input)) {
            duration = {
                ms: input._milliseconds,
                d: input._days,
                M: input._months,
            };
        } else if (isNumber(input) || !isNaN(+input)) {
            duration = {};
            if (key) {
                duration[key] = +input;
            } else {
                duration.milliseconds = +input;
            }
        } else if ((match = aspNetRegex.exec(input))) {
            sign = match[1] === '-' ? -1 : 1;
            duration = {
                y: 0,
                d: toInt(match[DATE]) * sign,
                h: toInt(match[HOUR]) * sign,
                m: toInt(match[MINUTE]) * sign,
                s: toInt(match[SECOND]) * sign,
                ms: toInt(absRound(match[MILLISECOND] * 1000)) * sign, // the millisecond decimal point is included in the match
            };
        } else if ((match = isoRegex.exec(input))) {
            sign = match[1] === '-' ? -1 : 1;
            duration = {
                y: parseIso(match[2], sign),
                M: parseIso(match[3], sign),
                w: parseIso(match[4], sign),
                d: parseIso(match[5], sign),
                h: parseIso(match[6], sign),
                m: parseIso(match[7], sign),
                s: parseIso(match[8], sign),
            };
        } else if (duration == null) {
            // checks for null or undefined
            duration = {};
        } else if (
            typeof duration === 'object' &amp;&amp;
            ('from' in duration || 'to' in duration)
        ) {
            diffRes = momentsDifference(
                createLocal(duration.from),
                createLocal(duration.to)
            );

            duration = {};
            duration.ms = diffRes.milliseconds;
            duration.M = diffRes.months;
        }

        ret = new Duration(duration);

        if (isDuration(input) &amp;&amp; hasOwnProp(input, '_locale')) {
            ret._locale = input._locale;
        }

        if (isDuration(input) &amp;&amp; hasOwnProp(input, '_isValid')) {
            ret._isValid = input._isValid;
        }

        return ret;
    }

    createDuration.fn = Duration.prototype;
    createDuration.invalid = createInvalid$1;

    function parseIso(inp, sign) {
        // We'd normally use ~~inp for this, but unfortunately it also
        // converts floats to ints.
        // inp may be undefined, so careful calling replace on it.
        var res = inp &amp;&amp; parseFloat(inp.replace(',', '.'));
        // apply sign while we're at it
        return (isNaN(res) ? 0 : res) * sign;
    }

    function positiveMomentsDifference(base, other) {
        var res = {};

        res.months =
            other.month() - base.month() + (other.year() - base.year()) * 12;
        if (base.clone().add(res.months, 'M').isAfter(other)) {
            --res.months;
        }

        res.milliseconds = +other - +base.clone().add(res.months, 'M');

        return res;
    }

    function momentsDifference(base, other) {
        var res;
        if (!(base.isValid() &amp;&amp; other.isValid())) {
            return { milliseconds: 0, months: 0 };
        }

        other = cloneWithOffset(other, base);
        if (base.isBefore(other)) {
            res = positiveMomentsDifference(base, other);
        } else {
            res = positiveMomentsDifference(other, base);
            res.milliseconds = -res.milliseconds;
            res.months = -res.months;
        }

        return res;
    }

    // TODO: remove 'name' arg after deprecation is removed
    function createAdder(direction, name) {
        return function (val, period) {
            var dur, tmp;
            //invert the arguments, but complain about it
            if (period !== null &amp;&amp; !isNaN(+period)) {
                deprecateSimple(
                    name,
                    'moment().' +
                        name +
                        '(period, number) is deprecated. Please use moment().' +
                        name +
                        '(number, period). ' +
                        'See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info.'
                );
                tmp = val;
                val = period;
                period = tmp;
            }

            dur = createDuration(val, period);
            addSubtract(this, dur, direction);
            return this;
        };
    }

    function addSubtract(mom, duration, isAdding, updateOffset) {
        var milliseconds = duration._milliseconds,
            days = absRound(duration._days),
            months = absRound(duration._months);

        if (!mom.isValid()) {
            // No op
            return;
        }

        updateOffset = updateOffset == null ? true : updateOffset;

        if (months) {
            setMonth(mom, get(mom, 'Month') + months * isAdding);
        }
        if (days) {
            set$1(mom, 'Date', get(mom, 'Date') + days * isAdding);
        }
        if (milliseconds) {
            mom._d.setTime(mom._d.valueOf() + milliseconds * isAdding);
        }
        if (updateOffset) {
            hooks.updateOffset(mom, days || months);
        }
    }

    var add = createAdder(1, 'add'),
        subtract = createAdder(-1, 'subtract');

    function isString(input) {
        return typeof input === 'string' || input instanceof String;
    }

    // type MomentInput = Moment | Date | string | number | (number | string)[] | MomentInputObject | void; // null | undefined
    function isMomentInput(input) {
        return (
            isMoment(input) ||
            isDate(input) ||
            isString(input) ||
            isNumber(input) ||
            isNumberOrStringArray(input) ||
            isMomentInputObject(input) ||
            input === null ||
            input === undefined
        );
    }

    function isMomentInputObject(input) {
        var objectTest = isObject(input) &amp;&amp; !isObjectEmpty(input),
            propertyTest = false,
            properties = [
                'years',
                'year',
                'y',
                'months',
                'month',
                'M',
                'days',
                'day',
                'd',
                'dates',
                'date',
                'D',
                'hours',
                'hour',
                'h',
                'minutes',
                'minute',
                'm',
                'seconds',
                'second',
                's',
                'milliseconds',
                'millisecond',
                'ms',
            ],
            i,
            property,
            propertyLen = properties.length;

        for (i = 0; i &lt; propertyLen; i += 1) {
            property = properties[i];
            propertyTest = propertyTest || hasOwnProp(input, property);
        }

        return objectTest &amp;&amp; propertyTest;
    }

    function isNumberOrStringArray(input) {
        var arrayTest = isArray(input),
            dataTypeTest = false;
        if (arrayTest) {
            dataTypeTest =
                input.filter(function (item) {
                    return !isNumber(item) &amp;&amp; isString(input);
                }).length === 0;
        }
        return arrayTest &amp;&amp; dataTypeTest;
    }

    function isCalendarSpec(input) {
        var objectTest = isObject(input) &amp;&amp; !isObjectEmpty(input),
            propertyTest = false,
            properties = [
                'sameDay',
                'nextDay',
                'lastDay',
                'nextWeek',
                'lastWeek',
                'sameElse',
            ],
            i,
            property;

        for (i = 0; i &lt; properties.length; i += 1) {
            property = properties[i];
            propertyTest = propertyTest || hasOwnProp(input, property);
        }

        return objectTest &amp;&amp; propertyTest;
    }

    function getCalendarFormat(myMoment, now) {
        var diff = myMoment.diff(now, 'days', true);
        return diff &lt; -6
            ? 'sameElse'
            : diff &lt; -1
            ? 'lastWeek'
            : diff &lt; 0
            ? 'lastDay'
            : diff &lt; 1
            ? 'sameDay'
            : diff &lt; 2
            ? 'nextDay'
            : diff &lt; 7
            ? 'nextWeek'
            : 'sameElse';
    }

    function calendar$1(time, formats) {
        // Support for single parameter, formats only overload to the calendar function
        if (arguments.length === 1) {
            if (!arguments[0]) {
                time = undefined;
                formats = undefined;
            } else if (isMomentInput(arguments[0])) {
                time = arguments[0];
                formats = undefined;
            } else if (isCalendarSpec(arguments[0])) {
                formats = arguments[0];
                time = undefined;
            }
        }
        // We want to compare the start of today, vs this.
        // Getting start-of-today depends on whether we're local/utc/offset or not.
        var now = time || createLocal(),
            sod = cloneWithOffset(now, this).startOf('day'),
            format = hooks.calendarFormat(this, sod) || 'sameElse',
            output =
                formats &amp;&amp;
                (isFunction(formats[format])
                    ? formats[format].call(this, now)
                    : formats[format]);

        return this.format(
            output || this.localeData().calendar(format, this, createLocal(now))
        );
    }

    function clone() {
        return new Moment(this);
    }

    function isAfter(input, units) {
        var localInput = isMoment(input) ? input : createLocal(input);
        if (!(this.isValid() &amp;&amp; localInput.isValid())) {
            return false;
        }
        units = normalizeUnits(units) || 'millisecond';
        if (units === 'millisecond') {
            return this.valueOf() &gt; localInput.valueOf();
        } else {
            return localInput.valueOf() &lt; this.clone().startOf(units).valueOf();
        }
    }

    function isBefore(input, units) {
        var localInput = isMoment(input) ? input : createLocal(input);
        if (!(this.isValid() &amp;&amp; localInput.isValid())) {
            return false;
        }
        units = normalizeUnits(units) || 'millisecond';
        if (units === 'millisecond') {
            return this.valueOf() &lt; localInput.valueOf();
        } else {
            return this.clone().endOf(units).valueOf() &lt; localInput.valueOf();
        }
    }

    function isBetween(from, to, units, inclusivity) {
        var localFrom = isMoment(from) ? from : createLocal(from),
            localTo = isMoment(to) ? to : createLocal(to);
        if (!(this.isValid() &amp;&amp; localFrom.isValid() &amp;&amp; localTo.isValid())) {
            return false;
        }
        inclusivity = inclusivity || '()';
        return (
            (inclusivity[0] === '('
                ? this.isAfter(localFrom, units)
                : !this.isBefore(localFrom, units)) &amp;&amp;
            (inclusivity[1] === ')'
                ? this.isBefore(localTo, units)
                : !this.isAfter(localTo, units))
        );
    }

    function isSame(input, units) {
        var localInput = isMoment(input) ? input : createLocal(input),
            inputMs;
        if (!(this.isValid() &amp;&amp; localInput.isValid())) {
            return false;
        }
        units = normalizeUnits(units) || 'millisecond';
        if (units === 'millisecond') {
            return this.valueOf() === localInput.valueOf();
        } else {
            inputMs = localInput.valueOf();
            return (
                this.clone().startOf(units).valueOf() &lt;= inputMs &amp;&amp;
                inputMs &lt;= this.clone().endOf(units).valueOf()
            );
        }
    }

    function isSameOrAfter(input, units) {
        return this.isSame(input, units) || this.isAfter(input, units);
    }

    function isSameOrBefore(input, units) {
        return this.isSame(input, units) || this.isBefore(input, units);
    }

    function diff(input, units, asFloat) {
        var that, zoneDelta, output;

        if (!this.isValid()) {
            return NaN;
        }

        that = cloneWithOffset(input, this);

        if (!that.isValid()) {
            return NaN;
        }

        zoneDelta = (that.utcOffset() - this.utcOffset()) * 6e4;

        units = normalizeUnits(units);

        switch (units) {
            case 'year':
                output = monthDiff(this, that) / 12;
                break;
            case 'month':
                output = monthDiff(this, that);
                break;
            case 'quarter':
                output = monthDiff(this, that) / 3;
                break;
            case 'second':
                output = (this - that) / 1e3;
                break; // 1000
            case 'minute':
                output = (this - that) / 6e4;
                break; // 1000 * 60
            case 'hour':
                output = (this - that) / 36e5;
                break; // 1000 * 60 * 60
            case 'day':
                output = (this - that - zoneDelta) / 864e5;
                break; // 1000 * 60 * 60 * 24, negate dst
            case 'week':
                output = (this - that - zoneDelta) / 6048e5;
                break; // 1000 * 60 * 60 * 24 * 7, negate dst
            default:
                output = this - that;
        }

        return asFloat ? output : absFloor(output);
    }

    function monthDiff(a, b) {
        if (a.date() &lt; b.date()) {
            // end-of-month calculations work correct when the start month has more
            // days than the end month.
            return -monthDiff(b, a);
        }
        // difference in months
        var wholeMonthDiff = (b.year() - a.year()) * 12 + (b.month() - a.month()),
            // b is in (anchor - 1 month, anchor + 1 month)
            anchor = a.clone().add(wholeMonthDiff, 'months'),
            anchor2,
            adjust;

        if (b - anchor &lt; 0) {
            anchor2 = a.clone().add(wholeMonthDiff - 1, 'months');
            // linear across the month
            adjust = (b - anchor) / (anchor - anchor2);
        } else {
            anchor2 = a.clone().add(wholeMonthDiff + 1, 'months');
            // linear across the month
            adjust = (b - anchor) / (anchor2 - anchor);
        }

        //check for negative zero, return zero if negative zero
        return -(wholeMonthDiff + adjust) || 0;
    }

    hooks.defaultFormat = 'YYYY-MM-DDTHH:mm:ssZ';
    hooks.defaultFormatUtc = 'YYYY-MM-DDTHH:mm:ss[Z]';

    function toString() {
        return this.clone().locale('en').format('ddd MMM DD YYYY HH:mm:ss [GMT]ZZ');
    }

    function toISOString(keepOffset) {
        if (!this.isValid()) {
            return null;
        }
        var utc = keepOffset !== true,
            m = utc ? this.clone().utc() : this;
        if (m.year() &lt; 0 || m.year() &gt; 9999) {
            return formatMoment(
                m,
                utc
                    ? 'YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]'
                    : 'YYYYYY-MM-DD[T]HH:mm:ss.SSSZ'
            );
        }
        if (isFunction(Date.prototype.toISOString)) {
            // native implementation is ~50x faster, use it when we can
            if (utc) {
                return this.toDate().toISOString();
            } else {
                return new Date(this.valueOf() + this.utcOffset() * 60 * 1000)
                    .toISOString()
                    .replace('Z', formatMoment(m, 'Z'));
            }
        }
        return formatMoment(
            m,
            utc ? 'YYYY-MM-DD[T]HH:mm:ss.SSS[Z]' : 'YYYY-MM-DD[T]HH:mm:ss.SSSZ'
        );
    }

    /**
     * Return a human readable representation of a moment that can
     * also be evaluated to get a new moment which is the same
     *
     * @link https://nodejs.org/dist/latest/docs/api/util.html#util_custom_inspect_function_on_objects
     */
    function inspect() {
        if (!this.isValid()) {
            return 'moment.invalid(/* ' + this._i + ' */)';
        }
        var func = 'moment',
            zone = '',
            prefix,
            year,
            datetime,
            suffix;
        if (!this.isLocal()) {
            func = this.utcOffset() === 0 ? 'moment.utc' : 'moment.parseZone';
            zone = 'Z';
        }
        prefix = '[' + func + '("]';
        year = 0 &lt;= this.year() &amp;&amp; this.year() &lt;= 9999 ? 'YYYY' : 'YYYYYY';
        datetime = '-MM-DD[T]HH:mm:ss.SSS';
        suffix = zone + '[")]';

        return this.format(prefix + year + datetime + suffix);
    }

    function format(inputString) {
        if (!inputString) {
            inputString = this.isUtc()
                ? hooks.defaultFormatUtc
                : hooks.defaultFormat;
        }
        var output = formatMoment(this, inputString);
        return this.localeData().postformat(output);
    }

    function from(time, withoutSuffix) {
        if (
            this.isValid() &amp;&amp;
            ((isMoment(time) &amp;&amp; time.isValid()) || createLocal(time).isValid())
        ) {
            return createDuration({ to: this, from: time })
                .locale(this.locale())
                .humanize(!withoutSuffix);
        } else {
            return this.localeData().invalidDate();
        }
    }

    function fromNow(withoutSuffix) {
        return this.from(createLocal(), withoutSuffix);
    }

    function to(time, withoutSuffix) {
        if (
            this.isValid() &amp;&amp;
            ((isMoment(time) &amp;&amp; time.isValid()) || createLocal(time).isValid())
        ) {
            return createDuration({ from: this, to: time })
                .locale(this.locale())
                .humanize(!withoutSuffix);
        } else {
            return this.localeData().invalidDate();
        }
    }

    function toNow(withoutSuffix) {
        return this.to(createLocal(), withoutSuffix);
    }

    // If passed a locale key, it will set the locale for this
    // instance.  Otherwise, it will return the locale configuration
    // variables for this instance.
    function locale(key) {
        var newLocaleData;

        if (key === undefined) {
            return this._locale._abbr;
        } else {
            newLocaleData = getLocale(key);
            if (newLocaleData != null) {
                this._locale = newLocaleData;
            }
            return this;
        }
    }

    var lang = deprecate(
        'moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.',
        function (key) {
            if (key === undefined) {
                return this.localeData();
            } else {
                return this.locale(key);
            }
        }
    );

    function localeData() {
        return this._locale;
    }

    var MS_PER_SECOND = 1000,
        MS_PER_MINUTE = 60 * MS_PER_SECOND,
        MS_PER_HOUR = 60 * MS_PER_MINUTE,
        MS_PER_400_YEARS = (365 * 400 + 97) * 24 * MS_PER_HOUR;

    // actual modulo - handles negative numbers (for dates before 1970):
    function mod$1(dividend, divisor) {
        return ((dividend % divisor) + divisor) % divisor;
    }

    function localStartOfDate(y, m, d) {
        // the date constructor remaps years 0-99 to 1900-1999
        if (y &lt; 100 &amp;&amp; y &gt;= 0) {
            // preserve leap years using a full 400 year cycle, then reset
            return new Date(y + 400, m, d) - MS_PER_400_YEARS;
        } else {
            return new Date(y, m, d).valueOf();
        }
    }

    function utcStartOfDate(y, m, d) {
        // Date.UTC remaps years 0-99 to 1900-1999
        if (y &lt; 100 &amp;&amp; y &gt;= 0) {
            // preserve leap years using a full 400 year cycle, then reset
            return Date.UTC(y + 400, m, d) - MS_PER_400_YEARS;
        } else {
            return Date.UTC(y, m, d);
        }
    }

    function startOf(units) {
        var time, startOfDate;
        units = normalizeUnits(units);
        if (units === undefined || units === 'millisecond' || !this.isValid()) {
            return this;
        }

        startOfDate = this._isUTC ? utcStartOfDate : localStartOfDate;

        switch (units) {
            case 'year':
                time = startOfDate(this.year(), 0, 1);
                break;
            case 'quarter':
                time = startOfDate(
                    this.year(),
                    this.month() - (this.month() % 3),
                    1
                );
                break;
            case 'month':
                time = startOfDate(this.year(), this.month(), 1);
                break;
            case 'week':
                time = startOfDate(
                    this.year(),
                    this.month(),
                    this.date() - this.weekday()
                );
                break;
            case 'isoWeek':
                time = startOfDate(
                    this.year(),
                    this.month(),
                    this.date() - (this.isoWeekday() - 1)
                );
                break;
            case 'day':
            case 'date':
                time = startOfDate(this.year(), this.month(), this.date());
                break;
            case 'hour':
                time = this._d.valueOf();
                time -= mod$1(
                    time + (this._isUTC ? 0 : this.utcOffset() * MS_PER_MINUTE),
                    MS_PER_HOUR
                );
                break;
            case 'minute':
                time = this._d.valueOf();
                time -= mod$1(time, MS_PER_MINUTE);
                break;
            case 'second':
                time = this._d.valueOf();
                time -= mod$1(time, MS_PER_SECOND);
                break;
        }

        this._d.setTime(time);
        hooks.updateOffset(this, true);
        return this;
    }

    function endOf(units) {
        var time, startOfDate;
        units = normalizeUnits(units);
        if (units === undefined || units === 'millisecond' || !this.isValid()) {
            return this;
        }

        startOfDate = this._isUTC ? utcStartOfDate : localStartOfDate;

        switch (units) {
            case 'year':
                time = startOfDate(this.year() + 1, 0, 1) - 1;
                break;
            case 'quarter':
                time =
                    startOfDate(
                        this.year(),
                        this.month() - (this.month() % 3) + 3,
                        1
                    ) - 1;
                break;
            case 'month':
                time = startOfDate(this.year(), this.month() + 1, 1) - 1;
                break;
            case 'week':
                time =
                    startOfDate(
                        this.year(),
                        this.month(),
                        this.date() - this.weekday() + 7
                    ) - 1;
                break;
            case 'isoWeek':
                time =
                    startOfDate(
                        this.year(),
                        this.month(),
                        this.date() - (this.isoWeekday() - 1) + 7
                    ) - 1;
                break;
            case 'day':
            case 'date':
                time = startOfDate(this.year(), this.month(), this.date() + 1) - 1;
                break;
            case 'hour':
                time = this._d.valueOf();
                time +=
                    MS_PER_HOUR -
                    mod$1(
                        time + (this._isUTC ? 0 : this.utcOffset() * MS_PER_MINUTE),
                        MS_PER_HOUR
                    ) -
                    1;
                break;
            case 'minute':
                time = this._d.valueOf();
                time += MS_PER_MINUTE - mod$1(time, MS_PER_MINUTE) - 1;
                break;
            case 'second':
                time = this._d.valueOf();
                time += MS_PER_SECOND - mod$1(time, MS_PER_SECOND) - 1;
                break;
        }

        this._d.setTime(time);
        hooks.updateOffset(this, true);
        return this;
    }

    function valueOf() {
        return this._d.valueOf() - (this._offset || 0) * 60000;
    }

    function unix() {
        return Math.floor(this.valueOf() / 1000);
    }

    function toDate() {
        return new Date(this.valueOf());
    }

    function toArray() {
        var m = this;
        return [
            m.year(),
            m.month(),
            m.date(),
            m.hour(),
            m.minute(),
            m.second(),
            m.millisecond(),
        ];
    }

    function toObject() {
        var m = this;
        return {
            years: m.year(),
            months: m.month(),
            date: m.date(),
            hours: m.hours(),
            minutes: m.minutes(),
            seconds: m.seconds(),
            milliseconds: m.milliseconds(),
        };
    }

    function toJSON() {
        // new Date(NaN).toJSON() === null
        return this.isValid() ? this.toISOString() : null;
    }

    function isValid$2() {
        return isValid(this);
    }

    function parsingFlags() {
        return extend({}, getParsingFlags(this));
    }

    function invalidAt() {
        return getParsingFlags(this).overflow;
    }

    function creationData() {
        return {
            input: this._i,
            format: this._f,
            locale: this._locale,
            isUTC: this._isUTC,
            strict: this._strict,
        };
    }

    addFormatToken('N', 0, 0, 'eraAbbr');
    addFormatToken('NN', 0, 0, 'eraAbbr');
    addFormatToken('NNN', 0, 0, 'eraAbbr');
    addFormatToken('NNNN', 0, 0, 'eraName');
    addFormatToken('NNNNN', 0, 0, 'eraNarrow');

    addFormatToken('y', ['y', 1], 'yo', 'eraYear');
    addFormatToken('y', ['yy', 2], 0, 'eraYear');
    addFormatToken('y', ['yyy', 3], 0, 'eraYear');
    addFormatToken('y', ['yyyy', 4], 0, 'eraYear');

    addRegexToken('N', matchEraAbbr);
    addRegexToken('NN', matchEraAbbr);
    addRegexToken('NNN', matchEraAbbr);
    addRegexToken('NNNN', matchEraName);
    addRegexToken('NNNNN', matchEraNarrow);

    addParseToken(
        ['N', 'NN', 'NNN', 'NNNN', 'NNNNN'],
        function (input, array, config, token) {
            var era = config._locale.erasParse(input, token, config._strict);
            if (era) {
                getParsingFlags(config).era = era;
            } else {
                getParsingFlags(config).invalidEra = input;
            }
        }
    );

    addRegexToken('y', matchUnsigned);
    addRegexToken('yy', matchUnsigned);
    addRegexToken('yyy', matchUnsigned);
    addRegexToken('yyyy', matchUnsigned);
    addRegexToken('yo', matchEraYearOrdinal);

    addParseToken(['y', 'yy', 'yyy', 'yyyy'], YEAR);
    addParseToken(['yo'], function (input, array, config, token) {
        var match;
        if (config._locale._eraYearOrdinalRegex) {
            match = input.match(config._locale._eraYearOrdinalRegex);
        }

        if (config._locale.eraYearOrdinalParse) {
            array[YEAR] = config._locale.eraYearOrdinalParse(input, match);
        } else {
            array[YEAR] = parseInt(input, 10);
        }
    });

    function localeEras(m, format) {
        var i,
            l,
            date,
            eras = this._eras || getLocale('en')._eras;
        for (i = 0, l = eras.length; i &lt; l; ++i) {
            switch (typeof eras[i].since) {
                case 'string':
                    // truncate time
                    date = hooks(eras[i].since).startOf('day');
                    eras[i].since = date.valueOf();
                    break;
            }

            switch (typeof eras[i].until) {
                case 'undefined':
                    eras[i].until = +Infinity;
                    break;
                case 'string':
                    // truncate time
                    date = hooks(eras[i].until).startOf('day').valueOf();
                    eras[i].until = date.valueOf();
                    break;
            }
        }
        return eras;
    }

    function localeErasParse(eraName, format, strict) {
        var i,
            l,
            eras = this.eras(),
            name,
            abbr,
            narrow;
        eraName = eraName.toUpperCase();

        for (i = 0, l = eras.length; i &lt; l; ++i) {
            name = eras[i].name.toUpperCase();
            abbr = eras[i].abbr.toUpperCase();
            narrow = eras[i].narrow.toUpperCase();

            if (strict) {
                switch (format) {
                    case 'N':
                    case 'NN':
                    case 'NNN':
                        if (abbr === eraName) {
                            return eras[i];
                        }
                        break;

                    case 'NNNN':
                        if (name === eraName) {
                            return eras[i];
                        }
                        break;

                    case 'NNNNN':
                        if (narrow === eraName) {
                            return eras[i];
                        }
                        break;
                }
            } else if ([name, abbr, narrow].indexOf(eraName) &gt;= 0) {
                return eras[i];
            }
        }
    }

    function localeErasConvertYear(era, year) {
        var dir = era.since &lt;= era.until ? +1 : -1;
        if (year === undefined) {
            return hooks(era.since).year();
        } else {
            return hooks(era.since).year() + (year - era.offset) * dir;
        }
    }

    function getEraName() {
        var i,
            l,
            val,
            eras = this.localeData().eras();
        for (i = 0, l = eras.length; i &lt; l; ++i) {
            // truncate time
            val = this.clone().startOf('day').valueOf();

            if (eras[i].since &lt;= val &amp;&amp; val &lt;= eras[i].until) {
                return eras[i].name;
            }
            if (eras[i].until &lt;= val &amp;&amp; val &lt;= eras[i].since) {
                return eras[i].name;
            }
        }

        return '';
    }

    function getEraNarrow() {
        var i,
            l,
            val,
            eras = this.localeData().eras();
        for (i = 0, l = eras.length; i &lt; l; ++i) {
            // truncate time
            val = this.clone().startOf('day').valueOf();

            if (eras[i].since &lt;= val &amp;&amp; val &lt;= eras[i].until) {
                return eras[i].narrow;
            }
            if (eras[i].until &lt;= val &amp;&amp; val &lt;= eras[i].since) {
                return eras[i].narrow;
            }
        }

        return '';
    }

    function getEraAbbr() {
        var i,
            l,
            val,
            eras = this.localeData().eras();
        for (i = 0, l = eras.length; i &lt; l; ++i) {
            // truncate time
            val = this.clone().startOf('day').valueOf();

            if (eras[i].since &lt;= val &amp;&amp; val &lt;= eras[i].until) {
                return eras[i].abbr;
            }
            if (eras[i].until &lt;= val &amp;&amp; val &lt;= eras[i].since) {
                return eras[i].abbr;
            }
        }

        return '';
    }

    function getEraYear() {
        var i,
            l,
            dir,
            val,
            eras = this.localeData().eras();
        for (i = 0, l = eras.length; i &lt; l; ++i) {
            dir = eras[i].since &lt;= eras[i].until ? +1 : -1;

            // truncate time
            val = this.clone().startOf('day').valueOf();

            if (
                (eras[i].since &lt;= val &amp;&amp; val &lt;= eras[i].until) ||
                (eras[i].until &lt;= val &amp;&amp; val &lt;= eras[i].since)
            ) {
                return (
                    (this.year() - hooks(eras[i].since).year()) * dir +
                    eras[i].offset
                );
            }
        }

        return this.year();
    }

    function erasNameRegex(isStrict) {
        if (!hasOwnProp(this, '_erasNameRegex')) {
            computeErasParse.call(this);
        }
        return isStrict ? this._erasNameRegex : this._erasRegex;
    }

    function erasAbbrRegex(isStrict) {
        if (!hasOwnProp(this, '_erasAbbrRegex')) {
            computeErasParse.call(this);
        }
        return isStrict ? this._erasAbbrRegex : this._erasRegex;
    }

    function erasNarrowRegex(isStrict) {
        if (!hasOwnProp(this, '_erasNarrowRegex')) {
            computeErasParse.call(this);
        }
        return isStrict ? this._erasNarrowRegex : this._erasRegex;
    }

    function matchEraAbbr(isStrict, locale) {
        return locale.erasAbbrRegex(isStrict);
    }

    function matchEraName(isStrict, locale) {
        return locale.erasNameRegex(isStrict);
    }

    function matchEraNarrow(isStrict, locale) {
        return locale.erasNarrowRegex(isStrict);
    }

    function matchEraYearOrdinal(isStrict, locale) {
        return locale._eraYearOrdinalRegex || matchUnsigned;
    }

    function computeErasParse() {
        var abbrPieces = [],
            namePieces = [],
            narrowPieces = [],
            mixedPieces = [],
            i,
            l,
            eras = this.eras();

        for (i = 0, l = eras.length; i &lt; l; ++i) {
            namePieces.push(regexEscape(eras[i].name));
            abbrPieces.push(regexEscape(eras[i].abbr));
            narrowPieces.push(regexEscape(eras[i].narrow));

            mixedPieces.push(regexEscape(eras[i].name));
            mixedPieces.push(regexEscape(eras[i].abbr));
            mixedPieces.push(regexEscape(eras[i].narrow));
        }

        this._erasRegex = new RegExp('^(' + mixedPieces.join('|') + ')', 'i');
        this._erasNameRegex = new RegExp('^(' + namePieces.join('|') + ')', 'i');
        this._erasAbbrRegex = new RegExp('^(' + abbrPieces.join('|') + ')', 'i');
        this._erasNarrowRegex = new RegExp(
            '^(' + narrowPieces.join('|') + ')',
            'i'
        );
    }

    // FORMATTING

    addFormatToken(0, ['gg', 2], 0, function () {
        return this.weekYear() % 100;
    });

    addFormatToken(0, ['GG', 2], 0, function () {
        return this.isoWeekYear() % 100;
    });

    function addWeekYearFormatToken(token, getter) {
        addFormatToken(0, [token, token.length], 0, getter);
    }

    addWeekYearFormatToken('gggg', 'weekYear');
    addWeekYearFormatToken('ggggg', 'weekYear');
    addWeekYearFormatToken('GGGG', 'isoWeekYear');
    addWeekYearFormatToken('GGGGG', 'isoWeekYear');

    // ALIASES

    addUnitAlias('weekYear', 'gg');
    addUnitAlias('isoWeekYear', 'GG');

    // PRIORITY

    addUnitPriority('weekYear', 1);
    addUnitPriority('isoWeekYear', 1);

    // PARSING

    addRegexToken('G', matchSigned);
    addRegexToken('g', matchSigned);
    addRegexToken('GG', match1to2, match2);
    addRegexToken('gg', match1to2, match2);
    addRegexToken('GGGG', match1to4, match4);
    addRegexToken('gggg', match1to4, match4);
    addRegexToken('GGGGG', match1to6, match6);
    addRegexToken('ggggg', match1to6, match6);

    addWeekParseToken(
        ['gggg', 'ggggg', 'GGGG', 'GGGGG'],
        function (input, week, config, token) {
            week[token.substr(0, 2)] = toInt(input);
        }
    );

    addWeekParseToken(['gg', 'GG'], function (input, week, config, token) {
        week[token] = hooks.parseTwoDigitYear(input);
    });

    // MOMENTS

    function getSetWeekYear(input) {
        return getSetWeekYearHelper.call(
            this,
            input,
            this.week(),
            this.weekday(),
            this.localeData()._week.dow,
            this.localeData()._week.doy
        );
    }

    function getSetISOWeekYear(input) {
        return getSetWeekYearHelper.call(
            this,
            input,
            this.isoWeek(),
            this.isoWeekday(),
            1,
            4
        );
    }

    function getISOWeeksInYear() {
        return weeksInYear(this.year(), 1, 4);
    }

    function getISOWeeksInISOWeekYear() {
        return weeksInYear(this.isoWeekYear(), 1, 4);
    }

    function getWeeksInYear() {
        var weekInfo = this.localeData()._week;
        return weeksInYear(this.year(), weekInfo.dow, weekInfo.doy);
    }

    function getWeeksInWeekYear() {
        var weekInfo = this.localeData()._week;
        return weeksInYear(this.weekYear(), weekInfo.dow, weekInfo.doy);
    }

    function getSetWeekYearHelper(input, week, weekday, dow, doy) {
        var weeksTarget;
        if (input == null) {
            return weekOfYear(this, dow, doy).year;
        } else {
            weeksTarget = weeksInYear(input, dow, doy);
            if (week &gt; weeksTarget) {
                week = weeksTarget;
            }
            return setWeekAll.call(this, input, week, weekday, dow, doy);
        }
    }

    function setWeekAll(weekYear, week, weekday, dow, doy) {
        var dayOfYearData = dayOfYearFromWeeks(weekYear, week, weekday, dow, doy),
            date = createUTCDate(dayOfYearData.year, 0, dayOfYearData.dayOfYear);

        this.year(date.getUTCFullYear());
        this.month(date.getUTCMonth());
        this.date(date.getUTCDate());
        return this;
    }

    // FORMATTING

    addFormatToken('Q', 0, 'Qo', 'quarter');

    // ALIASES

    addUnitAlias('quarter', 'Q');

    // PRIORITY

    addUnitPriority('quarter', 7);

    // PARSING

    addRegexToken('Q', match1);
    addParseToken('Q', function (input, array) {
        array[MONTH] = (toInt(input) - 1) * 3;
    });

    // MOMENTS

    function getSetQuarter(input) {
        return input == null
            ? Math.ceil((this.month() + 1) / 3)
            : this.month((input - 1) * 3 + (this.month() % 3));
    }

    // FORMATTING

    addFormatToken('D', ['DD', 2], 'Do', 'date');

    // ALIASES

    addUnitAlias('date', 'D');

    // PRIORITY
    addUnitPriority('date', 9);

    // PARSING

    addRegexToken('D', match1to2);
    addRegexToken('DD', match1to2, match2);
    addRegexToken('Do', function (isStrict, locale) {
        // TODO: Remove "ordinalParse" fallback in next major release.
        return isStrict
            ? locale._dayOfMonthOrdinalParse || locale._ordinalParse
            : locale._dayOfMonthOrdinalParseLenient;
    });

    addParseToken(['D', 'DD'], DATE);
    addParseToken('Do', function (input, array) {
        array[DATE] = toInt(input.match(match1to2)[0]);
    });

    // MOMENTS

    var getSetDayOfMonth = makeGetSet('Date', true);

    // FORMATTING

    addFormatToken('DDD', ['DDDD', 3], 'DDDo', 'dayOfYear');

    // ALIASES

    addUnitAlias('dayOfYear', 'DDD');

    // PRIORITY
    addUnitPriority('dayOfYear', 4);

    // PARSING

    addRegexToken('DDD', match1to3);
    addRegexToken('DDDD', match3);
    addParseToken(['DDD', 'DDDD'], function (input, array, config) {
        config._dayOfYear = toInt(input);
    });

    // HELPERS

    // MOMENTS

    function getSetDayOfYear(input) {
        var dayOfYear =
            Math.round(
                (this.clone().startOf('day') - this.clone().startOf('year')) / 864e5
            ) + 1;
        return input == null ? dayOfYear : this.add(input - dayOfYear, 'd');
    }

    // FORMATTING

    addFormatToken('m', ['mm', 2], 0, 'minute');

    // ALIASES

    addUnitAlias('minute', 'm');

    // PRIORITY

    addUnitPriority('minute', 14);

    // PARSING

    addRegexToken('m', match1to2);
    addRegexToken('mm', match1to2, match2);
    addParseToken(['m', 'mm'], MINUTE);

    // MOMENTS

    var getSetMinute = makeGetSet('Minutes', false);

    // FORMATTING

    addFormatToken('s', ['ss', 2], 0, 'second');

    // ALIASES

    addUnitAlias('second', 's');

    // PRIORITY

    addUnitPriority('second', 15);

    // PARSING

    addRegexToken('s', match1to2);
    addRegexToken('ss', match1to2, match2);
    addParseToken(['s', 'ss'], SECOND);

    // MOMENTS

    var getSetSecond = makeGetSet('Seconds', false);

    // FORMATTING

    addFormatToken('S', 0, 0, function () {
        return ~~(this.millisecond() / 100);
    });

    addFormatToken(0, ['SS', 2], 0, function () {
        return ~~(this.millisecond() / 10);
    });

    addFormatToken(0, ['SSS', 3], 0, 'millisecond');
    addFormatToken(0, ['SSSS', 4], 0, function () {
        return this.millisecond() * 10;
    });
    addFormatToken(0, ['SSSSS', 5], 0, function () {
        return this.millisecond() * 100;
    });
    addFormatToken(0, ['SSSSSS', 6], 0, function () {
        return this.millisecond() * 1000;
    });
    addFormatToken(0, ['SSSSSSS', 7], 0, function () {
        return this.millisecond() * 10000;
    });
    addFormatToken(0, ['SSSSSSSS', 8], 0, function () {
        return this.millisecond() * 100000;
    });
    addFormatToken(0, ['SSSSSSSSS', 9], 0, function () {
        return this.millisecond() * 1000000;
    });

    // ALIASES

    addUnitAlias('millisecond', 'ms');

    // PRIORITY

    addUnitPriority('millisecond', 16);

    // PARSING

    addRegexToken('S', match1to3, match1);
    addRegexToken('SS', match1to3, match2);
    addRegexToken('SSS', match1to3, match3);

    var token, getSetMillisecond;
    for (token = 'SSSS'; token.length &lt;= 9; token += 'S') {
        addRegexToken(token, matchUnsigned);
    }

    function parseMs(input, array) {
        array[MILLISECOND] = toInt(('0.' + input) * 1000);
    }

    for (token = 'S'; token.length &lt;= 9; token += 'S') {
        addParseToken(token, parseMs);
    }

    getSetMillisecond = makeGetSet('Milliseconds', false);

    // FORMATTING

    addFormatToken('z', 0, 0, 'zoneAbbr');
    addFormatToken('zz', 0, 0, 'zoneName');

    // MOMENTS

    function getZoneAbbr() {
        return this._isUTC ? 'UTC' : '';
    }

    function getZoneName() {
        return this._isUTC ? 'Coordinated Universal Time' : '';
    }

    var proto = Moment.prototype;

    proto.add = add;
    proto.calendar = calendar$1;
    proto.clone = clone;
    proto.diff = diff;
    proto.endOf = endOf;
    proto.format = format;
    proto.from = from;
    proto.fromNow = fromNow;
    proto.to = to;
    proto.toNow = toNow;
    proto.get = stringGet;
    proto.invalidAt = invalidAt;
    proto.isAfter = isAfter;
    proto.isBefore = isBefore;
    proto.isBetween = isBetween;
    proto.isSame = isSame;
    proto.isSameOrAfter = isSameOrAfter;
    proto.isSameOrBefore = isSameOrBefore;
    proto.isValid = isValid$2;
    proto.lang = lang;
    proto.locale = locale;
    proto.localeData = localeData;
    proto.max = prototypeMax;
    proto.min = prototypeMin;
    proto.parsingFlags = parsingFlags;
    proto.set = stringSet;
    proto.startOf = startOf;
    proto.subtract = subtract;
    proto.toArray = toArray;
    proto.toObject = toObject;
    proto.toDate = toDate;
    proto.toISOString = toISOString;
    proto.inspect = inspect;
    if (typeof Symbol !== 'undefined' &amp;&amp; Symbol.for != null) {
        proto[Symbol.for('nodejs.util.inspect.custom')] = function () {
            return 'Moment&lt;' + this.format() + '&gt;';
        };
    }
    proto.toJSON = toJSON;
    proto.toString = toString;
    proto.unix = unix;
    proto.valueOf = valueOf;
    proto.creationData = creationData;
    proto.eraName = getEraName;
    proto.eraNarrow = getEraNarrow;
    proto.eraAbbr = getEraAbbr;
    proto.eraYear = getEraYear;
    proto.year = getSetYear;
    proto.isLeapYear = getIsLeapYear;
    proto.weekYear = getSetWeekYear;
    proto.isoWeekYear = getSetISOWeekYear;
    proto.quarter = proto.quarters = getSetQuarter;
    proto.month = getSetMonth;
    proto.daysInMonth = getDaysInMonth;
    proto.week = proto.weeks = getSetWeek;
    proto.isoWeek = proto.isoWeeks = getSetISOWeek;
    proto.weeksInYear = getWeeksInYear;
    proto.weeksInWeekYear = getWeeksInWeekYear;
    proto.isoWeeksInYear = getISOWeeksInYear;
    proto.isoWeeksInISOWeekYear = getISOWeeksInISOWeekYear;
    proto.date = getSetDayOfMonth;
    proto.day = proto.days = getSetDayOfWeek;
    proto.weekday = getSetLocaleDayOfWeek;
    proto.isoWeekday = getSetISODayOfWeek;
    proto.dayOfYear = getSetDayOfYear;
    proto.hour = proto.hours = getSetHour;
    proto.minute = proto.minutes = getSetMinute;
    proto.second = proto.seconds = getSetSecond;
    proto.millisecond = proto.milliseconds = getSetMillisecond;
    proto.utcOffset = getSetOffset;
    proto.utc = setOffsetToUTC;
    proto.local = setOffsetToLocal;
    proto.parseZone = setOffsetToParsedOffset;
    proto.hasAlignedHourOffset = hasAlignedHourOffset;
    proto.isDST = isDaylightSavingTime;
    proto.isLocal = isLocal;
    proto.isUtcOffset = isUtcOffset;
    proto.isUtc = isUtc;
    proto.isUTC = isUtc;
    proto.zoneAbbr = getZoneAbbr;
    proto.zoneName = getZoneName;
    proto.dates = deprecate(
        'dates accessor is deprecated. Use date instead.',
        getSetDayOfMonth
    );
    proto.months = deprecate(
        'months accessor is deprecated. Use month instead',
        getSetMonth
    );
    proto.years = deprecate(
        'years accessor is deprecated. Use year instead',
        getSetYear
    );
    proto.zone = deprecate(
        'moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/',
        getSetZone
    );
    proto.isDSTShifted = deprecate(
        'isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information',
        isDaylightSavingTimeShifted
    );

    function createUnix(input) {
        return createLocal(input * 1000);
    }

    function createInZone() {
        return createLocal.apply(null, arguments).parseZone();
    }

    function preParsePostFormat(string) {
        return string;
    }

    var proto$1 = Locale.prototype;

    proto$1.calendar = calendar;
    proto$1.longDateFormat = longDateFormat;
    proto$1.invalidDate = invalidDate;
    proto$1.ordinal = ordinal;
    proto$1.preparse = preParsePostFormat;
    proto$1.postformat = preParsePostFormat;
    proto$1.relativeTime = relativeTime;
    proto$1.pastFuture = pastFuture;
    proto$1.set = set;
    proto$1.eras = localeEras;
    proto$1.erasParse = localeErasParse;
    proto$1.erasConvertYear = localeErasConvertYear;
    proto$1.erasAbbrRegex = erasAbbrRegex;
    proto$1.erasNameRegex = erasNameRegex;
    proto$1.erasNarrowRegex = erasNarrowRegex;

    proto$1.months = localeMonths;
    proto$1.monthsShort = localeMonthsShort;
    proto$1.monthsParse = localeMonthsParse;
    proto$1.monthsRegex = monthsRegex;
    proto$1.monthsShortRegex = monthsShortRegex;
    proto$1.week = localeWeek;
    proto$1.firstDayOfYear = localeFirstDayOfYear;
    proto$1.firstDayOfWeek = localeFirstDayOfWeek;

    proto$1.weekdays = localeWeekdays;
    proto$1.weekdaysMin = localeWeekdaysMin;
    proto$1.weekdaysShort = localeWeekdaysShort;
    proto$1.weekdaysParse = localeWeekdaysParse;

    proto$1.weekdaysRegex = weekdaysRegex;
    proto$1.weekdaysShortRegex = weekdaysShortRegex;
    proto$1.weekdaysMinRegex = weekdaysMinRegex;

    proto$1.isPM = localeIsPM;
    proto$1.meridiem = localeMeridiem;

    function get$1(format, index, field, setter) {
        var locale = getLocale(),
            utc = createUTC().set(setter, index);
        return locale[field](utc, format);
    }

    function listMonthsImpl(format, index, field) {
        if (isNumber(format)) {
            index = format;
            format = undefined;
        }

        format = format || '';

        if (index != null) {
            return get$1(format, index, field, 'month');
        }

        var i,
            out = [];
        for (i = 0; i &lt; 12; i++) {
            out[i] = get$1(format, i, field, 'month');
        }
        return out;
    }

    // ()
    // (5)
    // (fmt, 5)
    // (fmt)
    // (true)
    // (true, 5)
    // (true, fmt, 5)
    // (true, fmt)
    function listWeekdaysImpl(localeSorted, format, index, field) {
        if (typeof localeSorted === 'boolean') {
            if (isNumber(format)) {
                index = format;
                format = undefined;
            }

            format = format || '';
        } else {
            format = localeSorted;
            index = format;
            localeSorted = false;

            if (isNumber(format)) {
                index = format;
                format = undefined;
            }

            format = format || '';
        }

        var locale = getLocale(),
            shift = localeSorted ? locale._week.dow : 0,
            i,
            out = [];

        if (index != null) {
            return get$1(format, (index + shift) % 7, field, 'day');
        }

        for (i = 0; i &lt; 7; i++) {
            out[i] = get$1(format, (i + shift) % 7, field, 'day');
        }
        return out;
    }

    function listMonths(format, index) {
        return listMonthsImpl(format, index, 'months');
    }

    function listMonthsShort(format, index) {
        return listMonthsImpl(format, index, 'monthsShort');
    }

    function listWeekdays(localeSorted, format, index) {
        return listWeekdaysImpl(localeSorted, format, index, 'weekdays');
    }

    function listWeekdaysShort(localeSorted, format, index) {
        return listWeekdaysImpl(localeSorted, format, index, 'weekdaysShort');
    }

    function listWeekdaysMin(localeSorted, format, index) {
        return listWeekdaysImpl(localeSorted, format, index, 'weekdaysMin');
    }

    getSetGlobalLocale('en', {
        eras: [
            {
                since: '0001-01-01',
                until: +Infinity,
                offset: 1,
                name: 'Anno Domini',
                narrow: 'AD',
                abbr: 'AD',
            },
            {
                since: '0000-12-31',
                until: -Infinity,
                offset: 1,
                name: 'Before Christ',
                narrow: 'BC',
                abbr: 'BC',
            },
        ],
        dayOfMonthOrdinalParse: /\d{1,2}(th|st|nd|rd)/,
        ordinal: function (number) {
            var b = number % 10,
                output =
                    toInt((number % 100) / 10) === 1
                        ? 'th'
                        : b === 1
                        ? 'st'
                        : b === 2
                        ? 'nd'
                        : b === 3
                        ? 'rd'
                        : 'th';
            return number + output;
        },
    });

    // Side effect imports

    hooks.lang = deprecate(
        'moment.lang is deprecated. Use moment.locale instead.',
        getSetGlobalLocale
    );
    hooks.langData = deprecate(
        'moment.langData is deprecated. Use moment.localeData instead.',
        getLocale
    );

    var mathAbs = Math.abs;

    function abs() {
        var data = this._data;

        this._milliseconds = mathAbs(this._milliseconds);
        this._days = mathAbs(this._days);
        this._months = mathAbs(this._months);

        data.milliseconds = mathAbs(data.milliseconds);
        data.seconds = mathAbs(data.seconds);
        data.minutes = mathAbs(data.minutes);
        data.hours = mathAbs(data.hours);
        data.months = mathAbs(data.months);
        data.years = mathAbs(data.years);

        return this;
    }

    function addSubtract$1(duration, input, value, direction) {
        var other = createDuration(input, value);

        duration._milliseconds += direction * other._milliseconds;
        duration._days += direction * other._days;
        duration._months += direction * other._months;

        return duration._bubble();
    }

    // supports only 2.0-style add(1, 's') or add(duration)
    function add$1(input, value) {
        return addSubtract$1(this, input, value, 1);
    }

    // supports only 2.0-style subtract(1, 's') or subtract(duration)
    function subtract$1(input, value) {
        return addSubtract$1(this, input, value, -1);
    }

    function absCeil(number) {
        if (number &lt; 0) {
            return Math.floor(number);
        } else {
            return Math.ceil(number);
        }
    }

    function bubble() {
        var milliseconds = this._milliseconds,
            days = this._days,
            months = this._months,
            data = this._data,
            seconds,
            minutes,
            hours,
            years,
            monthsFromDays;

        // if we have a mix of positive and negative values, bubble down first
        // check: https://github.com/moment/moment/issues/2166
        if (
            !(
                (milliseconds &gt;= 0 &amp;&amp; days &gt;= 0 &amp;&amp; months &gt;= 0) ||
                (milliseconds &lt;= 0 &amp;&amp; days &lt;= 0 &amp;&amp; months &lt;= 0)
            )
        ) {
            milliseconds += absCeil(monthsToDays(months) + days) * 864e5;
            days = 0;
            months = 0;
        }

        // The following code bubbles up values, see the tests for
        // examples of what that means.
        data.milliseconds = milliseconds % 1000;

        seconds = absFloor(milliseconds / 1000);
        data.seconds = seconds % 60;

        minutes = absFloor(seconds / 60);
        data.minutes = minutes % 60;

        hours = absFloor(minutes / 60);
        data.hours = hours % 24;

        days += absFloor(hours / 24);

        // convert days to months
        monthsFromDays = absFloor(daysToMonths(days));
        months += monthsFromDays;
        days -= absCeil(monthsToDays(monthsFromDays));

        // 12 months -&gt; 1 year
        years = absFloor(months / 12);
        months %= 12;

        data.days = days;
        data.months = months;
        data.years = years;

        return this;
    }

    function daysToMonths(days) {
        // 400 years have 146097 days (taking into account leap year rules)
        // 400 years have 12 months === 4800
        return (days * 4800) / 146097;
    }

    function monthsToDays(months) {
        // the reverse of daysToMonths
        return (months * 146097) / 4800;
    }

    function as(units) {
        if (!this.isValid()) {
            return NaN;
        }
        var days,
            months,
            milliseconds = this._milliseconds;

        units = normalizeUnits(units);

        if (units === 'month' || units === 'quarter' || units === 'year') {
            days = this._days + milliseconds / 864e5;
            months = this._months + daysToMonths(days);
            switch (units) {
                case 'month':
                    return months;
                case 'quarter':
                    return months / 3;
                case 'year':
                    return months / 12;
            }
        } else {
            // handle milliseconds separately because of floating point math errors (issue #1867)
            days = this._days + Math.round(monthsToDays(this._months));
            switch (units) {
                case 'week':
                    return days / 7 + milliseconds / 6048e5;
                case 'day':
                    return days + milliseconds / 864e5;
                case 'hour':
                    return days * 24 + milliseconds / 36e5;
                case 'minute':
                    return days * 1440 + milliseconds / 6e4;
                case 'second':
                    return days * 86400 + milliseconds / 1000;
                // Math.floor prevents floating point math errors here
                case 'millisecond':
                    return Math.floor(days * 864e5) + milliseconds;
                default:
                    throw new Error('Unknown unit ' + units);
            }
        }
    }

    // TODO: Use this.as('ms')?
    function valueOf$1() {
        if (!this.isValid()) {
            return NaN;
        }
        return (
            this._milliseconds +
            this._days * 864e5 +
            (this._months % 12) * 2592e6 +
            toInt(this._months / 12) * 31536e6
        );
    }

    function makeAs(alias) {
        return function () {
            return this.as(alias);
        };
    }

    var asMilliseconds = makeAs('ms'),
        asSeconds = makeAs('s'),
        asMinutes = makeAs('m'),
        asHours = makeAs('h'),
        asDays = makeAs('d'),
        asWeeks = makeAs('w'),
        asMonths = makeAs('M'),
        asQuarters = makeAs('Q'),
        asYears = makeAs('y');

    function clone$1() {
        return createDuration(this);
    }

    function get$2(units) {
        units = normalizeUnits(units);
        return this.isValid() ? this[units + 's']() : NaN;
    }

    function makeGetter(name) {
        return function () {
            return this.isValid() ? this._data[name] : NaN;
        };
    }

    var milliseconds = makeGetter('milliseconds'),
        seconds = makeGetter('seconds'),
        minutes = makeGetter('minutes'),
        hours = makeGetter('hours'),
        days = makeGetter('days'),
        months = makeGetter('months'),
        years = makeGetter('years');

    function weeks() {
        return absFloor(this.days() / 7);
    }

    var round = Math.round,
        thresholds = {
            ss: 44, // a few seconds to seconds
            s: 45, // seconds to minute
            m: 45, // minutes to hour
            h: 22, // hours to day
            d: 26, // days to month/week
            w: null, // weeks to month
            M: 11, // months to year
        };

    // helper function for moment.fn.from, moment.fn.fromNow, and moment.duration.fn.humanize
    function substituteTimeAgo(string, number, withoutSuffix, isFuture, locale) {
        return locale.relativeTime(number || 1, !!withoutSuffix, string, isFuture);
    }

    function relativeTime$1(posNegDuration, withoutSuffix, thresholds, locale) {
        var duration = createDuration(posNegDuration).abs(),
            seconds = round(duration.as('s')),
            minutes = round(duration.as('m')),
            hours = round(duration.as('h')),
            days = round(duration.as('d')),
            months = round(duration.as('M')),
            weeks = round(duration.as('w')),
            years = round(duration.as('y')),
            a =
                (seconds &lt;= thresholds.ss &amp;&amp; ['s', seconds]) ||
                (seconds &lt; thresholds.s &amp;&amp; ['ss', seconds]) ||
                (minutes &lt;= 1 &amp;&amp; ['m']) ||
                (minutes &lt; thresholds.m &amp;&amp; ['mm', minutes]) ||
                (hours &lt;= 1 &amp;&amp; ['h']) ||
                (hours &lt; thresholds.h &amp;&amp; ['hh', hours]) ||
                (days &lt;= 1 &amp;&amp; ['d']) ||
                (days &lt; thresholds.d &amp;&amp; ['dd', days]);

        if (thresholds.w != null) {
            a =
                a ||
                (weeks &lt;= 1 &amp;&amp; ['w']) ||
                (weeks &lt; thresholds.w &amp;&amp; ['ww', weeks]);
        }
        a = a ||
            (months &lt;= 1 &amp;&amp; ['M']) ||
            (months &lt; thresholds.M &amp;&amp; ['MM', months]) ||
            (years &lt;= 1 &amp;&amp; ['y']) || ['yy', years];

        a[2] = withoutSuffix;
        a[3] = +posNegDuration &gt; 0;
        a[4] = locale;
        return substituteTimeAgo.apply(null, a);
    }

    // This function allows you to set the rounding function for relative time strings
    function getSetRelativeTimeRounding(roundingFunction) {
        if (roundingFunction === undefined) {
            return round;
        }
        if (typeof roundingFunction === 'function') {
            round = roundingFunction;
            return true;
        }
        return false;
    }

    // This function allows you to set a threshold for relative time strings
    function getSetRelativeTimeThreshold(threshold, limit) {
        if (thresholds[threshold] === undefined) {
            return false;
        }
        if (limit === undefined) {
            return thresholds[threshold];
        }
        thresholds[threshold] = limit;
        if (threshold === 's') {
            thresholds.ss = limit - 1;
        }
        return true;
    }

    function humanize(argWithSuffix, argThresholds) {
        if (!this.isValid()) {
            return this.localeData().invalidDate();
        }

        var withSuffix = false,
            th = thresholds,
            locale,
            output;

        if (typeof argWithSuffix === 'object') {
            argThresholds = argWithSuffix;
            argWithSuffix = false;
        }
        if (typeof argWithSuffix === 'boolean') {
            withSuffix = argWithSuffix;
        }
        if (typeof argThresholds === 'object') {
            th = Object.assign({}, thresholds, argThresholds);
            if (argThresholds.s != null &amp;&amp; argThresholds.ss == null) {
                th.ss = argThresholds.s - 1;
            }
        }

        locale = this.localeData();
        output = relativeTime$1(this, !withSuffix, th, locale);

        if (withSuffix) {
            output = locale.pastFuture(+this, output);
        }

        return locale.postformat(output);
    }

    var abs$1 = Math.abs;

    function sign(x) {
        return (x &gt; 0) - (x &lt; 0) || +x;
    }

    function toISOString$1() {
        // for ISO strings we do not use the normal bubbling rules:
        //  * milliseconds bubble up until they become hours
        //  * days do not bubble at all
        //  * months bubble up until they become years
        // This is because there is no context-free conversion between hours and days
        // (think of clock changes)
        // and also not between days and months (28-31 days per month)
        if (!this.isValid()) {
            return this.localeData().invalidDate();
        }

        var seconds = abs$1(this._milliseconds) / 1000,
            days = abs$1(this._days),
            months = abs$1(this._months),
            minutes,
            hours,
            years,
            s,
            total = this.asSeconds(),
            totalSign,
            ymSign,
            daysSign,
            hmsSign;

        if (!total) {
            // this is the same as C#'s (Noda) and python (isodate)...
            // but not other JS (goog.date)
            return 'P0D';
        }

        // 3600 seconds -&gt; 60 minutes -&gt; 1 hour
        minutes = absFloor(seconds / 60);
        hours = absFloor(minutes / 60);
        seconds %= 60;
        minutes %= 60;

        // 12 months -&gt; 1 year
        years = absFloor(months / 12);
        months %= 12;

        // inspired by https://github.com/dordille/moment-isoduration/blob/master/moment.isoduration.js
        s = seconds ? seconds.toFixed(3).replace(/\.?0+$/, '') : '';

        totalSign = total &lt; 0 ? '-' : '';
        ymSign = sign(this._months) !== sign(total) ? '-' : '';
        daysSign = sign(this._days) !== sign(total) ? '-' : '';
        hmsSign = sign(this._milliseconds) !== sign(total) ? '-' : '';

        return (
            totalSign +
            'P' +
            (years ? ymSign + years + 'Y' : '') +
            (months ? ymSign + months + 'M' : '') +
            (days ? daysSign + days + 'D' : '') +
            (hours || minutes || seconds ? 'T' : '') +
            (hours ? hmsSign + hours + 'H' : '') +
            (minutes ? hmsSign + minutes + 'M' : '') +
            (seconds ? hmsSign + s + 'S' : '')
        );
    }

    var proto$2 = Duration.prototype;

    proto$2.isValid = isValid$1;
    proto$2.abs = abs;
    proto$2.add = add$1;
    proto$2.subtract = subtract$1;
    proto$2.as = as;
    proto$2.asMilliseconds = asMilliseconds;
    proto$2.asSeconds = asSeconds;
    proto$2.asMinutes = asMinutes;
    proto$2.asHours = asHours;
    proto$2.asDays = asDays;
    proto$2.asWeeks = asWeeks;
    proto$2.asMonths = asMonths;
    proto$2.asQuarters = asQuarters;
    proto$2.asYears = asYears;
    proto$2.valueOf = valueOf$1;
    proto$2._bubble = bubble;
    proto$2.clone = clone$1;
    proto$2.get = get$2;
    proto$2.milliseconds = milliseconds;
    proto$2.seconds = seconds;
    proto$2.minutes = minutes;
    proto$2.hours = hours;
    proto$2.days = days;
    proto$2.weeks = weeks;
    proto$2.months = months;
    proto$2.years = years;
    proto$2.humanize = humanize;
    proto$2.toISOString = toISOString$1;
    proto$2.toString = toISOString$1;
    proto$2.toJSON = toISOString$1;
    proto$2.locale = locale;
    proto$2.localeData = localeData;

    proto$2.toIsoString = deprecate(
        'toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)',
        toISOString$1
    );
    proto$2.lang = lang;

    // FORMATTING

    addFormatToken('X', 0, 0, 'unix');
    addFormatToken('x', 0, 0, 'valueOf');

    // PARSING

    addRegexToken('x', matchSigned);
    addRegexToken('X', matchTimestamp);
    addParseToken('X', function (input, array, config) {
        config._d = new Date(parseFloat(input) * 1000);
    });
    addParseToken('x', function (input, array, config) {
        config._d = new Date(toInt(input));
    });

    //! moment.js

    hooks.version = '2.29.4';

    setHookCallback(createLocal);

    hooks.fn = proto;
    hooks.min = min;
    hooks.max = max;
    hooks.now = now;
    hooks.utc = createUTC;
    hooks.unix = createUnix;
    hooks.months = listMonths;
    hooks.isDate = isDate;
    hooks.locale = getSetGlobalLocale;
    hooks.invalid = createInvalid;
    hooks.duration = createDuration;
    hooks.isMoment = isMoment;
    hooks.weekdays = listWeekdays;
    hooks.parseZone = createInZone;
    hooks.localeData = getLocale;
    hooks.isDuration = isDuration;
    hooks.monthsShort = listMonthsShort;
    hooks.weekdaysMin = listWeekdaysMin;
    hooks.defineLocale = defineLocale;
    hooks.updateLocale = updateLocale;
    hooks.locales = listLocales;
    hooks.weekdaysShort = listWeekdaysShort;
    hooks.normalizeUnits = normalizeUnits;
    hooks.relativeTimeRounding = getSetRelativeTimeRounding;
    hooks.relativeTimeThreshold = getSetRelativeTimeThreshold;
    hooks.calendarFormat = getCalendarFormat;
    hooks.prototype = proto;

    // currently HTML5 input type only supports 24-hour formats
    hooks.HTML5_FMT = {
        DATETIME_LOCAL: 'YYYY-MM-DDTHH:mm', // &lt;input type="datetime-local" /&gt;
        DATETIME_LOCAL_SECONDS: 'YYYY-MM-DDTHH:mm:ss', // &lt;input type="datetime-local" step="1" /&gt;
        DATETIME_LOCAL_MS: 'YYYY-MM-DDTHH:mm:ss.SSS', // &lt;input type="datetime-local" step="0.001" /&gt;
        DATE: 'YYYY-MM-DD', // &lt;input type="date" /&gt;
        TIME: 'HH:mm', // &lt;input type="time" /&gt;
        TIME_SECONDS: 'HH:mm:ss', // &lt;input type="time" step="1" /&gt;
        TIME_MS: 'HH:mm:ss.SSS', // &lt;input type="time" step="0.001" /&gt;
        WEEK: 'GGGG-[W]WW', // &lt;input type="week" /&gt;
        MONTH: 'YYYY-MM', // &lt;input type="month" /&gt;
    };

    return hooks;

})));


/***/ }),

/***/ "./node_modules/popper.js/dist/esm/popper.js":
/*!***************************************************!*\
  !*** ./node_modules/popper.js/dist/esm/popper.js ***!
  \***************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/**!
 * @fileOverview Kickass library to create and place poppers near their reference elements.
 * @version 1.16.1
 * @license
 * Copyright (c) 2016 Federico Zivolo and contributors
 *
 * Permission is hereby granted, free of charge, to any person obtaining a copy
 * of this software and associated documentation files (the "Software"), to deal
 * in the Software without restriction, including without limitation the rights
 * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
 * copies of the Software, and to permit persons to whom the Software is
 * furnished to do so, subject to the following conditions:
 *
 * The above copyright notice and this permission notice shall be included in all
 * copies or substantial portions of the Software.
 *
 * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
 * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
 * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
 * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
 * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
 * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
 * SOFTWARE.
 */
var isBrowser = typeof window !== 'undefined' &amp;&amp; typeof document !== 'undefined' &amp;&amp; typeof navigator !== 'undefined';

var timeoutDuration = function () {
  var longerTimeoutBrowsers = ['Edge', 'Trident', 'Firefox'];
  for (var i = 0; i &lt; longerTimeoutBrowsers.length; i += 1) {
    if (isBrowser &amp;&amp; navigator.userAgent.indexOf(longerTimeoutBrowsers[i]) &gt;= 0) {
      return 1;
    }
  }
  return 0;
}();

function microtaskDebounce(fn) {
  var called = false;
  return function () {
    if (called) {
      return;
    }
    called = true;
    window.Promise.resolve().then(function () {
      called = false;
      fn();
    });
  };
}

function taskDebounce(fn) {
  var scheduled = false;
  return function () {
    if (!scheduled) {
      scheduled = true;
      setTimeout(function () {
        scheduled = false;
        fn();
      }, timeoutDuration);
    }
  };
}

var supportsMicroTasks = isBrowser &amp;&amp; window.Promise;

/**
* Create a debounced version of a method, that's asynchronously deferred
* but called in the minimum time possible.
*
* @method
* @memberof Popper.Utils
* @argument {Function} fn
* @returns {Function}
*/
var debounce = supportsMicroTasks ? microtaskDebounce : taskDebounce;

/**
 * Check if the given variable is a function
 * @method
 * @memberof Popper.Utils
 * @argument {Any} functionToCheck - variable to check
 * @returns {Boolean} answer to: is a function?
 */
function isFunction(functionToCheck) {
  var getType = {};
  return functionToCheck &amp;&amp; getType.toString.call(functionToCheck) === '[object Function]';
}

/**
 * Get CSS computed property of the given element
 * @method
 * @memberof Popper.Utils
 * @argument {Eement} element
 * @argument {String} property
 */
function getStyleComputedProperty(element, property) {
  if (element.nodeType !== 1) {
    return [];
  }
  // NOTE: 1 DOM access here
  var window = element.ownerDocument.defaultView;
  var css = window.getComputedStyle(element, null);
  return property ? css[property] : css;
}

/**
 * Returns the parentNode or the host of the element
 * @method
 * @memberof Popper.Utils
 * @argument {Element} element
 * @returns {Element} parent
 */
function getParentNode(element) {
  if (element.nodeName === 'HTML') {
    return element;
  }
  return element.parentNode || element.host;
}

/**
 * Returns the scrolling parent of the given element
 * @method
 * @memberof Popper.Utils
 * @argument {Element} element
 * @returns {Element} scroll parent
 */
function getScrollParent(element) {
  // Return body, `getScroll` will take care to get the correct `scrollTop` from it
  if (!element) {
    return document.body;
  }

  switch (element.nodeName) {
    case 'HTML':
    case 'BODY':
      return element.ownerDocument.body;
    case '#document':
      return element.body;
  }

  // Firefox want us to check `-x` and `-y` variations as well

  var _getStyleComputedProp = getStyleComputedProperty(element),
      overflow = _getStyleComputedProp.overflow,
      overflowX = _getStyleComputedProp.overflowX,
      overflowY = _getStyleComputedProp.overflowY;

  if (/(auto|scroll|overlay)/.test(overflow + overflowY + overflowX)) {
    return element;
  }

  return getScrollParent(getParentNode(element));
}

/**
 * Returns the reference node of the reference object, or the reference object itself.
 * @method
 * @memberof Popper.Utils
 * @param {Element|Object} reference - the reference element (the popper will be relative to this)
 * @returns {Element} parent
 */
function getReferenceNode(reference) {
  return reference &amp;&amp; reference.referenceNode ? reference.referenceNode : reference;
}

var isIE11 = isBrowser &amp;&amp; !!(window.MSInputMethodContext &amp;&amp; document.documentMode);
var isIE10 = isBrowser &amp;&amp; /MSIE 10/.test(navigator.userAgent);

/**
 * Determines if the browser is Internet Explorer
 * @method
 * @memberof Popper.Utils
 * @param {Number} version to check
 * @returns {Boolean} isIE
 */
function isIE(version) {
  if (version === 11) {
    return isIE11;
  }
  if (version === 10) {
    return isIE10;
  }
  return isIE11 || isIE10;
}

/**
 * Returns the offset parent of the given element
 * @method
 * @memberof Popper.Utils
 * @argument {Element} element
 * @returns {Element} offset parent
 */
function getOffsetParent(element) {
  if (!element) {
    return document.documentElement;
  }

  var noOffsetParent = isIE(10) ? document.body : null;

  // NOTE: 1 DOM access here
  var offsetParent = element.offsetParent || null;
  // Skip hidden elements which don't have an offsetParent
  while (offsetParent === noOffsetParent &amp;&amp; element.nextElementSibling) {
    offsetParent = (element = element.nextElementSibling).offsetParent;
  }

  var nodeName = offsetParent &amp;&amp; offsetParent.nodeName;

  if (!nodeName || nodeName === 'BODY' || nodeName === 'HTML') {
    return element ? element.ownerDocument.documentElement : document.documentElement;
  }

  // .offsetParent will return the closest TH, TD or TABLE in case
  // no offsetParent is present, I hate this job...
  if (['TH', 'TD', 'TABLE'].indexOf(offsetParent.nodeName) !== -1 &amp;&amp; getStyleComputedProperty(offsetParent, 'position') === 'static') {
    return getOffsetParent(offsetParent);
  }

  return offsetParent;
}

function isOffsetContainer(element) {
  var nodeName = element.nodeName;

  if (nodeName === 'BODY') {
    return false;
  }
  return nodeName === 'HTML' || getOffsetParent(element.firstElementChild) === element;
}

/**
 * Finds the root node (document, shadowDOM root) of the given element
 * @method
 * @memberof Popper.Utils
 * @argument {Element} node
 * @returns {Element} root node
 */
function getRoot(node) {
  if (node.parentNode !== null) {
    return getRoot(node.parentNode);
  }

  return node;
}

/**
 * Finds the offset parent common to the two provided nodes
 * @method
 * @memberof Popper.Utils
 * @argument {Element} element1
 * @argument {Element} element2
 * @returns {Element} common offset parent
 */
function findCommonOffsetParent(element1, element2) {
  // This check is needed to avoid errors in case one of the elements isn't defined for any reason
  if (!element1 || !element1.nodeType || !element2 || !element2.nodeType) {
    return document.documentElement;
  }

  // Here we make sure to give as "start" the element that comes first in the DOM
  var order = element1.compareDocumentPosition(element2) &amp; Node.DOCUMENT_POSITION_FOLLOWING;
  var start = order ? element1 : element2;
  var end = order ? element2 : element1;

  // Get common ancestor container
  var range = document.createRange();
  range.setStart(start, 0);
  range.setEnd(end, 0);
  var commonAncestorContainer = range.commonAncestorContainer;

  // Both nodes are inside #document

  if (element1 !== commonAncestorContainer &amp;&amp; element2 !== commonAncestorContainer || start.contains(end)) {
    if (isOffsetContainer(commonAncestorContainer)) {
      return commonAncestorContainer;
    }

    return getOffsetParent(commonAncestorContainer);
  }

  // one of the nodes is inside shadowDOM, find which one
  var element1root = getRoot(element1);
  if (element1root.host) {
    return findCommonOffsetParent(element1root.host, element2);
  } else {
    return findCommonOffsetParent(element1, getRoot(element2).host);
  }
}

/**
 * Gets the scroll value of the given element in the given side (top and left)
 * @method
 * @memberof Popper.Utils
 * @argument {Element} element
 * @argument {String} side `top` or `left`
 * @returns {number} amount of scrolled pixels
 */
function getScroll(element) {
  var side = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 'top';

  var upperSide = side === 'top' ? 'scrollTop' : 'scrollLeft';
  var nodeName = element.nodeName;

  if (nodeName === 'BODY' || nodeName === 'HTML') {
    var html = element.ownerDocument.documentElement;
    var scrollingElement = element.ownerDocument.scrollingElement || html;
    return scrollingElement[upperSide];
  }

  return element[upperSide];
}

/*
 * Sum or subtract the element scroll values (left and top) from a given rect object
 * @method
 * @memberof Popper.Utils
 * @param {Object} rect - Rect object you want to change
 * @param {HTMLElement} element - The element from the function reads the scroll values
 * @param {Boolean} subtract - set to true if you want to subtract the scroll values
 * @return {Object} rect - The modifier rect object
 */
function includeScroll(rect, element) {
  var subtract = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : false;

  var scrollTop = getScroll(element, 'top');
  var scrollLeft = getScroll(element, 'left');
  var modifier = subtract ? -1 : 1;
  rect.top += scrollTop * modifier;
  rect.bottom += scrollTop * modifier;
  rect.left += scrollLeft * modifier;
  rect.right += scrollLeft * modifier;
  return rect;
}

/*
 * Helper to detect borders of a given element
 * @method
 * @memberof Popper.Utils
 * @param {CSSStyleDeclaration} styles
 * Result of `getStyleComputedProperty` on the given element
 * @param {String} axis - `x` or `y`
 * @return {number} borders - The borders size of the given axis
 */

function getBordersSize(styles, axis) {
  var sideA = axis === 'x' ? 'Left' : 'Top';
  var sideB = sideA === 'Left' ? 'Right' : 'Bottom';

  return parseFloat(styles['border' + sideA + 'Width']) + parseFloat(styles['border' + sideB + 'Width']);
}

function getSize(axis, body, html, computedStyle) {
  return Math.max(body['offset' + axis], body['scroll' + axis], html['client' + axis], html['offset' + axis], html['scroll' + axis], isIE(10) ? parseInt(html['offset' + axis]) + parseInt(computedStyle['margin' + (axis === 'Height' ? 'Top' : 'Left')]) + parseInt(computedStyle['margin' + (axis === 'Height' ? 'Bottom' : 'Right')]) : 0);
}

function getWindowSizes(document) {
  var body = document.body;
  var html = document.documentElement;
  var computedStyle = isIE(10) &amp;&amp; getComputedStyle(html);

  return {
    height: getSize('Height', body, html, computedStyle),
    width: getSize('Width', body, html, computedStyle)
  };
}

var classCallCheck = function (instance, Constructor) {
  if (!(instance instanceof Constructor)) {
    throw new TypeError("Cannot call a class as a function");
  }
};

var createClass = function () {
  function defineProperties(target, props) {
    for (var i = 0; i &lt; props.length; i++) {
      var descriptor = props[i];
      descriptor.enumerable = descriptor.enumerable || false;
      descriptor.configurable = true;
      if ("value" in descriptor) descriptor.writable = true;
      Object.defineProperty(target, descriptor.key, descriptor);
    }
  }

  return function (Constructor, protoProps, staticProps) {
    if (protoProps) defineProperties(Constructor.prototype, protoProps);
    if (staticProps) defineProperties(Constructor, staticProps);
    return Constructor;
  };
}();





var defineProperty = function (obj, key, value) {
  if (key in obj) {
    Object.defineProperty(obj, key, {
      value: value,
      enumerable: true,
      configurable: true,
      writable: true
    });
  } else {
    obj[key] = value;
  }

  return obj;
};

var _extends = Object.assign || function (target) {
  for (var i = 1; i &lt; 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;
};

/**
 * Given element offsets, generate an output similar to getBoundingClientRect
 * @method
 * @memberof Popper.Utils
 * @argument {Object} offsets
 * @returns {Object} ClientRect like output
 */
function getClientRect(offsets) {
  return _extends({}, offsets, {
    right: offsets.left + offsets.width,
    bottom: offsets.top + offsets.height
  });
}

/**
 * Get bounding client rect of given element
 * @method
 * @memberof Popper.Utils
 * @param {HTMLElement} element
 * @return {Object} client rect
 */
function getBoundingClientRect(element) {
  var rect = {};

  // IE10 10 FIX: Please, don't ask, the element isn't
  // considered in DOM in some circumstances...
  // This isn't reproducible in IE10 compatibility mode of IE11
  try {
    if (isIE(10)) {
      rect = element.getBoundingClientRect();
      var scrollTop = getScroll(element, 'top');
      var scrollLeft = getScroll(element, 'left');
      rect.top += scrollTop;
      rect.left += scrollLeft;
      rect.bottom += scrollTop;
      rect.right += scrollLeft;
    } else {
      rect = element.getBoundingClientRect();
    }
  } catch (e) {}

  var result = {
    left: rect.left,
    top: rect.top,
    width: rect.right - rect.left,
    height: rect.bottom - rect.top
  };

  // subtract scrollbar size from sizes
  var sizes = element.nodeName === 'HTML' ? getWindowSizes(element.ownerDocument) : {};
  var width = sizes.width || element.clientWidth || result.width;
  var height = sizes.height || element.clientHeight || result.height;

  var horizScrollbar = element.offsetWidth - width;
  var vertScrollbar = element.offsetHeight - height;

  // if an hypothetical scrollbar is detected, we must be sure it's not a `border`
  // we make this check conditional for performance reasons
  if (horizScrollbar || vertScrollbar) {
    var styles = getStyleComputedProperty(element);
    horizScrollbar -= getBordersSize(styles, 'x');
    vertScrollbar -= getBordersSize(styles, 'y');

    result.width -= horizScrollbar;
    result.height -= vertScrollbar;
  }

  return getClientRect(result);
}

function getOffsetRectRelativeToArbitraryNode(children, parent) {
  var fixedPosition = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : false;

  var isIE10 = isIE(10);
  var isHTML = parent.nodeName === 'HTML';
  var childrenRect = getBoundingClientRect(children);
  var parentRect = getBoundingClientRect(parent);
  var scrollParent = getScrollParent(children);

  var styles = getStyleComputedProperty(parent);
  var borderTopWidth = parseFloat(styles.borderTopWidth);
  var borderLeftWidth = parseFloat(styles.borderLeftWidth);

  // In cases where the parent is fixed, we must ignore negative scroll in offset calc
  if (fixedPosition &amp;&amp; isHTML) {
    parentRect.top = Math.max(parentRect.top, 0);
    parentRect.left = Math.max(parentRect.left, 0);
  }
  var offsets = getClientRect({
    top: childrenRect.top - parentRect.top - borderTopWidth,
    left: childrenRect.left - parentRect.left - borderLeftWidth,
    width: childrenRect.width,
    height: childrenRect.height
  });
  offsets.marginTop = 0;
  offsets.marginLeft = 0;

  // Subtract margins of documentElement in case it's being used as parent
  // we do this only on HTML because it's the only element that behaves
  // differently when margins are applied to it. The margins are included in
  // the box of the documentElement, in the other cases not.
  if (!isIE10 &amp;&amp; isHTML) {
    var marginTop = parseFloat(styles.marginTop);
    var marginLeft = parseFloat(styles.marginLeft);

    offsets.top -= borderTopWidth - marginTop;
    offsets.bottom -= borderTopWidth - marginTop;
    offsets.left -= borderLeftWidth - marginLeft;
    offsets.right -= borderLeftWidth - marginLeft;

    // Attach marginTop and marginLeft because in some circumstances we may need them
    offsets.marginTop = marginTop;
    offsets.marginLeft = marginLeft;
  }

  if (isIE10 &amp;&amp; !fixedPosition ? parent.contains(scrollParent) : parent === scrollParent &amp;&amp; scrollParent.nodeName !== 'BODY') {
    offsets = includeScroll(offsets, parent);
  }

  return offsets;
}

function getViewportOffsetRectRelativeToArtbitraryNode(element) {
  var excludeScroll = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : false;

  var html = element.ownerDocument.documentElement;
  var relativeOffset = getOffsetRectRelativeToArbitraryNode(element, html);
  var width = Math.max(html.clientWidth, window.innerWidth || 0);
  var height = Math.max(html.clientHeight, window.innerHeight || 0);

  var scrollTop = !excludeScroll ? getScroll(html) : 0;
  var scrollLeft = !excludeScroll ? getScroll(html, 'left') : 0;

  var offset = {
    top: scrollTop - relativeOffset.top + relativeOffset.marginTop,
    left: scrollLeft - relativeOffset.left + relativeOffset.marginLeft,
    width: width,
    height: height
  };

  return getClientRect(offset);
}

/**
 * Check if the given element is fixed or is inside a fixed parent
 * @method
 * @memberof Popper.Utils
 * @argument {Element} element
 * @argument {Element} customContainer
 * @returns {Boolean} answer to "isFixed?"
 */
function isFixed(element) {
  var nodeName = element.nodeName;
  if (nodeName === 'BODY' || nodeName === 'HTML') {
    return false;
  }
  if (getStyleComputedProperty(element, 'position') === 'fixed') {
    return true;
  }
  var parentNode = getParentNode(element);
  if (!parentNode) {
    return false;
  }
  return isFixed(parentNode);
}

/**
 * Finds the first parent of an element that has a transformed property defined
 * @method
 * @memberof Popper.Utils
 * @argument {Element} element
 * @returns {Element} first transformed parent or documentElement
 */

function getFixedPositionOffsetParent(element) {
  // This check is needed to avoid errors in case one of the elements isn't defined for any reason
  if (!element || !element.parentElement || isIE()) {
    return document.documentElement;
  }
  var el = element.parentElement;
  while (el &amp;&amp; getStyleComputedProperty(el, 'transform') === 'none') {
    el = el.parentElement;
  }
  return el || document.documentElement;
}

/**
 * Computed the boundaries limits and return them
 * @method
 * @memberof Popper.Utils
 * @param {HTMLElement} popper
 * @param {HTMLElement} reference
 * @param {number} padding
 * @param {HTMLElement} boundariesElement - Element used to define the boundaries
 * @param {Boolean} fixedPosition - Is in fixed position mode
 * @returns {Object} Coordinates of the boundaries
 */
function getBoundaries(popper, reference, padding, boundariesElement) {
  var fixedPosition = arguments.length &gt; 4 &amp;&amp; arguments[4] !== undefined ? arguments[4] : false;

  // NOTE: 1 DOM access here

  var boundaries = { top: 0, left: 0 };
  var offsetParent = fixedPosition ? getFixedPositionOffsetParent(popper) : findCommonOffsetParent(popper, getReferenceNode(reference));

  // Handle viewport case
  if (boundariesElement === 'viewport') {
    boundaries = getViewportOffsetRectRelativeToArtbitraryNode(offsetParent, fixedPosition);
  } else {
    // Handle other cases based on DOM element used as boundaries
    var boundariesNode = void 0;
    if (boundariesElement === 'scrollParent') {
      boundariesNode = getScrollParent(getParentNode(reference));
      if (boundariesNode.nodeName === 'BODY') {
        boundariesNode = popper.ownerDocument.documentElement;
      }
    } else if (boundariesElement === 'window') {
      boundariesNode = popper.ownerDocument.documentElement;
    } else {
      boundariesNode = boundariesElement;
    }

    var offsets = getOffsetRectRelativeToArbitraryNode(boundariesNode, offsetParent, fixedPosition);

    // In case of HTML, we need a different computation
    if (boundariesNode.nodeName === 'HTML' &amp;&amp; !isFixed(offsetParent)) {
      var _getWindowSizes = getWindowSizes(popper.ownerDocument),
          height = _getWindowSizes.height,
          width = _getWindowSizes.width;

      boundaries.top += offsets.top - offsets.marginTop;
      boundaries.bottom = height + offsets.top;
      boundaries.left += offsets.left - offsets.marginLeft;
      boundaries.right = width + offsets.left;
    } else {
      // for all the other DOM elements, this one is good
      boundaries = offsets;
    }
  }

  // Add paddings
  padding = padding || 0;
  var isPaddingNumber = typeof padding === 'number';
  boundaries.left += isPaddingNumber ? padding : padding.left || 0;
  boundaries.top += isPaddingNumber ? padding : padding.top || 0;
  boundaries.right -= isPaddingNumber ? padding : padding.right || 0;
  boundaries.bottom -= isPaddingNumber ? padding : padding.bottom || 0;

  return boundaries;
}

function getArea(_ref) {
  var width = _ref.width,
      height = _ref.height;

  return width * height;
}

/**
 * Utility used to transform the `auto` placement to the placement with more
 * available space.
 * @method
 * @memberof Popper.Utils
 * @argument {Object} data - The data object generated by update method
 * @argument {Object} options - Modifiers configuration and options
 * @returns {Object} The data object, properly modified
 */
function computeAutoPlacement(placement, refRect, popper, reference, boundariesElement) {
  var padding = arguments.length &gt; 5 &amp;&amp; arguments[5] !== undefined ? arguments[5] : 0;

  if (placement.indexOf('auto') === -1) {
    return placement;
  }

  var boundaries = getBoundaries(popper, reference, padding, boundariesElement);

  var rects = {
    top: {
      width: boundaries.width,
      height: refRect.top - boundaries.top
    },
    right: {
      width: boundaries.right - refRect.right,
      height: boundaries.height
    },
    bottom: {
      width: boundaries.width,
      height: boundaries.bottom - refRect.bottom
    },
    left: {
      width: refRect.left - boundaries.left,
      height: boundaries.height
    }
  };

  var sortedAreas = Object.keys(rects).map(function (key) {
    return _extends({
      key: key
    }, rects[key], {
      area: getArea(rects[key])
    });
  }).sort(function (a, b) {
    return b.area - a.area;
  });

  var filteredAreas = sortedAreas.filter(function (_ref2) {
    var width = _ref2.width,
        height = _ref2.height;
    return width &gt;= popper.clientWidth &amp;&amp; height &gt;= popper.clientHeight;
  });

  var computedPlacement = filteredAreas.length &gt; 0 ? filteredAreas[0].key : sortedAreas[0].key;

  var variation = placement.split('-')[1];

  return computedPlacement + (variation ? '-' + variation : '');
}

/**
 * Get offsets to the reference element
 * @method
 * @memberof Popper.Utils
 * @param {Object} state
 * @param {Element} popper - the popper element
 * @param {Element} reference - the reference element (the popper will be relative to this)
 * @param {Element} fixedPosition - is in fixed position mode
 * @returns {Object} An object containing the offsets which will be applied to the popper
 */
function getReferenceOffsets(state, popper, reference) {
  var fixedPosition = arguments.length &gt; 3 &amp;&amp; arguments[3] !== undefined ? arguments[3] : null;

  var commonOffsetParent = fixedPosition ? getFixedPositionOffsetParent(popper) : findCommonOffsetParent(popper, getReferenceNode(reference));
  return getOffsetRectRelativeToArbitraryNode(reference, commonOffsetParent, fixedPosition);
}

/**
 * Get the outer sizes of the given element (offset size + margins)
 * @method
 * @memberof Popper.Utils
 * @argument {Element} element
 * @returns {Object} object containing width and height properties
 */
function getOuterSizes(element) {
  var window = element.ownerDocument.defaultView;
  var styles = window.getComputedStyle(element);
  var x = parseFloat(styles.marginTop || 0) + parseFloat(styles.marginBottom || 0);
  var y = parseFloat(styles.marginLeft || 0) + parseFloat(styles.marginRight || 0);
  var result = {
    width: element.offsetWidth + y,
    height: element.offsetHeight + x
  };
  return result;
}

/**
 * Get the opposite placement of the given one
 * @method
 * @memberof Popper.Utils
 * @argument {String} placement
 * @returns {String} flipped placement
 */
function getOppositePlacement(placement) {
  var hash = { left: 'right', right: 'left', bottom: 'top', top: 'bottom' };
  return placement.replace(/left|right|bottom|top/g, function (matched) {
    return hash[matched];
  });
}

/**
 * Get offsets to the popper
 * @method
 * @memberof Popper.Utils
 * @param {Object} position - CSS position the Popper will get applied
 * @param {HTMLElement} popper - the popper element
 * @param {Object} referenceOffsets - the reference offsets (the popper will be relative to this)
 * @param {String} placement - one of the valid placement options
 * @returns {Object} popperOffsets - An object containing the offsets which will be applied to the popper
 */
function getPopperOffsets(popper, referenceOffsets, placement) {
  placement = placement.split('-')[0];

  // Get popper node sizes
  var popperRect = getOuterSizes(popper);

  // Add position, width and height to our offsets object
  var popperOffsets = {
    width: popperRect.width,
    height: popperRect.height
  };

  // depending by the popper placement we have to compute its offsets slightly differently
  var isHoriz = ['right', 'left'].indexOf(placement) !== -1;
  var mainSide = isHoriz ? 'top' : 'left';
  var secondarySide = isHoriz ? 'left' : 'top';
  var measurement = isHoriz ? 'height' : 'width';
  var secondaryMeasurement = !isHoriz ? 'height' : 'width';

  popperOffsets[mainSide] = referenceOffsets[mainSide] + referenceOffsets[measurement] / 2 - popperRect[measurement] / 2;
  if (placement === secondarySide) {
    popperOffsets[secondarySide] = referenceOffsets[secondarySide] - popperRect[secondaryMeasurement];
  } else {
    popperOffsets[secondarySide] = referenceOffsets[getOppositePlacement(secondarySide)];
  }

  return popperOffsets;
}

/**
 * Mimics the `find` method of Array
 * @method
 * @memberof Popper.Utils
 * @argument {Array} arr
 * @argument prop
 * @argument value
 * @returns index or -1
 */
function find(arr, check) {
  // use native find if supported
  if (Array.prototype.find) {
    return arr.find(check);
  }

  // use `filter` to obtain the same behavior of `find`
  return arr.filter(check)[0];
}

/**
 * Return the index of the matching object
 * @method
 * @memberof Popper.Utils
 * @argument {Array} arr
 * @argument prop
 * @argument value
 * @returns index or -1
 */
function findIndex(arr, prop, value) {
  // use native findIndex if supported
  if (Array.prototype.findIndex) {
    return arr.findIndex(function (cur) {
      return cur[prop] === value;
    });
  }

  // use `find` + `indexOf` if `findIndex` isn't supported
  var match = find(arr, function (obj) {
    return obj[prop] === value;
  });
  return arr.indexOf(match);
}

/**
 * Loop trough the list of modifiers and run them in order,
 * each of them will then edit the data object.
 * @method
 * @memberof Popper.Utils
 * @param {dataObject} data
 * @param {Array} modifiers
 * @param {String} ends - Optional modifier name used as stopper
 * @returns {dataObject}
 */
function runModifiers(modifiers, data, ends) {
  var modifiersToRun = ends === undefined ? modifiers : modifiers.slice(0, findIndex(modifiers, 'name', ends));

  modifiersToRun.forEach(function (modifier) {
    if (modifier['function']) {
      // eslint-disable-line dot-notation
      console.warn('`modifier.function` is deprecated, use `modifier.fn`!');
    }
    var fn = modifier['function'] || modifier.fn; // eslint-disable-line dot-notation
    if (modifier.enabled &amp;&amp; isFunction(fn)) {
      // Add properties to offsets to make them a complete clientRect object
      // we do this before each modifier to make sure the previous one doesn't
      // mess with these values
      data.offsets.popper = getClientRect(data.offsets.popper);
      data.offsets.reference = getClientRect(data.offsets.reference);

      data = fn(data, modifier);
    }
  });

  return data;
}

/**
 * Updates the position of the popper, computing the new offsets and applying
 * the new style.&lt;br /&gt;
 * Prefer `scheduleUpdate` over `update` because of performance reasons.
 * @method
 * @memberof Popper
 */
function update() {
  // if popper is destroyed, don't perform any further update
  if (this.state.isDestroyed) {
    return;
  }

  var data = {
    instance: this,
    styles: {},
    arrowStyles: {},
    attributes: {},
    flipped: false,
    offsets: {}
  };

  // compute reference element offsets
  data.offsets.reference = getReferenceOffsets(this.state, this.popper, this.reference, this.options.positionFixed);

  // compute auto placement, store placement inside the data object,
  // modifiers will be able to edit `placement` if needed
  // and refer to originalPlacement to know the original value
  data.placement = computeAutoPlacement(this.options.placement, data.offsets.reference, this.popper, this.reference, this.options.modifiers.flip.boundariesElement, this.options.modifiers.flip.padding);

  // store the computed placement inside `originalPlacement`
  data.originalPlacement = data.placement;

  data.positionFixed = this.options.positionFixed;

  // compute the popper offsets
  data.offsets.popper = getPopperOffsets(this.popper, data.offsets.reference, data.placement);

  data.offsets.popper.position = this.options.positionFixed ? 'fixed' : 'absolute';

  // run the modifiers
  data = runModifiers(this.modifiers, data);

  // the first `update` will call `onCreate` callback
  // the other ones will call `onUpdate` callback
  if (!this.state.isCreated) {
    this.state.isCreated = true;
    this.options.onCreate(data);
  } else {
    this.options.onUpdate(data);
  }
}

/**
 * Helper used to know if the given modifier is enabled.
 * @method
 * @memberof Popper.Utils
 * @returns {Boolean}
 */
function isModifierEnabled(modifiers, modifierName) {
  return modifiers.some(function (_ref) {
    var name = _ref.name,
        enabled = _ref.enabled;
    return enabled &amp;&amp; name === modifierName;
  });
}

/**
 * Get the prefixed supported property name
 * @method
 * @memberof Popper.Utils
 * @argument {String} property (camelCase)
 * @returns {String} prefixed property (camelCase or PascalCase, depending on the vendor prefix)
 */
function getSupportedPropertyName(property) {
  var prefixes = [false, 'ms', 'Webkit', 'Moz', 'O'];
  var upperProp = property.charAt(0).toUpperCase() + property.slice(1);

  for (var i = 0; i &lt; prefixes.length; i++) {
    var prefix = prefixes[i];
    var toCheck = prefix ? '' + prefix + upperProp : property;
    if (typeof document.body.style[toCheck] !== 'undefined') {
      return toCheck;
    }
  }
  return null;
}

/**
 * Destroys the popper.
 * @method
 * @memberof Popper
 */
function destroy() {
  this.state.isDestroyed = true;

  // touch DOM only if `applyStyle` modifier is enabled
  if (isModifierEnabled(this.modifiers, 'applyStyle')) {
    this.popper.removeAttribute('x-placement');
    this.popper.style.position = '';
    this.popper.style.top = '';
    this.popper.style.left = '';
    this.popper.style.right = '';
    this.popper.style.bottom = '';
    this.popper.style.willChange = '';
    this.popper.style[getSupportedPropertyName('transform')] = '';
  }

  this.disableEventListeners();

  // remove the popper if user explicitly asked for the deletion on destroy
  // do not use `remove` because IE11 doesn't support it
  if (this.options.removeOnDestroy) {
    this.popper.parentNode.removeChild(this.popper);
  }
  return this;
}

/**
 * Get the window associated with the element
 * @argument {Element} element
 * @returns {Window}
 */
function getWindow(element) {
  var ownerDocument = element.ownerDocument;
  return ownerDocument ? ownerDocument.defaultView : window;
}

function attachToScrollParents(scrollParent, event, callback, scrollParents) {
  var isBody = scrollParent.nodeName === 'BODY';
  var target = isBody ? scrollParent.ownerDocument.defaultView : scrollParent;
  target.addEventListener(event, callback, { passive: true });

  if (!isBody) {
    attachToScrollParents(getScrollParent(target.parentNode), event, callback, scrollParents);
  }
  scrollParents.push(target);
}

/**
 * Setup needed event listeners used to update the popper position
 * @method
 * @memberof Popper.Utils
 * @private
 */
function setupEventListeners(reference, options, state, updateBound) {
  // Resize event listener on window
  state.updateBound = updateBound;
  getWindow(reference).addEventListener('resize', state.updateBound, { passive: true });

  // Scroll event listener on scroll parents
  var scrollElement = getScrollParent(reference);
  attachToScrollParents(scrollElement, 'scroll', state.updateBound, state.scrollParents);
  state.scrollElement = scrollElement;
  state.eventsEnabled = true;

  return state;
}

/**
 * It will add resize/scroll events and start recalculating
 * position of the popper element when they are triggered.
 * @method
 * @memberof Popper
 */
function enableEventListeners() {
  if (!this.state.eventsEnabled) {
    this.state = setupEventListeners(this.reference, this.options, this.state, this.scheduleUpdate);
  }
}

/**
 * Remove event listeners used to update the popper position
 * @method
 * @memberof Popper.Utils
 * @private
 */
function removeEventListeners(reference, state) {
  // Remove resize event listener on window
  getWindow(reference).removeEventListener('resize', state.updateBound);

  // Remove scroll event listener on scroll parents
  state.scrollParents.forEach(function (target) {
    target.removeEventListener('scroll', state.updateBound);
  });

  // Reset state
  state.updateBound = null;
  state.scrollParents = [];
  state.scrollElement = null;
  state.eventsEnabled = false;
  return state;
}

/**
 * It will remove resize/scroll events and won't recalculate popper position
 * when they are triggered. It also won't trigger `onUpdate` callback anymore,
 * unless you call `update` method manually.
 * @method
 * @memberof Popper
 */
function disableEventListeners() {
  if (this.state.eventsEnabled) {
    cancelAnimationFrame(this.scheduleUpdate);
    this.state = removeEventListeners(this.reference, this.state);
  }
}

/**
 * Tells if a given input is a number
 * @method
 * @memberof Popper.Utils
 * @param {*} input to check
 * @return {Boolean}
 */
function isNumeric(n) {
  return n !== '' &amp;&amp; !isNaN(parseFloat(n)) &amp;&amp; isFinite(n);
}

/**
 * Set the style to the given popper
 * @method
 * @memberof Popper.Utils
 * @argument {Element} element - Element to apply the style to
 * @argument {Object} styles
 * Object with a list of properties and values which will be applied to the element
 */
function setStyles(element, styles) {
  Object.keys(styles).forEach(function (prop) {
    var unit = '';
    // add unit if the value is numeric and is one of the following
    if (['width', 'height', 'top', 'right', 'bottom', 'left'].indexOf(prop) !== -1 &amp;&amp; isNumeric(styles[prop])) {
      unit = 'px';
    }
    element.style[prop] = styles[prop] + unit;
  });
}

/**
 * Set the attributes to the given popper
 * @method
 * @memberof Popper.Utils
 * @argument {Element} element - Element to apply the attributes to
 * @argument {Object} styles
 * Object with a list of properties and values which will be applied to the element
 */
function setAttributes(element, attributes) {
  Object.keys(attributes).forEach(function (prop) {
    var value = attributes[prop];
    if (value !== false) {
      element.setAttribute(prop, attributes[prop]);
    } else {
      element.removeAttribute(prop);
    }
  });
}

/**
 * @function
 * @memberof Modifiers
 * @argument {Object} data - The data object generated by `update` method
 * @argument {Object} data.styles - List of style properties - values to apply to popper element
 * @argument {Object} data.attributes - List of attribute properties - values to apply to popper element
 * @argument {Object} options - Modifiers configuration and options
 * @returns {Object} The same data object
 */
function applyStyle(data) {
  // any property present in `data.styles` will be applied to the popper,
  // in this way we can make the 3rd party modifiers add custom styles to it
  // Be aware, modifiers could override the properties defined in the previous
  // lines of this modifier!
  setStyles(data.instance.popper, data.styles);

  // any property present in `data.attributes` will be applied to the popper,
  // they will be set as HTML attributes of the element
  setAttributes(data.instance.popper, data.attributes);

  // if arrowElement is defined and arrowStyles has some properties
  if (data.arrowElement &amp;&amp; Object.keys(data.arrowStyles).length) {
    setStyles(data.arrowElement, data.arrowStyles);
  }

  return data;
}

/**
 * Set the x-placement attribute before everything else because it could be used
 * to add margins to the popper margins needs to be calculated to get the
 * correct popper offsets.
 * @method
 * @memberof Popper.modifiers
 * @param {HTMLElement} reference - The reference element used to position the popper
 * @param {HTMLElement} popper - The HTML element used as popper
 * @param {Object} options - Popper.js options
 */
function applyStyleOnLoad(reference, popper, options, modifierOptions, state) {
  // compute reference element offsets
  var referenceOffsets = getReferenceOffsets(state, popper, reference, options.positionFixed);

  // compute auto placement, store placement inside the data object,
  // modifiers will be able to edit `placement` if needed
  // and refer to originalPlacement to know the original value
  var placement = computeAutoPlacement(options.placement, referenceOffsets, popper, reference, options.modifiers.flip.boundariesElement, options.modifiers.flip.padding);

  popper.setAttribute('x-placement', placement);

  // Apply `position` to popper before anything else because
  // without the position applied we can't guarantee correct computations
  setStyles(popper, { position: options.positionFixed ? 'fixed' : 'absolute' });

  return options;
}

/**
 * @function
 * @memberof Popper.Utils
 * @argument {Object} data - The data object generated by `update` method
 * @argument {Boolean} shouldRound - If the offsets should be rounded at all
 * @returns {Object} The popper's position offsets rounded
 *
 * The tale of pixel-perfect positioning. It's still not 100% perfect, but as
 * good as it can be within reason.
 * Discussion here: https://github.com/FezVrasta/popper.js/pull/715
 *
 * Low DPI screens cause a popper to be blurry if not using full pixels (Safari
 * as well on High DPI screens).
 *
 * Firefox prefers no rounding for positioning and does not have blurriness on
 * high DPI screens.
 *
 * Only horizontal placement and left/right values need to be considered.
 */
function getRoundedOffsets(data, shouldRound) {
  var _data$offsets = data.offsets,
      popper = _data$offsets.popper,
      reference = _data$offsets.reference;
  var round = Math.round,
      floor = Math.floor;

  var noRound = function noRound(v) {
    return v;
  };

  var referenceWidth = round(reference.width);
  var popperWidth = round(popper.width);

  var isVertical = ['left', 'right'].indexOf(data.placement) !== -1;
  var isVariation = data.placement.indexOf('-') !== -1;
  var sameWidthParity = referenceWidth % 2 === popperWidth % 2;
  var bothOddWidth = referenceWidth % 2 === 1 &amp;&amp; popperWidth % 2 === 1;

  var horizontalToInteger = !shouldRound ? noRound : isVertical || isVariation || sameWidthParity ? round : floor;
  var verticalToInteger = !shouldRound ? noRound : round;

  return {
    left: horizontalToInteger(bothOddWidth &amp;&amp; !isVariation &amp;&amp; shouldRound ? popper.left - 1 : popper.left),
    top: verticalToInteger(popper.top),
    bottom: verticalToInteger(popper.bottom),
    right: horizontalToInteger(popper.right)
  };
}

var isFirefox = isBrowser &amp;&amp; /Firefox/i.test(navigator.userAgent);

/**
 * @function
 * @memberof Modifiers
 * @argument {Object} data - The data object generated by `update` method
 * @argument {Object} options - Modifiers configuration and options
 * @returns {Object} The data object, properly modified
 */
function computeStyle(data, options) {
  var x = options.x,
      y = options.y;
  var popper = data.offsets.popper;

  // Remove this legacy support in Popper.js v2

  var legacyGpuAccelerationOption = find(data.instance.modifiers, function (modifier) {
    return modifier.name === 'applyStyle';
  }).gpuAcceleration;
  if (legacyGpuAccelerationOption !== undefined) {
    console.warn('WARNING: `gpuAcceleration` option moved to `computeStyle` modifier and will not be supported in future versions of Popper.js!');
  }
  var gpuAcceleration = legacyGpuAccelerationOption !== undefined ? legacyGpuAccelerationOption : options.gpuAcceleration;

  var offsetParent = getOffsetParent(data.instance.popper);
  var offsetParentRect = getBoundingClientRect(offsetParent);

  // Styles
  var styles = {
    position: popper.position
  };

  var offsets = getRoundedOffsets(data, window.devicePixelRatio &lt; 2 || !isFirefox);

  var sideA = x === 'bottom' ? 'top' : 'bottom';
  var sideB = y === 'right' ? 'left' : 'right';

  // if gpuAcceleration is set to `true` and transform is supported,
  //  we use `translate3d` to apply the position to the popper we
  // automatically use the supported prefixed version if needed
  var prefixedProperty = getSupportedPropertyName('transform');

  // now, let's make a step back and look at this code closely (wtf?)
  // If the content of the popper grows once it's been positioned, it
  // may happen that the popper gets misplaced because of the new content
  // overflowing its reference element
  // To avoid this problem, we provide two options (x and y), which allow
  // the consumer to define the offset origin.
  // If we position a popper on top of a reference element, we can set
  // `x` to `top` to make the popper grow towards its top instead of
  // its bottom.
  var left = void 0,
      top = void 0;
  if (sideA === 'bottom') {
    // when offsetParent is &lt;html&gt; the positioning is relative to the bottom of the screen (excluding the scrollbar)
    // and not the bottom of the html element
    if (offsetParent.nodeName === 'HTML') {
      top = -offsetParent.clientHeight + offsets.bottom;
    } else {
      top = -offsetParentRect.height + offsets.bottom;
    }
  } else {
    top = offsets.top;
  }
  if (sideB === 'right') {
    if (offsetParent.nodeName === 'HTML') {
      left = -offsetParent.clientWidth + offsets.right;
    } else {
      left = -offsetParentRect.width + offsets.right;
    }
  } else {
    left = offsets.left;
  }
  if (gpuAcceleration &amp;&amp; prefixedProperty) {
    styles[prefixedProperty] = 'translate3d(' + left + 'px, ' + top + 'px, 0)';
    styles[sideA] = 0;
    styles[sideB] = 0;
    styles.willChange = 'transform';
  } else {
    // othwerise, we use the standard `top`, `left`, `bottom` and `right` properties
    var invertTop = sideA === 'bottom' ? -1 : 1;
    var invertLeft = sideB === 'right' ? -1 : 1;
    styles[sideA] = top * invertTop;
    styles[sideB] = left * invertLeft;
    styles.willChange = sideA + ', ' + sideB;
  }

  // Attributes
  var attributes = {
    'x-placement': data.placement
  };

  // Update `data` attributes, styles and arrowStyles
  data.attributes = _extends({}, attributes, data.attributes);
  data.styles = _extends({}, styles, data.styles);
  data.arrowStyles = _extends({}, data.offsets.arrow, data.arrowStyles);

  return data;
}

/**
 * Helper used to know if the given modifier depends from another one.&lt;br /&gt;
 * It checks if the needed modifier is listed and enabled.
 * @method
 * @memberof Popper.Utils
 * @param {Array} modifiers - list of modifiers
 * @param {String} requestingName - name of requesting modifier
 * @param {String} requestedName - name of requested modifier
 * @returns {Boolean}
 */
function isModifierRequired(modifiers, requestingName, requestedName) {
  var requesting = find(modifiers, function (_ref) {
    var name = _ref.name;
    return name === requestingName;
  });

  var isRequired = !!requesting &amp;&amp; modifiers.some(function (modifier) {
    return modifier.name === requestedName &amp;&amp; modifier.enabled &amp;&amp; modifier.order &lt; requesting.order;
  });

  if (!isRequired) {
    var _requesting = '`' + requestingName + '`';
    var requested = '`' + requestedName + '`';
    console.warn(requested + ' modifier is required by ' + _requesting + ' modifier in order to work, be sure to include it before ' + _requesting + '!');
  }
  return isRequired;
}

/**
 * @function
 * @memberof Modifiers
 * @argument {Object} data - The data object generated by update method
 * @argument {Object} options - Modifiers configuration and options
 * @returns {Object} The data object, properly modified
 */
function arrow(data, options) {
  var _data$offsets$arrow;

  // arrow depends on keepTogether in order to work
  if (!isModifierRequired(data.instance.modifiers, 'arrow', 'keepTogether')) {
    return data;
  }

  var arrowElement = options.element;

  // if arrowElement is a string, suppose it's a CSS selector
  if (typeof arrowElement === 'string') {
    arrowElement = data.instance.popper.querySelector(arrowElement);

    // if arrowElement is not found, don't run the modifier
    if (!arrowElement) {
      return data;
    }
  } else {
    // if the arrowElement isn't a query selector we must check that the
    // provided DOM node is child of its popper node
    if (!data.instance.popper.contains(arrowElement)) {
      console.warn('WARNING: `arrow.element` must be child of its popper element!');
      return data;
    }
  }

  var placement = data.placement.split('-')[0];
  var _data$offsets = data.offsets,
      popper = _data$offsets.popper,
      reference = _data$offsets.reference;

  var isVertical = ['left', 'right'].indexOf(placement) !== -1;

  var len = isVertical ? 'height' : 'width';
  var sideCapitalized = isVertical ? 'Top' : 'Left';
  var side = sideCapitalized.toLowerCase();
  var altSide = isVertical ? 'left' : 'top';
  var opSide = isVertical ? 'bottom' : 'right';
  var arrowElementSize = getOuterSizes(arrowElement)[len];

  //
  // extends keepTogether behavior making sure the popper and its
  // reference have enough pixels in conjunction
  //

  // top/left side
  if (reference[opSide] - arrowElementSize &lt; popper[side]) {
    data.offsets.popper[side] -= popper[side] - (reference[opSide] - arrowElementSize);
  }
  // bottom/right side
  if (reference[side] + arrowElementSize &gt; popper[opSide]) {
    data.offsets.popper[side] += reference[side] + arrowElementSize - popper[opSide];
  }
  data.offsets.popper = getClientRect(data.offsets.popper);

  // compute center of the popper
  var center = reference[side] + reference[len] / 2 - arrowElementSize / 2;

  // Compute the sideValue using the updated popper offsets
  // take popper margin in account because we don't have this info available
  var css = getStyleComputedProperty(data.instance.popper);
  var popperMarginSide = parseFloat(css['margin' + sideCapitalized]);
  var popperBorderSide = parseFloat(css['border' + sideCapitalized + 'Width']);
  var sideValue = center - data.offsets.popper[side] - popperMarginSide - popperBorderSide;

  // prevent arrowElement from being placed not contiguously to its popper
  sideValue = Math.max(Math.min(popper[len] - arrowElementSize, sideValue), 0);

  data.arrowElement = arrowElement;
  data.offsets.arrow = (_data$offsets$arrow = {}, defineProperty(_data$offsets$arrow, side, Math.round(sideValue)), defineProperty(_data$offsets$arrow, altSide, ''), _data$offsets$arrow);

  return data;
}

/**
 * Get the opposite placement variation of the given one
 * @method
 * @memberof Popper.Utils
 * @argument {String} placement variation
 * @returns {String} flipped placement variation
 */
function getOppositeVariation(variation) {
  if (variation === 'end') {
    return 'start';
  } else if (variation === 'start') {
    return 'end';
  }
  return variation;
}

/**
 * List of accepted placements to use as values of the `placement` option.&lt;br /&gt;
 * Valid placements are:
 * - `auto`
 * - `top`
 * - `right`
 * - `bottom`
 * - `left`
 *
 * Each placement can have a variation from this list:
 * - `-start`
 * - `-end`
 *
 * Variations are interpreted easily if you think of them as the left to right
 * written languages. Horizontally (`top` and `bottom`), `start` is left and `end`
 * is right.&lt;br /&gt;
 * Vertically (`left` and `right`), `start` is top and `end` is bottom.
 *
 * Some valid examples are:
 * - `top-end` (on top of reference, right aligned)
 * - `right-start` (on right of reference, top aligned)
 * - `bottom` (on bottom, centered)
 * - `auto-end` (on the side with more space available, alignment depends by placement)
 *
 * @static
 * @type {Array}
 * @enum {String}
 * @readonly
 * @method placements
 * @memberof Popper
 */
var placements = ['auto-start', 'auto', 'auto-end', 'top-start', 'top', 'top-end', 'right-start', 'right', 'right-end', 'bottom-end', 'bottom', 'bottom-start', 'left-end', 'left', 'left-start'];

// Get rid of `auto` `auto-start` and `auto-end`
var validPlacements = placements.slice(3);

/**
 * Given an initial placement, returns all the subsequent placements
 * clockwise (or counter-clockwise).
 *
 * @method
 * @memberof Popper.Utils
 * @argument {String} placement - A valid placement (it accepts variations)
 * @argument {Boolean} counter - Set to true to walk the placements counterclockwise
 * @returns {Array} placements including their variations
 */
function clockwise(placement) {
  var counter = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : false;

  var index = validPlacements.indexOf(placement);
  var arr = validPlacements.slice(index + 1).concat(validPlacements.slice(0, index));
  return counter ? arr.reverse() : arr;
}

var BEHAVIORS = {
  FLIP: 'flip',
  CLOCKWISE: 'clockwise',
  COUNTERCLOCKWISE: 'counterclockwise'
};

/**
 * @function
 * @memberof Modifiers
 * @argument {Object} data - The data object generated by update method
 * @argument {Object} options - Modifiers configuration and options
 * @returns {Object} The data object, properly modified
 */
function flip(data, options) {
  // if `inner` modifier is enabled, we can't use the `flip` modifier
  if (isModifierEnabled(data.instance.modifiers, 'inner')) {
    return data;
  }

  if (data.flipped &amp;&amp; data.placement === data.originalPlacement) {
    // seems like flip is trying to loop, probably there's not enough space on any of the flippable sides
    return data;
  }

  var boundaries = getBoundaries(data.instance.popper, data.instance.reference, options.padding, options.boundariesElement, data.positionFixed);

  var placement = data.placement.split('-')[0];
  var placementOpposite = getOppositePlacement(placement);
  var variation = data.placement.split('-')[1] || '';

  var flipOrder = [];

  switch (options.behavior) {
    case BEHAVIORS.FLIP:
      flipOrder = [placement, placementOpposite];
      break;
    case BEHAVIORS.CLOCKWISE:
      flipOrder = clockwise(placement);
      break;
    case BEHAVIORS.COUNTERCLOCKWISE:
      flipOrder = clockwise(placement, true);
      break;
    default:
      flipOrder = options.behavior;
  }

  flipOrder.forEach(function (step, index) {
    if (placement !== step || flipOrder.length === index + 1) {
      return data;
    }

    placement = data.placement.split('-')[0];
    placementOpposite = getOppositePlacement(placement);

    var popperOffsets = data.offsets.popper;
    var refOffsets = data.offsets.reference;

    // using floor because the reference offsets may contain decimals we are not going to consider here
    var floor = Math.floor;
    var overlapsRef = placement === 'left' &amp;&amp; floor(popperOffsets.right) &gt; floor(refOffsets.left) || placement === 'right' &amp;&amp; floor(popperOffsets.left) &lt; floor(refOffsets.right) || placement === 'top' &amp;&amp; floor(popperOffsets.bottom) &gt; floor(refOffsets.top) || placement === 'bottom' &amp;&amp; floor(popperOffsets.top) &lt; floor(refOffsets.bottom);

    var overflowsLeft = floor(popperOffsets.left) &lt; floor(boundaries.left);
    var overflowsRight = floor(popperOffsets.right) &gt; floor(boundaries.right);
    var overflowsTop = floor(popperOffsets.top) &lt; floor(boundaries.top);
    var overflowsBottom = floor(popperOffsets.bottom) &gt; floor(boundaries.bottom);

    var overflowsBoundaries = placement === 'left' &amp;&amp; overflowsLeft || placement === 'right' &amp;&amp; overflowsRight || placement === 'top' &amp;&amp; overflowsTop || placement === 'bottom' &amp;&amp; overflowsBottom;

    // flip the variation if required
    var isVertical = ['top', 'bottom'].indexOf(placement) !== -1;

    // flips variation if reference element overflows boundaries
    var flippedVariationByRef = !!options.flipVariations &amp;&amp; (isVertical &amp;&amp; variation === 'start' &amp;&amp; overflowsLeft || isVertical &amp;&amp; variation === 'end' &amp;&amp; overflowsRight || !isVertical &amp;&amp; variation === 'start' &amp;&amp; overflowsTop || !isVertical &amp;&amp; variation === 'end' &amp;&amp; overflowsBottom);

    // flips variation if popper content overflows boundaries
    var flippedVariationByContent = !!options.flipVariationsByContent &amp;&amp; (isVertical &amp;&amp; variation === 'start' &amp;&amp; overflowsRight || isVertical &amp;&amp; variation === 'end' &amp;&amp; overflowsLeft || !isVertical &amp;&amp; variation === 'start' &amp;&amp; overflowsBottom || !isVertical &amp;&amp; variation === 'end' &amp;&amp; overflowsTop);

    var flippedVariation = flippedVariationByRef || flippedVariationByContent;

    if (overlapsRef || overflowsBoundaries || flippedVariation) {
      // this boolean to detect any flip loop
      data.flipped = true;

      if (overlapsRef || overflowsBoundaries) {
        placement = flipOrder[index + 1];
      }

      if (flippedVariation) {
        variation = getOppositeVariation(variation);
      }

      data.placement = placement + (variation ? '-' + variation : '');

      // this object contains `position`, we want to preserve it along with
      // any additional property we may add in the future
      data.offsets.popper = _extends({}, data.offsets.popper, getPopperOffsets(data.instance.popper, data.offsets.reference, data.placement));

      data = runModifiers(data.instance.modifiers, data, 'flip');
    }
  });
  return data;
}

/**
 * @function
 * @memberof Modifiers
 * @argument {Object} data - The data object generated by update method
 * @argument {Object} options - Modifiers configuration and options
 * @returns {Object} The data object, properly modified
 */
function keepTogether(data) {
  var _data$offsets = data.offsets,
      popper = _data$offsets.popper,
      reference = _data$offsets.reference;

  var placement = data.placement.split('-')[0];
  var floor = Math.floor;
  var isVertical = ['top', 'bottom'].indexOf(placement) !== -1;
  var side = isVertical ? 'right' : 'bottom';
  var opSide = isVertical ? 'left' : 'top';
  var measurement = isVertical ? 'width' : 'height';

  if (popper[side] &lt; floor(reference[opSide])) {
    data.offsets.popper[opSide] = floor(reference[opSide]) - popper[measurement];
  }
  if (popper[opSide] &gt; floor(reference[side])) {
    data.offsets.popper[opSide] = floor(reference[side]);
  }

  return data;
}

/**
 * Converts a string containing value + unit into a px value number
 * @function
 * @memberof {modifiers~offset}
 * @private
 * @argument {String} str - Value + unit string
 * @argument {String} measurement - `height` or `width`
 * @argument {Object} popperOffsets
 * @argument {Object} referenceOffsets
 * @returns {Number|String}
 * Value in pixels, or original string if no values were extracted
 */
function toValue(str, measurement, popperOffsets, referenceOffsets) {
  // separate value from unit
  var split = str.match(/((?:\-|\+)?\d*\.?\d*)(.*)/);
  var value = +split[1];
  var unit = split[2];

  // If it's not a number it's an operator, I guess
  if (!value) {
    return str;
  }

  if (unit.indexOf('%') === 0) {
    var element = void 0;
    switch (unit) {
      case '%p':
        element = popperOffsets;
        break;
      case '%':
      case '%r':
      default:
        element = referenceOffsets;
    }

    var rect = getClientRect(element);
    return rect[measurement] / 100 * value;
  } else if (unit === 'vh' || unit === 'vw') {
    // if is a vh or vw, we calculate the size based on the viewport
    var size = void 0;
    if (unit === 'vh') {
      size = Math.max(document.documentElement.clientHeight, window.innerHeight || 0);
    } else {
      size = Math.max(document.documentElement.clientWidth, window.innerWidth || 0);
    }
    return size / 100 * value;
  } else {
    // if is an explicit pixel unit, we get rid of the unit and keep the value
    // if is an implicit unit, it's px, and we return just the value
    return value;
  }
}

/**
 * Parse an `offset` string to extrapolate `x` and `y` numeric offsets.
 * @function
 * @memberof {modifiers~offset}
 * @private
 * @argument {String} offset
 * @argument {Object} popperOffsets
 * @argument {Object} referenceOffsets
 * @argument {String} basePlacement
 * @returns {Array} a two cells array with x and y offsets in numbers
 */
function parseOffset(offset, popperOffsets, referenceOffsets, basePlacement) {
  var offsets = [0, 0];

  // Use height if placement is left or right and index is 0 otherwise use width
  // in this way the first offset will use an axis and the second one
  // will use the other one
  var useHeight = ['right', 'left'].indexOf(basePlacement) !== -1;

  // Split the offset string to obtain a list of values and operands
  // The regex addresses values with the plus or minus sign in front (+10, -20, etc)
  var fragments = offset.split(/(\+|\-)/).map(function (frag) {
    return frag.trim();
  });

  // Detect if the offset string contains a pair of values or a single one
  // they could be separated by comma or space
  var divider = fragments.indexOf(find(fragments, function (frag) {
    return frag.search(/,|\s/) !== -1;
  }));

  if (fragments[divider] &amp;&amp; fragments[divider].indexOf(',') === -1) {
    console.warn('Offsets separated by white space(s) are deprecated, use a comma (,) instead.');
  }

  // If divider is found, we divide the list of values and operands to divide
  // them by ofset X and Y.
  var splitRegex = /\s*,\s*|\s+/;
  var ops = divider !== -1 ? [fragments.slice(0, divider).concat([fragments[divider].split(splitRegex)[0]]), [fragments[divider].split(splitRegex)[1]].concat(fragments.slice(divider + 1))] : [fragments];

  // Convert the values with units to absolute pixels to allow our computations
  ops = ops.map(function (op, index) {
    // Most of the units rely on the orientation of the popper
    var measurement = (index === 1 ? !useHeight : useHeight) ? 'height' : 'width';
    var mergeWithPrevious = false;
    return op
    // This aggregates any `+` or `-` sign that aren't considered operators
    // e.g.: 10 + +5 =&gt; [10, +, +5]
    .reduce(function (a, b) {
      if (a[a.length - 1] === '' &amp;&amp; ['+', '-'].indexOf(b) !== -1) {
        a[a.length - 1] = b;
        mergeWithPrevious = true;
        return a;
      } else if (mergeWithPrevious) {
        a[a.length - 1] += b;
        mergeWithPrevious = false;
        return a;
      } else {
        return a.concat(b);
      }
    }, [])
    // Here we convert the string values into number values (in px)
    .map(function (str) {
      return toValue(str, measurement, popperOffsets, referenceOffsets);
    });
  });

  // Loop trough the offsets arrays and execute the operations
  ops.forEach(function (op, index) {
    op.forEach(function (frag, index2) {
      if (isNumeric(frag)) {
        offsets[index] += frag * (op[index2 - 1] === '-' ? -1 : 1);
      }
    });
  });
  return offsets;
}

/**
 * @function
 * @memberof Modifiers
 * @argument {Object} data - The data object generated by update method
 * @argument {Object} options - Modifiers configuration and options
 * @argument {Number|String} options.offset=0
 * The offset value as described in the modifier description
 * @returns {Object} The data object, properly modified
 */
function offset(data, _ref) {
  var offset = _ref.offset;
  var placement = data.placement,
      _data$offsets = data.offsets,
      popper = _data$offsets.popper,
      reference = _data$offsets.reference;

  var basePlacement = placement.split('-')[0];

  var offsets = void 0;
  if (isNumeric(+offset)) {
    offsets = [+offset, 0];
  } else {
    offsets = parseOffset(offset, popper, reference, basePlacement);
  }

  if (basePlacement === 'left') {
    popper.top += offsets[0];
    popper.left -= offsets[1];
  } else if (basePlacement === 'right') {
    popper.top += offsets[0];
    popper.left += offsets[1];
  } else if (basePlacement === 'top') {
    popper.left += offsets[0];
    popper.top -= offsets[1];
  } else if (basePlacement === 'bottom') {
    popper.left += offsets[0];
    popper.top += offsets[1];
  }

  data.popper = popper;
  return data;
}

/**
 * @function
 * @memberof Modifiers
 * @argument {Object} data - The data object generated by `update` method
 * @argument {Object} options - Modifiers configuration and options
 * @returns {Object} The data object, properly modified
 */
function preventOverflow(data, options) {
  var boundariesElement = options.boundariesElement || getOffsetParent(data.instance.popper);

  // If offsetParent is the reference element, we really want to
  // go one step up and use the next offsetParent as reference to
  // avoid to make this modifier completely useless and look like broken
  if (data.instance.reference === boundariesElement) {
    boundariesElement = getOffsetParent(boundariesElement);
  }

  // NOTE: DOM access here
  // resets the popper's position so that the document size can be calculated excluding
  // the size of the popper element itself
  var transformProp = getSupportedPropertyName('transform');
  var popperStyles = data.instance.popper.style; // assignment to help minification
  var top = popperStyles.top,
      left = popperStyles.left,
      transform = popperStyles[transformProp];

  popperStyles.top = '';
  popperStyles.left = '';
  popperStyles[transformProp] = '';

  var boundaries = getBoundaries(data.instance.popper, data.instance.reference, options.padding, boundariesElement, data.positionFixed);

  // NOTE: DOM access here
  // restores the original style properties after the offsets have been computed
  popperStyles.top = top;
  popperStyles.left = left;
  popperStyles[transformProp] = transform;

  options.boundaries = boundaries;

  var order = options.priority;
  var popper = data.offsets.popper;

  var check = {
    primary: function primary(placement) {
      var value = popper[placement];
      if (popper[placement] &lt; boundaries[placement] &amp;&amp; !options.escapeWithReference) {
        value = Math.max(popper[placement], boundaries[placement]);
      }
      return defineProperty({}, placement, value);
    },
    secondary: function secondary(placement) {
      var mainSide = placement === 'right' ? 'left' : 'top';
      var value = popper[mainSide];
      if (popper[placement] &gt; boundaries[placement] &amp;&amp; !options.escapeWithReference) {
        value = Math.min(popper[mainSide], boundaries[placement] - (placement === 'right' ? popper.width : popper.height));
      }
      return defineProperty({}, mainSide, value);
    }
  };

  order.forEach(function (placement) {
    var side = ['left', 'top'].indexOf(placement) !== -1 ? 'primary' : 'secondary';
    popper = _extends({}, popper, check[side](placement));
  });

  data.offsets.popper = popper;

  return data;
}

/**
 * @function
 * @memberof Modifiers
 * @argument {Object} data - The data object generated by `update` method
 * @argument {Object} options - Modifiers configuration and options
 * @returns {Object} The data object, properly modified
 */
function shift(data) {
  var placement = data.placement;
  var basePlacement = placement.split('-')[0];
  var shiftvariation = placement.split('-')[1];

  // if shift shiftvariation is specified, run the modifier
  if (shiftvariation) {
    var _data$offsets = data.offsets,
        reference = _data$offsets.reference,
        popper = _data$offsets.popper;

    var isVertical = ['bottom', 'top'].indexOf(basePlacement) !== -1;
    var side = isVertical ? 'left' : 'top';
    var measurement = isVertical ? 'width' : 'height';

    var shiftOffsets = {
      start: defineProperty({}, side, reference[side]),
      end: defineProperty({}, side, reference[side] + reference[measurement] - popper[measurement])
    };

    data.offsets.popper = _extends({}, popper, shiftOffsets[shiftvariation]);
  }

  return data;
}

/**
 * @function
 * @memberof Modifiers
 * @argument {Object} data - The data object generated by update method
 * @argument {Object} options - Modifiers configuration and options
 * @returns {Object} The data object, properly modified
 */
function hide(data) {
  if (!isModifierRequired(data.instance.modifiers, 'hide', 'preventOverflow')) {
    return data;
  }

  var refRect = data.offsets.reference;
  var bound = find(data.instance.modifiers, function (modifier) {
    return modifier.name === 'preventOverflow';
  }).boundaries;

  if (refRect.bottom &lt; bound.top || refRect.left &gt; bound.right || refRect.top &gt; bound.bottom || refRect.right &lt; bound.left) {
    // Avoid unnecessary DOM access if visibility hasn't changed
    if (data.hide === true) {
      return data;
    }

    data.hide = true;
    data.attributes['x-out-of-boundaries'] = '';
  } else {
    // Avoid unnecessary DOM access if visibility hasn't changed
    if (data.hide === false) {
      return data;
    }

    data.hide = false;
    data.attributes['x-out-of-boundaries'] = false;
  }

  return data;
}

/**
 * @function
 * @memberof Modifiers
 * @argument {Object} data - The data object generated by `update` method
 * @argument {Object} options - Modifiers configuration and options
 * @returns {Object} The data object, properly modified
 */
function inner(data) {
  var placement = data.placement;
  var basePlacement = placement.split('-')[0];
  var _data$offsets = data.offsets,
      popper = _data$offsets.popper,
      reference = _data$offsets.reference;

  var isHoriz = ['left', 'right'].indexOf(basePlacement) !== -1;

  var subtractLength = ['top', 'left'].indexOf(basePlacement) === -1;

  popper[isHoriz ? 'left' : 'top'] = reference[basePlacement] - (subtractLength ? popper[isHoriz ? 'width' : 'height'] : 0);

  data.placement = getOppositePlacement(placement);
  data.offsets.popper = getClientRect(popper);

  return data;
}

/**
 * Modifier function, each modifier can have a function of this type assigned
 * to its `fn` property.&lt;br /&gt;
 * These functions will be called on each update, this means that you must
 * make sure they are performant enough to avoid performance bottlenecks.
 *
 * @function ModifierFn
 * @argument {dataObject} data - The data object generated by `update` method
 * @argument {Object} options - Modifiers configuration and options
 * @returns {dataObject} The data object, properly modified
 */

/**
 * Modifiers are plugins used to alter the behavior of your poppers.&lt;br /&gt;
 * Popper.js uses a set of 9 modifiers to provide all the basic functionalities
 * needed by the library.
 *
 * Usually you don't want to override the `order`, `fn` and `onLoad` props.
 * All the other properties are configurations that could be tweaked.
 * @namespace modifiers
 */
var modifiers = {
  /**
   * Modifier used to shift the popper on the start or end of its reference
   * element.&lt;br /&gt;
   * It will read the variation of the `placement` property.&lt;br /&gt;
   * It can be one either `-end` or `-start`.
   * @memberof modifiers
   * @inner
   */
  shift: {
    /** @prop {number} order=100 - Index used to define the order of execution */
    order: 100,
    /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */
    enabled: true,
    /** @prop {ModifierFn} */
    fn: shift
  },

  /**
   * The `offset` modifier can shift your popper on both its axis.
   *
   * It accepts the following units:
   * - `px` or unit-less, interpreted as pixels
   * - `%` or `%r`, percentage relative to the length of the reference element
   * - `%p`, percentage relative to the length of the popper element
   * - `vw`, CSS viewport width unit
   * - `vh`, CSS viewport height unit
   *
   * For length is intended the main axis relative to the placement of the popper.&lt;br /&gt;
   * This means that if the placement is `top` or `bottom`, the length will be the
   * `width`. In case of `left` or `right`, it will be the `height`.
   *
   * You can provide a single value (as `Number` or `String`), or a pair of values
   * as `String` divided by a comma or one (or more) white spaces.&lt;br /&gt;
   * The latter is a deprecated method because it leads to confusion and will be
   * removed in v2.&lt;br /&gt;
   * Additionally, it accepts additions and subtractions between different units.
   * Note that multiplications and divisions aren't supported.
   *
   * Valid examples are:
   * ```
   * 10
   * '10%'
   * '10, 10'
   * '10%, 10'
   * '10 + 10%'
   * '10 - 5vh + 3%'
   * '-10px + 5vh, 5px - 6%'
   * ```
   * &gt; **NB**: If you desire to apply offsets to your poppers in a way that may make them overlap
   * &gt; with their reference element, unfortunately, you will have to disable the `flip` modifier.
   * &gt; You can read more on this at this [issue](https://github.com/FezVrasta/popper.js/issues/373).
   *
   * @memberof modifiers
   * @inner
   */
  offset: {
    /** @prop {number} order=200 - Index used to define the order of execution */
    order: 200,
    /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */
    enabled: true,
    /** @prop {ModifierFn} */
    fn: offset,
    /** @prop {Number|String} offset=0
     * The offset value as described in the modifier description
     */
    offset: 0
  },

  /**
   * Modifier used to prevent the popper from being positioned outside the boundary.
   *
   * A scenario exists where the reference itself is not within the boundaries.&lt;br /&gt;
   * We can say it has "escaped the boundaries" â€” or just "escaped".&lt;br /&gt;
   * In this case we need to decide whether the popper should either:
   *
   * - detach from the reference and remain "trapped" in the boundaries, or
   * - if it should ignore the boundary and "escape with its reference"
   *
   * When `escapeWithReference` is set to`true` and reference is completely
   * outside its boundaries, the popper will overflow (or completely leave)
   * the boundaries in order to remain attached to the edge of the reference.
   *
   * @memberof modifiers
   * @inner
   */
  preventOverflow: {
    /** @prop {number} order=300 - Index used to define the order of execution */
    order: 300,
    /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */
    enabled: true,
    /** @prop {ModifierFn} */
    fn: preventOverflow,
    /**
     * @prop {Array} [priority=['left','right','top','bottom']]
     * Popper will try to prevent overflow following these priorities by default,
     * then, it could overflow on the left and on top of the `boundariesElement`
     */
    priority: ['left', 'right', 'top', 'bottom'],
    /**
     * @prop {number} padding=5
     * Amount of pixel used to define a minimum distance between the boundaries
     * and the popper. This makes sure the popper always has a little padding
     * between the edges of its container
     */
    padding: 5,
    /**
     * @prop {String|HTMLElement} boundariesElement='scrollParent'
     * Boundaries used by the modifier. Can be `scrollParent`, `window`,
     * `viewport` or any DOM element.
     */
    boundariesElement: 'scrollParent'
  },

  /**
   * Modifier used to make sure the reference and its popper stay near each other
   * without leaving any gap between the two. Especially useful when the arrow is
   * enabled and you want to ensure that it points to its reference element.
   * It cares only about the first axis. You can still have poppers with margin
   * between the popper and its reference element.
   * @memberof modifiers
   * @inner
   */
  keepTogether: {
    /** @prop {number} order=400 - Index used to define the order of execution */
    order: 400,
    /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */
    enabled: true,
    /** @prop {ModifierFn} */
    fn: keepTogether
  },

  /**
   * This modifier is used to move the `arrowElement` of the popper to make
   * sure it is positioned between the reference element and its popper element.
   * It will read the outer size of the `arrowElement` node to detect how many
   * pixels of conjunction are needed.
   *
   * It has no effect if no `arrowElement` is provided.
   * @memberof modifiers
   * @inner
   */
  arrow: {
    /** @prop {number} order=500 - Index used to define the order of execution */
    order: 500,
    /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */
    enabled: true,
    /** @prop {ModifierFn} */
    fn: arrow,
    /** @prop {String|HTMLElement} element='[x-arrow]' - Selector or node used as arrow */
    element: '[x-arrow]'
  },

  /**
   * Modifier used to flip the popper's placement when it starts to overlap its
   * reference element.
   *
   * Requires the `preventOverflow` modifier before it in order to work.
   *
   * **NOTE:** this modifier will interrupt the current update cycle and will
   * restart it if it detects the need to flip the placement.
   * @memberof modifiers
   * @inner
   */
  flip: {
    /** @prop {number} order=600 - Index used to define the order of execution */
    order: 600,
    /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */
    enabled: true,
    /** @prop {ModifierFn} */
    fn: flip,
    /**
     * @prop {String|Array} behavior='flip'
     * The behavior used to change the popper's placement. It can be one of
     * `flip`, `clockwise`, `counterclockwise` or an array with a list of valid
     * placements (with optional variations)
     */
    behavior: 'flip',
    /**
     * @prop {number} padding=5
     * The popper will flip if it hits the edges of the `boundariesElement`
     */
    padding: 5,
    /**
     * @prop {String|HTMLElement} boundariesElement='viewport'
     * The element which will define the boundaries of the popper position.
     * The popper will never be placed outside of the defined boundaries
     * (except if `keepTogether` is enabled)
     */
    boundariesElement: 'viewport',
    /**
     * @prop {Boolean} flipVariations=false
     * The popper will switch placement variation between `-start` and `-end` when
     * the reference element overlaps its boundaries.
     *
     * The original placement should have a set variation.
     */
    flipVariations: false,
    /**
     * @prop {Boolean} flipVariationsByContent=false
     * The popper will switch placement variation between `-start` and `-end` when
     * the popper element overlaps its reference boundaries.
     *
     * The original placement should have a set variation.
     */
    flipVariationsByContent: false
  },

  /**
   * Modifier used to make the popper flow toward the inner of the reference element.
   * By default, when this modifier is disabled, the popper will be placed outside
   * the reference element.
   * @memberof modifiers
   * @inner
   */
  inner: {
    /** @prop {number} order=700 - Index used to define the order of execution */
    order: 700,
    /** @prop {Boolean} enabled=false - Whether the modifier is enabled or not */
    enabled: false,
    /** @prop {ModifierFn} */
    fn: inner
  },

  /**
   * Modifier used to hide the popper when its reference element is outside of the
   * popper boundaries. It will set a `x-out-of-boundaries` attribute which can
   * be used to hide with a CSS selector the popper when its reference is
   * out of boundaries.
   *
   * Requires the `preventOverflow` modifier before it in order to work.
   * @memberof modifiers
   * @inner
   */
  hide: {
    /** @prop {number} order=800 - Index used to define the order of execution */
    order: 800,
    /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */
    enabled: true,
    /** @prop {ModifierFn} */
    fn: hide
  },

  /**
   * Computes the style that will be applied to the popper element to gets
   * properly positioned.
   *
   * Note that this modifier will not touch the DOM, it just prepares the styles
   * so that `applyStyle` modifier can apply it. This separation is useful
   * in case you need to replace `applyStyle` with a custom implementation.
   *
   * This modifier has `850` as `order` value to maintain backward compatibility
   * with previous versions of Popper.js. Expect the modifiers ordering method
   * to change in future major versions of the library.
   *
   * @memberof modifiers
   * @inner
   */
  computeStyle: {
    /** @prop {number} order=850 - Index used to define the order of execution */
    order: 850,
    /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */
    enabled: true,
    /** @prop {ModifierFn} */
    fn: computeStyle,
    /**
     * @prop {Boolean} gpuAcceleration=true
     * If true, it uses the CSS 3D transformation to position the popper.
     * Otherwise, it will use the `top` and `left` properties
     */
    gpuAcceleration: true,
    /**
     * @prop {string} [x='bottom']
     * Where to anchor the X axis (`bottom` or `top`). AKA X offset origin.
     * Change this if your popper should grow in a direction different from `bottom`
     */
    x: 'bottom',
    /**
     * @prop {string} [x='left']
     * Where to anchor the Y axis (`left` or `right`). AKA Y offset origin.
     * Change this if your popper should grow in a direction different from `right`
     */
    y: 'right'
  },

  /**
   * Applies the computed styles to the popper element.
   *
   * All the DOM manipulations are limited to this modifier. This is useful in case
   * you want to integrate Popper.js inside a framework or view library and you
   * want to delegate all the DOM manipulations to it.
   *
   * Note that if you disable this modifier, you must make sure the popper element
   * has its position set to `absolute` before Popper.js can do its work!
   *
   * Just disable this modifier and define your own to achieve the desired effect.
   *
   * @memberof modifiers
   * @inner
   */
  applyStyle: {
    /** @prop {number} order=900 - Index used to define the order of execution */
    order: 900,
    /** @prop {Boolean} enabled=true - Whether the modifier is enabled or not */
    enabled: true,
    /** @prop {ModifierFn} */
    fn: applyStyle,
    /** @prop {Function} */
    onLoad: applyStyleOnLoad,
    /**
     * @deprecated since version 1.10.0, the property moved to `computeStyle` modifier
     * @prop {Boolean} gpuAcceleration=true
     * If true, it uses the CSS 3D transformation to position the popper.
     * Otherwise, it will use the `top` and `left` properties
     */
    gpuAcceleration: undefined
  }
};

/**
 * The `dataObject` is an object containing all the information used by Popper.js.
 * This object is passed to modifiers and to the `onCreate` and `onUpdate` callbacks.
 * @name dataObject
 * @property {Object} data.instance The Popper.js instance
 * @property {String} data.placement Placement applied to popper
 * @property {String} data.originalPlacement Placement originally defined on init
 * @property {Boolean} data.flipped True if popper has been flipped by flip modifier
 * @property {Boolean} data.hide True if the reference element is out of boundaries, useful to know when to hide the popper
 * @property {HTMLElement} data.arrowElement Node used as arrow by arrow modifier
 * @property {Object} data.styles Any CSS property defined here will be applied to the popper. It expects the JavaScript nomenclature (eg. `marginBottom`)
 * @property {Object} data.arrowStyles Any CSS property defined here will be applied to the popper arrow. It expects the JavaScript nomenclature (eg. `marginBottom`)
 * @property {Object} data.boundaries Offsets of the popper boundaries
 * @property {Object} data.offsets The measurements of popper, reference and arrow elements
 * @property {Object} data.offsets.popper `top`, `left`, `width`, `height` values
 * @property {Object} data.offsets.reference `top`, `left`, `width`, `height` values
 * @property {Object} data.offsets.arrow] `top` and `left` offsets, only one of them will be different from 0
 */

/**
 * Default options provided to Popper.js constructor.&lt;br /&gt;
 * These can be overridden using the `options` argument of Popper.js.&lt;br /&gt;
 * To override an option, simply pass an object with the same
 * structure of the `options` object, as the 3rd argument. For example:
 * ```
 * new Popper(ref, pop, {
 *   modifiers: {
 *     preventOverflow: { enabled: false }
 *   }
 * })
 * ```
 * @type {Object}
 * @static
 * @memberof Popper
 */
var Defaults = {
  /**
   * Popper's placement.
   * @prop {Popper.placements} placement='bottom'
   */
  placement: 'bottom',

  /**
   * Set this to true if you want popper to position it self in 'fixed' mode
   * @prop {Boolean} positionFixed=false
   */
  positionFixed: false,

  /**
   * Whether events (resize, scroll) are initially enabled.
   * @prop {Boolean} eventsEnabled=true
   */
  eventsEnabled: true,

  /**
   * Set to true if you want to automatically remove the popper when
   * you call the `destroy` method.
   * @prop {Boolean} removeOnDestroy=false
   */
  removeOnDestroy: false,

  /**
   * Callback called when the popper is created.&lt;br /&gt;
   * By default, it is set to no-op.&lt;br /&gt;
   * Access Popper.js instance with `data.instance`.
   * @prop {onCreate}
   */
  onCreate: function onCreate() {},

  /**
   * Callback called when the popper is updated. This callback is not called
   * on the initialization/creation of the popper, but only on subsequent
   * updates.&lt;br /&gt;
   * By default, it is set to no-op.&lt;br /&gt;
   * Access Popper.js instance with `data.instance`.
   * @prop {onUpdate}
   */
  onUpdate: function onUpdate() {},

  /**
   * List of modifiers used to modify the offsets before they are applied to the popper.
   * They provide most of the functionalities of Popper.js.
   * @prop {modifiers}
   */
  modifiers: modifiers
};

/**
 * @callback onCreate
 * @param {dataObject} data
 */

/**
 * @callback onUpdate
 * @param {dataObject} data
 */

// Utils
// Methods
var Popper = function () {
  /**
   * Creates a new Popper.js instance.
   * @class Popper
   * @param {Element|referenceObject} reference - The reference element used to position the popper
   * @param {Element} popper - The HTML / XML element used as the popper
   * @param {Object} options - Your custom options to override the ones defined in [Defaults](#defaults)
   * @return {Object} instance - The generated Popper.js instance
   */
  function Popper(reference, popper) {
    var _this = this;

    var options = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : {};
    classCallCheck(this, Popper);

    this.scheduleUpdate = function () {
      return requestAnimationFrame(_this.update);
    };

    // make update() debounced, so that it only runs at most once-per-tick
    this.update = debounce(this.update.bind(this));

    // with {} we create a new object with the options inside it
    this.options = _extends({}, Popper.Defaults, options);

    // init state
    this.state = {
      isDestroyed: false,
      isCreated: false,
      scrollParents: []
    };

    // get reference and popper elements (allow jQuery wrappers)
    this.reference = reference &amp;&amp; reference.jquery ? reference[0] : reference;
    this.popper = popper &amp;&amp; popper.jquery ? popper[0] : popper;

    // Deep merge modifiers options
    this.options.modifiers = {};
    Object.keys(_extends({}, Popper.Defaults.modifiers, options.modifiers)).forEach(function (name) {
      _this.options.modifiers[name] = _extends({}, Popper.Defaults.modifiers[name] || {}, options.modifiers ? options.modifiers[name] : {});
    });

    // Refactoring modifiers' list (Object =&gt; Array)
    this.modifiers = Object.keys(this.options.modifiers).map(function (name) {
      return _extends({
        name: name
      }, _this.options.modifiers[name]);
    })
    // sort the modifiers by order
    .sort(function (a, b) {
      return a.order - b.order;
    });

    // modifiers have the ability to execute arbitrary code when Popper.js get inited
    // such code is executed in the same order of its modifier
    // they could add new properties to their options configuration
    // BE AWARE: don't add options to `options.modifiers.name` but to `modifierOptions`!
    this.modifiers.forEach(function (modifierOptions) {
      if (modifierOptions.enabled &amp;&amp; isFunction(modifierOptions.onLoad)) {
        modifierOptions.onLoad(_this.reference, _this.popper, _this.options, modifierOptions, _this.state);
      }
    });

    // fire the first update to position the popper in the right place
    this.update();

    var eventsEnabled = this.options.eventsEnabled;
    if (eventsEnabled) {
      // setup event listeners, they will take care of update the position in specific situations
      this.enableEventListeners();
    }

    this.state.eventsEnabled = eventsEnabled;
  }

  // We can't use class properties because they don't get listed in the
  // class prototype and break stuff like Sinon stubs


  createClass(Popper, [{
    key: 'update',
    value: function update$$1() {
      return update.call(this);
    }
  }, {
    key: 'destroy',
    value: function destroy$$1() {
      return destroy.call(this);
    }
  }, {
    key: 'enableEventListeners',
    value: function enableEventListeners$$1() {
      return enableEventListeners.call(this);
    }
  }, {
    key: 'disableEventListeners',
    value: function disableEventListeners$$1() {
      return disableEventListeners.call(this);
    }

    /**
     * Schedules an update. It will run on the next UI update available.
     * @method scheduleUpdate
     * @memberof Popper
     */


    /**
     * Collection of utilities useful when writing custom modifiers.
     * Starting from version 1.7, this method is available only if you
     * include `popper-utils.js` before `popper.js`.
     *
     * **DEPRECATION**: This way to access PopperUtils is deprecated
     * and will be removed in v2! Use the PopperUtils module directly instead.
     * Due to the high instability of the methods contained in Utils, we can't
     * guarantee them to follow semver. Use them at your own risk!
     * @static
     * @private
     * @type {Object}
     * @deprecated since version 1.8
     * @member Utils
     * @memberof Popper
     */

  }]);
  return Popper;
}();

/**
 * The `referenceObject` is an object that provides an interface compatible with Popper.js
 * and lets you use it as replacement of a real DOM node.&lt;br /&gt;
 * You can use this method to position a popper relatively to a set of coordinates
 * in case you don't have a DOM node to use as reference.
 *
 * ```
 * new Popper(referenceObject, popperNode);
 * ```
 *
 * NB: This feature isn't supported in Internet Explorer 10.
 * @name referenceObject
 * @property {Function} data.getBoundingClientRect
 * A function that returns a set of coordinates compatible with the native `getBoundingClientRect` method.
 * @property {number} data.clientWidth
 * An ES6 getter that will return the width of the virtual reference element.
 * @property {number} data.clientHeight
 * An ES6 getter that will return the height of the virtual reference element.
 */


Popper.Utils = (typeof window !== 'undefined' ? window : __webpack_require__.g).PopperUtils;
Popper.placements = placements;
Popper.Defaults = Defaults;

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (Popper);
//# sourceMappingURL=popper.js.map


/***/ }),

/***/ "./node_modules/portal-vue/dist/portal-vue.common.js":
/*!***********************************************************!*\
  !*** ./node_modules/portal-vue/dist/portal-vue.common.js ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, exports, __webpack_require__) =&gt; {

"use strict";

 /*! 
  * portal-vue Â© Thorsten LÃ¼nborg, 2019 
  * 
  * Version: 2.1.7
  * 
  * LICENCE: MIT 
  * 
  * https://github.com/linusborg/portal-vue
  * 
 */



Object.defineProperty(exports, "__esModule", ({ value: true }));

function _interopDefault (ex) { return (ex &amp;&amp; (typeof ex === 'object') &amp;&amp; 'default' in ex) ? ex['default'] : ex; }

var Vue = _interopDefault(__webpack_require__(/*! vue */ "./node_modules/vue/dist/vue.esm.js"));

function _typeof(obj) {
  if (typeof Symbol === "function" &amp;&amp; typeof Symbol.iterator === "symbol") {
    _typeof = function (obj) {
      return typeof obj;
    };
  } else {
    _typeof = function (obj) {
      return obj &amp;&amp; typeof Symbol === "function" &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj;
    };
  }

  return _typeof(obj);
}

function _toConsumableArray(arr) {
  return _arrayWithoutHoles(arr) || _iterableToArray(arr) || _nonIterableSpread();
}

function _arrayWithoutHoles(arr) {
  if (Array.isArray(arr)) {
    for (var i = 0, arr2 = new Array(arr.length); i &lt; arr.length; i++) arr2[i] = arr[i];

    return arr2;
  }
}

function _iterableToArray(iter) {
  if (Symbol.iterator in Object(iter) || Object.prototype.toString.call(iter) === "[object Arguments]") return Array.from(iter);
}

function _nonIterableSpread() {
  throw new TypeError("Invalid attempt to spread non-iterable instance");
}

var inBrowser = typeof window !== 'undefined';
function freeze(item) {
  if (Array.isArray(item) || _typeof(item) === 'object') {
    return Object.freeze(item);
  }

  return item;
}
function combinePassengers(transports) {
  var slotProps = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
  return transports.reduce(function (passengers, transport) {
    var temp = transport.passengers[0];
    var newPassengers = typeof temp === 'function' ? temp(slotProps) : transport.passengers;
    return passengers.concat(newPassengers);
  }, []);
}
function stableSort(array, compareFn) {
  return array.map(function (v, idx) {
    return [idx, v];
  }).sort(function (a, b) {
    return compareFn(a[1], b[1]) || a[0] - b[0];
  }).map(function (c) {
    return c[1];
  });
}
function pick(obj, keys) {
  return keys.reduce(function (acc, key) {
    if (obj.hasOwnProperty(key)) {
      acc[key] = obj[key];
    }

    return acc;
  }, {});
}

var transports = {};
var targets = {};
var sources = {};
var Wormhole = Vue.extend({
  data: function data() {
    return {
      transports: transports,
      targets: targets,
      sources: sources,
      trackInstances: inBrowser
    };
  },
  methods: {
    open: function open(transport) {
      if (!inBrowser) return;
      var to = transport.to,
          from = transport.from,
          passengers = transport.passengers,
          _transport$order = transport.order,
          order = _transport$order === void 0 ? Infinity : _transport$order;
      if (!to || !from || !passengers) return;
      var newTransport = {
        to: to,
        from: from,
        passengers: freeze(passengers),
        order: order
      };
      var keys = Object.keys(this.transports);

      if (keys.indexOf(to) === -1) {
        Vue.set(this.transports, to, []);
      }

      var currentIndex = this.$_getTransportIndex(newTransport); // Copying the array here so that the PortalTarget change event will actually contain two distinct arrays

      var newTransports = this.transports[to].slice(0);

      if (currentIndex === -1) {
        newTransports.push(newTransport);
      } else {
        newTransports[currentIndex] = newTransport;
      }

      this.transports[to] = stableSort(newTransports, function (a, b) {
        return a.order - b.order;
      });
    },
    close: function close(transport) {
      var force = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : false;
      var to = transport.to,
          from = transport.from;
      if (!to || !from &amp;&amp; force === false) return;

      if (!this.transports[to]) {
        return;
      }

      if (force) {
        this.transports[to] = [];
      } else {
        var index = this.$_getTransportIndex(transport);

        if (index &gt;= 0) {
          // Copying the array here so that the PortalTarget change event will actually contain two distinct arrays
          var newTransports = this.transports[to].slice(0);
          newTransports.splice(index, 1);
          this.transports[to] = newTransports;
        }
      }
    },
    registerTarget: function registerTarget(target, vm, force) {
      if (!inBrowser) return;

      if (this.trackInstances &amp;&amp; !force &amp;&amp; this.targets[target]) {
        console.warn("[portal-vue]: Target ".concat(target, " already exists"));
      }

      this.$set(this.targets, target, Object.freeze([vm]));
    },
    unregisterTarget: function unregisterTarget(target) {
      this.$delete(this.targets, target);
    },
    registerSource: function registerSource(source, vm, force) {
      if (!inBrowser) return;

      if (this.trackInstances &amp;&amp; !force &amp;&amp; this.sources[source]) {
        console.warn("[portal-vue]: source ".concat(source, " already exists"));
      }

      this.$set(this.sources, source, Object.freeze([vm]));
    },
    unregisterSource: function unregisterSource(source) {
      this.$delete(this.sources, source);
    },
    hasTarget: function hasTarget(to) {
      return !!(this.targets[to] &amp;&amp; this.targets[to][0]);
    },
    hasSource: function hasSource(to) {
      return !!(this.sources[to] &amp;&amp; this.sources[to][0]);
    },
    hasContentFor: function hasContentFor(to) {
      return !!this.transports[to] &amp;&amp; !!this.transports[to].length;
    },
    // Internal
    $_getTransportIndex: function $_getTransportIndex(_ref) {
      var to = _ref.to,
          from = _ref.from;

      for (var i in this.transports[to]) {
        if (this.transports[to][i].from === from) {
          return +i;
        }
      }

      return -1;
    }
  }
});
var wormhole = new Wormhole(transports);

var _id = 1;
var Portal = Vue.extend({
  name: 'portal',
  props: {
    disabled: {
      type: Boolean
    },
    name: {
      type: String,
      default: function _default() {
        return String(_id++);
      }
    },
    order: {
      type: Number,
      default: 0
    },
    slim: {
      type: Boolean
    },
    slotProps: {
      type: Object,
      default: function _default() {
        return {};
      }
    },
    tag: {
      type: String,
      default: 'DIV'
    },
    to: {
      type: String,
      default: function _default() {
        return String(Math.round(Math.random() * 10000000));
      }
    }
  },
  created: function created() {
    var _this = this;

    this.$nextTick(function () {
      wormhole.registerSource(_this.name, _this);
    });
  },
  mounted: function mounted() {
    if (!this.disabled) {
      this.sendUpdate();
    }
  },
  updated: function updated() {
    if (this.disabled) {
      this.clear();
    } else {
      this.sendUpdate();
    }
  },
  beforeDestroy: function beforeDestroy() {
    wormhole.unregisterSource(this.name);
    this.clear();
  },
  watch: {
    to: function to(newValue, oldValue) {
      oldValue &amp;&amp; oldValue !== newValue &amp;&amp; this.clear(oldValue);
      this.sendUpdate();
    }
  },
  methods: {
    clear: function clear(target) {
      var closer = {
        from: this.name,
        to: target || this.to
      };
      wormhole.close(closer);
    },
    normalizeSlots: function normalizeSlots() {
      return this.$scopedSlots.default ? [this.$scopedSlots.default] : this.$slots.default;
    },
    normalizeOwnChildren: function normalizeOwnChildren(children) {
      return typeof children === 'function' ? children(this.slotProps) : children;
    },
    sendUpdate: function sendUpdate() {
      var slotContent = this.normalizeSlots();

      if (slotContent) {
        var transport = {
          from: this.name,
          to: this.to,
          passengers: _toConsumableArray(slotContent),
          order: this.order
        };
        wormhole.open(transport);
      } else {
        this.clear();
      }
    }
  },
  render: function render(h) {
    var children = this.$slots.default || this.$scopedSlots.default || [];
    var Tag = this.tag;

    if (children &amp;&amp; this.disabled) {
      return children.length &lt;= 1 &amp;&amp; this.slim ? this.normalizeOwnChildren(children)[0] : h(Tag, [this.normalizeOwnChildren(children)]);
    } else {
      return this.slim ? h() : h(Tag, {
        class: {
          'v-portal': true
        },
        style: {
          display: 'none'
        },
        key: 'v-portal-placeholder'
      });
    }
  }
});

var PortalTarget = Vue.extend({
  name: 'portalTarget',
  props: {
    multiple: {
      type: Boolean,
      default: false
    },
    name: {
      type: String,
      required: true
    },
    slim: {
      type: Boolean,
      default: false
    },
    slotProps: {
      type: Object,
      default: function _default() {
        return {};
      }
    },
    tag: {
      type: String,
      default: 'div'
    },
    transition: {
      type: [String, Object, Function]
    }
  },
  data: function data() {
    return {
      transports: wormhole.transports,
      firstRender: true
    };
  },
  created: function created() {
    var _this = this;

    this.$nextTick(function () {
      wormhole.registerTarget(_this.name, _this);
    });
  },
  watch: {
    ownTransports: function ownTransports() {
      this.$emit('change', this.children().length &gt; 0);
    },
    name: function name(newVal, oldVal) {
      /**
       * TODO
       * This should warn as well ...
       */
      wormhole.unregisterTarget(oldVal);
      wormhole.registerTarget(newVal, this);
    }
  },
  mounted: function mounted() {
    var _this2 = this;

    if (this.transition) {
      this.$nextTick(function () {
        // only when we have a transition, because it causes a re-render
        _this2.firstRender = false;
      });
    }
  },
  beforeDestroy: function beforeDestroy() {
    wormhole.unregisterTarget(this.name);
  },
  computed: {
    ownTransports: function ownTransports() {
      var transports = this.transports[this.name] || [];

      if (this.multiple) {
        return transports;
      }

      return transports.length === 0 ? [] : [transports[transports.length - 1]];
    },
    passengers: function passengers() {
      return combinePassengers(this.ownTransports, this.slotProps);
    }
  },
  methods: {
    // can't be a computed prop because it has to "react" to $slot changes.
    children: function children() {
      return this.passengers.length !== 0 ? this.passengers : this.$scopedSlots.default ? this.$scopedSlots.default(this.slotProps) : this.$slots.default || [];
    },
    // can't be a computed prop because it has to "react" to this.children().
    noWrapper: function noWrapper() {
      var noWrapper = this.slim &amp;&amp; !this.transition;

      if (noWrapper &amp;&amp; this.children().length &gt; 1) {
        console.warn('[portal-vue]: PortalTarget with `slim` option received more than one child element.');
      }

      return noWrapper;
    }
  },
  render: function render(h) {
    var noWrapper = this.noWrapper();
    var children = this.children();
    var Tag = this.transition || this.tag;
    return noWrapper ? children[0] : this.slim &amp;&amp; !Tag ? h() : h(Tag, {
      props: {
        // if we have a transition component, pass the tag if it exists
        tag: this.transition &amp;&amp; this.tag ? this.tag : undefined
      },
      class: {
        'vue-portal-target': true
      }
    }, children);
  }
});

var _id$1 = 0;
var portalProps = ['disabled', 'name', 'order', 'slim', 'slotProps', 'tag', 'to'];
var targetProps = ['multiple', 'transition'];
var MountingPortal = Vue.extend({
  name: 'MountingPortal',
  inheritAttrs: false,
  props: {
    append: {
      type: [Boolean, String]
    },
    bail: {
      type: Boolean
    },
    mountTo: {
      type: String,
      required: true
    },
    // Portal
    disabled: {
      type: Boolean
    },
    // name for the portal
    name: {
      type: String,
      default: function _default() {
        return 'mounted_' + String(_id$1++);
      }
    },
    order: {
      type: Number,
      default: 0
    },
    slim: {
      type: Boolean
    },
    slotProps: {
      type: Object,
      default: function _default() {
        return {};
      }
    },
    tag: {
      type: String,
      default: 'DIV'
    },
    // name for the target
    to: {
      type: String,
      default: function _default() {
        return String(Math.round(Math.random() * 10000000));
      }
    },
    // Target
    multiple: {
      type: Boolean,
      default: false
    },
    targetSlim: {
      type: Boolean
    },
    targetSlotProps: {
      type: Object,
      default: function _default() {
        return {};
      }
    },
    targetTag: {
      type: String,
      default: 'div'
    },
    transition: {
      type: [String, Object, Function]
    }
  },
  created: function created() {
    if (typeof document === 'undefined') return;
    var el = document.querySelector(this.mountTo);

    if (!el) {
      console.error("[portal-vue]: Mount Point '".concat(this.mountTo, "' not found in document"));
      return;
    }

    var props = this.$props; // Target already exists

    if (wormhole.targets[props.name]) {
      if (props.bail) {
        console.warn("[portal-vue]: Target ".concat(props.name, " is already mounted.\n        Aborting because 'bail: true' is set"));
      } else {
        this.portalTarget = wormhole.targets[props.name];
      }

      return;
    }

    var append = props.append;

    if (append) {
      var type = typeof append === 'string' ? append : 'DIV';
      var mountEl = document.createElement(type);
      el.appendChild(mountEl);
      el = mountEl;
    } // get props for target from $props
    // we have to rename a few of them


    var _props = pick(this.$props, targetProps);

    _props.slim = this.targetSlim;
    _props.tag = this.targetTag;
    _props.slotProps = this.targetSlotProps;
    _props.name = this.to;
    this.portalTarget = new PortalTarget({
      el: el,
      parent: this.$parent || this,
      propsData: _props
    });
  },
  beforeDestroy: function beforeDestroy() {
    var target = this.portalTarget;

    if (this.append) {
      var el = target.$el;
      el.parentNode.removeChild(el);
    }

    target.$destroy();
  },
  render: function render(h) {
    if (!this.portalTarget) {
      console.warn("[portal-vue] Target wasn't mounted");
      return h();
    } // if there's no "manual" scoped slot, so we create a &lt;Portal&gt; ourselves


    if (!this.$scopedSlots.manual) {
      var props = pick(this.$props, portalProps);
      return h(Portal, {
        props: props,
        attrs: this.$attrs,
        on: this.$listeners,
        scopedSlots: this.$scopedSlots
      }, this.$slots.default);
    } // else, we render the scoped slot


    var content = this.$scopedSlots.manual({
      to: this.to
    }); // if user used &lt;template&gt; for the scoped slot
    // content will be an array

    if (Array.isArray(content)) {
      content = content[0];
    }

    if (!content) return h();
    return content;
  }
});

function install(Vue$$1) {
  var options = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
  Vue$$1.component(options.portalName || 'Portal', Portal);
  Vue$$1.component(options.portalTargetName || 'PortalTarget', PortalTarget);
  Vue$$1.component(options.MountingPortalName || 'MountingPortal', MountingPortal);
}

var index = {
  install: install
};

exports["default"] = index;
exports.Portal = Portal;
exports.PortalTarget = PortalTarget;
exports.MountingPortal = MountingPortal;
exports.Wormhole = wormhole;
//# sourceMappingURL=portal-vue.common.js.map


/***/ }),

/***/ "./node_modules/process/browser.js":
/*!*****************************************!*\
  !*** ./node_modules/process/browser.js ***!
  \*****************************************/
/***/ ((module) =&gt; {

// shim for using process in browser
var process = module.exports = {};

// cached from whatever global is present so that test runners that stub it
// don't break things.  But we need to wrap it in a try catch in case it is
// wrapped in strict mode code which doesn't define any globals.  It's inside a
// function because try/catches deoptimize in certain engines.

var cachedSetTimeout;
var cachedClearTimeout;

function defaultSetTimout() {
    throw new Error('setTimeout has not been defined');
}
function defaultClearTimeout () {
    throw new Error('clearTimeout has not been defined');
}
(function () {
    try {
        if (typeof setTimeout === 'function') {
            cachedSetTimeout = setTimeout;
        } else {
            cachedSetTimeout = defaultSetTimout;
        }
    } catch (e) {
        cachedSetTimeout = defaultSetTimout;
    }
    try {
        if (typeof clearTimeout === 'function') {
            cachedClearTimeout = clearTimeout;
        } else {
            cachedClearTimeout = defaultClearTimeout;
        }
    } catch (e) {
        cachedClearTimeout = defaultClearTimeout;
    }
} ())
function runTimeout(fun) {
    if (cachedSetTimeout === setTimeout) {
        //normal enviroments in sane situations
        return setTimeout(fun, 0);
    }
    // if setTimeout wasn't available but was latter defined
    if ((cachedSetTimeout === defaultSetTimout || !cachedSetTimeout) &amp;&amp; setTimeout) {
        cachedSetTimeout = setTimeout;
        return setTimeout(fun, 0);
    }
    try {
        // when when somebody has screwed with setTimeout but no I.E. maddness
        return cachedSetTimeout(fun, 0);
    } catch(e){
        try {
            // When we are in I.E. but the script has been evaled so I.E. doesn't trust the global object when called normally
            return cachedSetTimeout.call(null, fun, 0);
        } catch(e){
            // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error
            return cachedSetTimeout.call(this, fun, 0);
        }
    }


}
function runClearTimeout(marker) {
    if (cachedClearTimeout === clearTimeout) {
        //normal enviroments in sane situations
        return clearTimeout(marker);
    }
    // if clearTimeout wasn't available but was latter defined
    if ((cachedClearTimeout === defaultClearTimeout || !cachedClearTimeout) &amp;&amp; clearTimeout) {
        cachedClearTimeout = clearTimeout;
        return clearTimeout(marker);
    }
    try {
        // when when somebody has screwed with setTimeout but no I.E. maddness
        return cachedClearTimeout(marker);
    } catch (e){
        try {
            // When we are in I.E. but the script has been evaled so I.E. doesn't  trust the global object when called normally
            return cachedClearTimeout.call(null, marker);
        } catch (e){
            // same as above but when it's a version of I.E. that must have the global object for 'this', hopfully our context correct otherwise it will throw a global error.
            // Some versions of I.E. have different rules for clearTimeout vs setTimeout
            return cachedClearTimeout.call(this, marker);
        }
    }



}
var queue = [];
var draining = false;
var currentQueue;
var queueIndex = -1;

function cleanUpNextTick() {
    if (!draining || !currentQueue) {
        return;
    }
    draining = false;
    if (currentQueue.length) {
        queue = currentQueue.concat(queue);
    } else {
        queueIndex = -1;
    }
    if (queue.length) {
        drainQueue();
    }
}

function drainQueue() {
    if (draining) {
        return;
    }
    var timeout = runTimeout(cleanUpNextTick);
    draining = true;

    var len = queue.length;
    while(len) {
        currentQueue = queue;
        queue = [];
        while (++queueIndex &lt; len) {
            if (currentQueue) {
                currentQueue[queueIndex].run();
            }
        }
        queueIndex = -1;
        len = queue.length;
    }
    currentQueue = null;
    draining = false;
    runClearTimeout(timeout);
}

process.nextTick = function (fun) {
    var args = new Array(arguments.length - 1);
    if (arguments.length &gt; 1) {
        for (var i = 1; i &lt; arguments.length; i++) {
            args[i - 1] = arguments[i];
        }
    }
    queue.push(new Item(fun, args));
    if (queue.length === 1 &amp;&amp; !draining) {
        runTimeout(drainQueue);
    }
};

// v8 likes predictible objects
function Item(fun, array) {
    this.fun = fun;
    this.array = array;
}
Item.prototype.run = function () {
    this.fun.apply(null, this.array);
};
process.title = 'browser';
process.browser = true;
process.env = {};
process.argv = [];
process.version = ''; // empty string to avoid regexp issues
process.versions = {};

function noop() {}

process.on = noop;
process.addListener = noop;
process.once = noop;
process.off = noop;
process.removeListener = noop;
process.removeAllListeners = noop;
process.emit = noop;
process.prependListener = noop;
process.prependOnceListener = noop;

process.listeners = function (name) { return [] }

process.binding = function (name) {
    throw new Error('process.binding is not supported');
};

process.cwd = function () { return '/' };
process.chdir = function (dir) {
    throw new Error('process.chdir is not supported');
};
process.umask = function() { return 0; };


/***/ }),

/***/ "./node_modules/quill/dist/quill.js":
/*!******************************************!*\
  !*** ./node_modules/quill/dist/quill.js ***!
  \******************************************/
/***/ (function(module, __unused_webpack_exports, __webpack_require__) {

/* provided dependency */ var Buffer = __webpack_require__(/*! buffer */ "./node_modules/buffer/index.js")["Buffer"];
/*!
 * Quill Editor v1.3.7
 * https://quilljs.com/
 * Copyright (c) 2014, Jason Chen
 * Copyright (c) 2013, salesforce.com
 */
(function webpackUniversalModuleDefinition(root, factory) {
	if(true)
		module.exports = factory();
	else {}
})(typeof self !== 'undefined' ? self : this, function() {
return /******/ (function(modules) { // webpackBootstrap
/******/ 	// The module cache
/******/ 	var installedModules = {};
/******/
/******/ 	// The require function
/******/ 	function __nested_webpack_require_697__(moduleId) {
/******/
/******/ 		// Check if module is in cache
/******/ 		if(installedModules[moduleId]) {
/******/ 			return installedModules[moduleId].exports;
/******/ 		}
/******/ 		// Create a new module (and put it into the cache)
/******/ 		var module = installedModules[moduleId] = {
/******/ 			i: moduleId,
/******/ 			l: false,
/******/ 			exports: {}
/******/ 		};
/******/
/******/ 		// Execute the module function
/******/ 		modules[moduleId].call(module.exports, module, module.exports, __nested_webpack_require_697__);
/******/
/******/ 		// Flag the module as loaded
/******/ 		module.l = true;
/******/
/******/ 		// Return the exports of the module
/******/ 		return module.exports;
/******/ 	}
/******/
/******/
/******/ 	// expose the modules object (__webpack_modules__)
/******/ 	__nested_webpack_require_697__.m = modules;
/******/
/******/ 	// expose the module cache
/******/ 	__nested_webpack_require_697__.c = installedModules;
/******/
/******/ 	// define getter function for harmony exports
/******/ 	__nested_webpack_require_697__.d = function(exports, name, getter) {
/******/ 		if(!__nested_webpack_require_697__.o(exports, name)) {
/******/ 			Object.defineProperty(exports, name, {
/******/ 				configurable: false,
/******/ 				enumerable: true,
/******/ 				get: getter
/******/ 			});
/******/ 		}
/******/ 	};
/******/
/******/ 	// getDefaultExport function for compatibility with non-harmony modules
/******/ 	__nested_webpack_require_697__.n = function(module) {
/******/ 		var getter = module &amp;&amp; module.__esModule ?
/******/ 			function getDefault() { return module['default']; } :
/******/ 			function getModuleExports() { return module; };
/******/ 		__nested_webpack_require_697__.d(getter, 'a', getter);
/******/ 		return getter;
/******/ 	};
/******/
/******/ 	// Object.prototype.hasOwnProperty.call
/******/ 	__nested_webpack_require_697__.o = function(object, property) { return Object.prototype.hasOwnProperty.call(object, property); };
/******/
/******/ 	// __webpack_public_path__
/******/ 	__nested_webpack_require_697__.p = "";
/******/
/******/ 	// Load entry module and return exports
/******/ 	return __nested_webpack_require_697__(__nested_webpack_require_697__.s = 109);
/******/ })
/************************************************************************/
/******/ ([
/* 0 */
/***/ (function(module, exports, __nested_webpack_require_2976__) {

"use strict";

Object.defineProperty(exports, "__esModule", { value: true });
var container_1 = __nested_webpack_require_2976__(17);
var format_1 = __nested_webpack_require_2976__(18);
var leaf_1 = __nested_webpack_require_2976__(19);
var scroll_1 = __nested_webpack_require_2976__(45);
var inline_1 = __nested_webpack_require_2976__(46);
var block_1 = __nested_webpack_require_2976__(47);
var embed_1 = __nested_webpack_require_2976__(48);
var text_1 = __nested_webpack_require_2976__(49);
var attributor_1 = __nested_webpack_require_2976__(12);
var class_1 = __nested_webpack_require_2976__(32);
var style_1 = __nested_webpack_require_2976__(33);
var store_1 = __nested_webpack_require_2976__(31);
var Registry = __nested_webpack_require_2976__(1);
var Parchment = {
    Scope: Registry.Scope,
    create: Registry.create,
    find: Registry.find,
    query: Registry.query,
    register: Registry.register,
    Container: container_1.default,
    Format: format_1.default,
    Leaf: leaf_1.default,
    Embed: embed_1.default,
    Scroll: scroll_1.default,
    Block: block_1.default,
    Inline: inline_1.default,
    Text: text_1.default,
    Attributor: {
        Attribute: attributor_1.default,
        Class: class_1.default,
        Style: style_1.default,
        Store: store_1.default,
    },
};
exports.default = Parchment;


/***/ }),
/* 1 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var ParchmentError = /** @class */ (function (_super) {
    __extends(ParchmentError, _super);
    function ParchmentError(message) {
        var _this = this;
        message = '[Parchment] ' + message;
        _this = _super.call(this, message) || this;
        _this.message = message;
        _this.name = _this.constructor.name;
        return _this;
    }
    return ParchmentError;
}(Error));
exports.ParchmentError = ParchmentError;
var attributes = {};
var classes = {};
var tags = {};
var types = {};
exports.DATA_KEY = '__blot';
var Scope;
(function (Scope) {
    Scope[Scope["TYPE"] = 3] = "TYPE";
    Scope[Scope["LEVEL"] = 12] = "LEVEL";
    Scope[Scope["ATTRIBUTE"] = 13] = "ATTRIBUTE";
    Scope[Scope["BLOT"] = 14] = "BLOT";
    Scope[Scope["INLINE"] = 7] = "INLINE";
    Scope[Scope["BLOCK"] = 11] = "BLOCK";
    Scope[Scope["BLOCK_BLOT"] = 10] = "BLOCK_BLOT";
    Scope[Scope["INLINE_BLOT"] = 6] = "INLINE_BLOT";
    Scope[Scope["BLOCK_ATTRIBUTE"] = 9] = "BLOCK_ATTRIBUTE";
    Scope[Scope["INLINE_ATTRIBUTE"] = 5] = "INLINE_ATTRIBUTE";
    Scope[Scope["ANY"] = 15] = "ANY";
})(Scope = exports.Scope || (exports.Scope = {}));
function create(input, value) {
    var match = query(input);
    if (match == null) {
        throw new ParchmentError("Unable to create " + input + " blot");
    }
    var BlotClass = match;
    var node = 
    // @ts-ignore
    input instanceof Node || input['nodeType'] === Node.TEXT_NODE ? input : BlotClass.create(value);
    return new BlotClass(node, value);
}
exports.create = create;
function find(node, bubble) {
    if (bubble === void 0) { bubble = false; }
    if (node == null)
        return null;
    // @ts-ignore
    if (node[exports.DATA_KEY] != null)
        return node[exports.DATA_KEY].blot;
    if (bubble)
        return find(node.parentNode, bubble);
    return null;
}
exports.find = find;
function query(query, scope) {
    if (scope === void 0) { scope = Scope.ANY; }
    var match;
    if (typeof query === 'string') {
        match = types[query] || attributes[query];
        // @ts-ignore
    }
    else if (query instanceof Text || query['nodeType'] === Node.TEXT_NODE) {
        match = types['text'];
    }
    else if (typeof query === 'number') {
        if (query &amp; Scope.LEVEL &amp; Scope.BLOCK) {
            match = types['block'];
        }
        else if (query &amp; Scope.LEVEL &amp; Scope.INLINE) {
            match = types['inline'];
        }
    }
    else if (query instanceof HTMLElement) {
        var names = (query.getAttribute('class') || '').split(/\s+/);
        for (var i in names) {
            match = classes[names[i]];
            if (match)
                break;
        }
        match = match || tags[query.tagName];
    }
    if (match == null)
        return null;
    // @ts-ignore
    if (scope &amp; Scope.LEVEL &amp; match.scope &amp;&amp; scope &amp; Scope.TYPE &amp; match.scope)
        return match;
    return null;
}
exports.query = query;
function register() {
    var Definitions = [];
    for (var _i = 0; _i &lt; arguments.length; _i++) {
        Definitions[_i] = arguments[_i];
    }
    if (Definitions.length &gt; 1) {
        return Definitions.map(function (d) {
            return register(d);
        });
    }
    var Definition = Definitions[0];
    if (typeof Definition.blotName !== 'string' &amp;&amp; typeof Definition.attrName !== 'string') {
        throw new ParchmentError('Invalid definition');
    }
    else if (Definition.blotName === 'abstract') {
        throw new ParchmentError('Cannot register abstract class');
    }
    types[Definition.blotName || Definition.attrName] = Definition;
    if (typeof Definition.keyName === 'string') {
        attributes[Definition.keyName] = Definition;
    }
    else {
        if (Definition.className != null) {
            classes[Definition.className] = Definition;
        }
        if (Definition.tagName != null) {
            if (Array.isArray(Definition.tagName)) {
                Definition.tagName = Definition.tagName.map(function (tagName) {
                    return tagName.toUpperCase();
                });
            }
            else {
                Definition.tagName = Definition.tagName.toUpperCase();
            }
            var tagNames = Array.isArray(Definition.tagName) ? Definition.tagName : [Definition.tagName];
            tagNames.forEach(function (tag) {
                if (tags[tag] == null || Definition.className == null) {
                    tags[tag] = Definition;
                }
            });
        }
    }
    return Definition;
}
exports.register = register;


/***/ }),
/* 2 */
/***/ (function(module, exports, __nested_webpack_require_9445__) {

var diff = __nested_webpack_require_9445__(51);
var equal = __nested_webpack_require_9445__(11);
var extend = __nested_webpack_require_9445__(3);
var op = __nested_webpack_require_9445__(20);


var NULL_CHARACTER = String.fromCharCode(0);  // Placeholder char for embed in diff()


var Delta = function (ops) {
  // Assume we are given a well formed ops
  if (Array.isArray(ops)) {
    this.ops = ops;
  } else if (ops != null &amp;&amp; Array.isArray(ops.ops)) {
    this.ops = ops.ops;
  } else {
    this.ops = [];
  }
};


Delta.prototype.insert = function (text, attributes) {
  var newOp = {};
  if (text.length === 0) return this;
  newOp.insert = text;
  if (attributes != null &amp;&amp; typeof attributes === 'object' &amp;&amp; Object.keys(attributes).length &gt; 0) {
    newOp.attributes = attributes;
  }
  return this.push(newOp);
};

Delta.prototype['delete'] = function (length) {
  if (length &lt;= 0) return this;
  return this.push({ 'delete': length });
};

Delta.prototype.retain = function (length, attributes) {
  if (length &lt;= 0) return this;
  var newOp = { retain: length };
  if (attributes != null &amp;&amp; typeof attributes === 'object' &amp;&amp; Object.keys(attributes).length &gt; 0) {
    newOp.attributes = attributes;
  }
  return this.push(newOp);
};

Delta.prototype.push = function (newOp) {
  var index = this.ops.length;
  var lastOp = this.ops[index - 1];
  newOp = extend(true, {}, newOp);
  if (typeof lastOp === 'object') {
    if (typeof newOp['delete'] === 'number' &amp;&amp; typeof lastOp['delete'] === 'number') {
      this.ops[index - 1] = { 'delete': lastOp['delete'] + newOp['delete'] };
      return this;
    }
    // Since it does not matter if we insert before or after deleting at the same index,
    // always prefer to insert first
    if (typeof lastOp['delete'] === 'number' &amp;&amp; newOp.insert != null) {
      index -= 1;
      lastOp = this.ops[index - 1];
      if (typeof lastOp !== 'object') {
        this.ops.unshift(newOp);
        return this;
      }
    }
    if (equal(newOp.attributes, lastOp.attributes)) {
      if (typeof newOp.insert === 'string' &amp;&amp; typeof lastOp.insert === 'string') {
        this.ops[index - 1] = { insert: lastOp.insert + newOp.insert };
        if (typeof newOp.attributes === 'object') this.ops[index - 1].attributes = newOp.attributes
        return this;
      } else if (typeof newOp.retain === 'number' &amp;&amp; typeof lastOp.retain === 'number') {
        this.ops[index - 1] = { retain: lastOp.retain + newOp.retain };
        if (typeof newOp.attributes === 'object') this.ops[index - 1].attributes = newOp.attributes
        return this;
      }
    }
  }
  if (index === this.ops.length) {
    this.ops.push(newOp);
  } else {
    this.ops.splice(index, 0, newOp);
  }
  return this;
};

Delta.prototype.chop = function () {
  var lastOp = this.ops[this.ops.length - 1];
  if (lastOp &amp;&amp; lastOp.retain &amp;&amp; !lastOp.attributes) {
    this.ops.pop();
  }
  return this;
};

Delta.prototype.filter = function (predicate) {
  return this.ops.filter(predicate);
};

Delta.prototype.forEach = function (predicate) {
  this.ops.forEach(predicate);
};

Delta.prototype.map = function (predicate) {
  return this.ops.map(predicate);
};

Delta.prototype.partition = function (predicate) {
  var passed = [], failed = [];
  this.forEach(function(op) {
    var target = predicate(op) ? passed : failed;
    target.push(op);
  });
  return [passed, failed];
};

Delta.prototype.reduce = function (predicate, initial) {
  return this.ops.reduce(predicate, initial);
};

Delta.prototype.changeLength = function () {
  return this.reduce(function (length, elem) {
    if (elem.insert) {
      return length + op.length(elem);
    } else if (elem.delete) {
      return length - elem.delete;
    }
    return length;
  }, 0);
};

Delta.prototype.length = function () {
  return this.reduce(function (length, elem) {
    return length + op.length(elem);
  }, 0);
};

Delta.prototype.slice = function (start, end) {
  start = start || 0;
  if (typeof end !== 'number') end = Infinity;
  var ops = [];
  var iter = op.iterator(this.ops);
  var index = 0;
  while (index &lt; end &amp;&amp; iter.hasNext()) {
    var nextOp;
    if (index &lt; start) {
      nextOp = iter.next(start - index);
    } else {
      nextOp = iter.next(end - index);
      ops.push(nextOp);
    }
    index += op.length(nextOp);
  }
  return new Delta(ops);
};


Delta.prototype.compose = function (other) {
  var thisIter = op.iterator(this.ops);
  var otherIter = op.iterator(other.ops);
  var ops = [];
  var firstOther = otherIter.peek();
  if (firstOther != null &amp;&amp; typeof firstOther.retain === 'number' &amp;&amp; firstOther.attributes == null) {
    var firstLeft = firstOther.retain;
    while (thisIter.peekType() === 'insert' &amp;&amp; thisIter.peekLength() &lt;= firstLeft) {
      firstLeft -= thisIter.peekLength();
      ops.push(thisIter.next());
    }
    if (firstOther.retain - firstLeft &gt; 0) {
      otherIter.next(firstOther.retain - firstLeft);
    }
  }
  var delta = new Delta(ops);
  while (thisIter.hasNext() || otherIter.hasNext()) {
    if (otherIter.peekType() === 'insert') {
      delta.push(otherIter.next());
    } else if (thisIter.peekType() === 'delete') {
      delta.push(thisIter.next());
    } else {
      var length = Math.min(thisIter.peekLength(), otherIter.peekLength());
      var thisOp = thisIter.next(length);
      var otherOp = otherIter.next(length);
      if (typeof otherOp.retain === 'number') {
        var newOp = {};
        if (typeof thisOp.retain === 'number') {
          newOp.retain = length;
        } else {
          newOp.insert = thisOp.insert;
        }
        // Preserve null when composing with a retain, otherwise remove it for inserts
        var attributes = op.attributes.compose(thisOp.attributes, otherOp.attributes, typeof thisOp.retain === 'number');
        if (attributes) newOp.attributes = attributes;
        delta.push(newOp);

        // Optimization if rest of other is just retain
        if (!otherIter.hasNext() &amp;&amp; equal(delta.ops[delta.ops.length - 1], newOp)) {
          var rest = new Delta(thisIter.rest());
          return delta.concat(rest).chop();
        }

      // Other op should be delete, we could be an insert or retain
      // Insert + delete cancels out
      } else if (typeof otherOp['delete'] === 'number' &amp;&amp; typeof thisOp.retain === 'number') {
        delta.push(otherOp);
      }
    }
  }
  return delta.chop();
};

Delta.prototype.concat = function (other) {
  var delta = new Delta(this.ops.slice());
  if (other.ops.length &gt; 0) {
    delta.push(other.ops[0]);
    delta.ops = delta.ops.concat(other.ops.slice(1));
  }
  return delta;
};

Delta.prototype.diff = function (other, index) {
  if (this.ops === other.ops) {
    return new Delta();
  }
  var strings = [this, other].map(function (delta) {
    return delta.map(function (op) {
      if (op.insert != null) {
        return typeof op.insert === 'string' ? op.insert : NULL_CHARACTER;
      }
      var prep = (delta === other) ? 'on' : 'with';
      throw new Error('diff() called ' + prep + ' non-document');
    }).join('');
  });
  var delta = new Delta();
  var diffResult = diff(strings[0], strings[1], index);
  var thisIter = op.iterator(this.ops);
  var otherIter = op.iterator(other.ops);
  diffResult.forEach(function (component) {
    var length = component[1].length;
    while (length &gt; 0) {
      var opLength = 0;
      switch (component[0]) {
        case diff.INSERT:
          opLength = Math.min(otherIter.peekLength(), length);
          delta.push(otherIter.next(opLength));
          break;
        case diff.DELETE:
          opLength = Math.min(length, thisIter.peekLength());
          thisIter.next(opLength);
          delta['delete'](opLength);
          break;
        case diff.EQUAL:
          opLength = Math.min(thisIter.peekLength(), otherIter.peekLength(), length);
          var thisOp = thisIter.next(opLength);
          var otherOp = otherIter.next(opLength);
          if (equal(thisOp.insert, otherOp.insert)) {
            delta.retain(opLength, op.attributes.diff(thisOp.attributes, otherOp.attributes));
          } else {
            delta.push(otherOp)['delete'](opLength);
          }
          break;
      }
      length -= opLength;
    }
  });
  return delta.chop();
};

Delta.prototype.eachLine = function (predicate, newline) {
  newline = newline || '\n';
  var iter = op.iterator(this.ops);
  var line = new Delta();
  var i = 0;
  while (iter.hasNext()) {
    if (iter.peekType() !== 'insert') return;
    var thisOp = iter.peek();
    var start = op.length(thisOp) - iter.peekLength();
    var index = typeof thisOp.insert === 'string' ?
      thisOp.insert.indexOf(newline, start) - start : -1;
    if (index &lt; 0) {
      line.push(iter.next());
    } else if (index &gt; 0) {
      line.push(iter.next(index));
    } else {
      if (predicate(line, iter.next(1).attributes || {}, i) === false) {
        return;
      }
      i += 1;
      line = new Delta();
    }
  }
  if (line.length() &gt; 0) {
    predicate(line, {}, i);
  }
};

Delta.prototype.transform = function (other, priority) {
  priority = !!priority;
  if (typeof other === 'number') {
    return this.transformPosition(other, priority);
  }
  var thisIter = op.iterator(this.ops);
  var otherIter = op.iterator(other.ops);
  var delta = new Delta();
  while (thisIter.hasNext() || otherIter.hasNext()) {
    if (thisIter.peekType() === 'insert' &amp;&amp; (priority || otherIter.peekType() !== 'insert')) {
      delta.retain(op.length(thisIter.next()));
    } else if (otherIter.peekType() === 'insert') {
      delta.push(otherIter.next());
    } else {
      var length = Math.min(thisIter.peekLength(), otherIter.peekLength());
      var thisOp = thisIter.next(length);
      var otherOp = otherIter.next(length);
      if (thisOp['delete']) {
        // Our delete either makes their delete redundant or removes their retain
        continue;
      } else if (otherOp['delete']) {
        delta.push(otherOp);
      } else {
        // We retain either their retain or insert
        delta.retain(length, op.attributes.transform(thisOp.attributes, otherOp.attributes, priority));
      }
    }
  }
  return delta.chop();
};

Delta.prototype.transformPosition = function (index, priority) {
  priority = !!priority;
  var thisIter = op.iterator(this.ops);
  var offset = 0;
  while (thisIter.hasNext() &amp;&amp; offset &lt;= index) {
    var length = thisIter.peekLength();
    var nextType = thisIter.peekType();
    thisIter.next();
    if (nextType === 'delete') {
      index -= Math.min(length, index - offset);
      continue;
    } else if (nextType === 'insert' &amp;&amp; (offset &lt; index || !priority)) {
      index += length;
    }
    offset += length;
  }
  return index;
};


module.exports = Delta;


/***/ }),
/* 3 */
/***/ (function(module, exports) {

'use strict';

var hasOwn = Object.prototype.hasOwnProperty;
var toStr = Object.prototype.toString;
var defineProperty = Object.defineProperty;
var gOPD = Object.getOwnPropertyDescriptor;

var isArray = function isArray(arr) {
	if (typeof Array.isArray === 'function') {
		return Array.isArray(arr);
	}

	return toStr.call(arr) === '[object Array]';
};

var isPlainObject = function isPlainObject(obj) {
	if (!obj || toStr.call(obj) !== '[object Object]') {
		return false;
	}

	var hasOwnConstructor = hasOwn.call(obj, 'constructor');
	var hasIsPrototypeOf = obj.constructor &amp;&amp; obj.constructor.prototype &amp;&amp; hasOwn.call(obj.constructor.prototype, 'isPrototypeOf');
	// Not own constructor property must be Object
	if (obj.constructor &amp;&amp; !hasOwnConstructor &amp;&amp; !hasIsPrototypeOf) {
		return false;
	}

	// Own properties are enumerated firstly, so to speed up,
	// if last one is own, then all properties are own.
	var key;
	for (key in obj) { /**/ }

	return typeof key === 'undefined' || hasOwn.call(obj, key);
};

// If name is '__proto__', and Object.defineProperty is available, define __proto__ as an own property on target
var setProperty = function setProperty(target, options) {
	if (defineProperty &amp;&amp; options.name === '__proto__') {
		defineProperty(target, options.name, {
			enumerable: true,
			configurable: true,
			value: options.newValue,
			writable: true
		});
	} else {
		target[options.name] = options.newValue;
	}
};

// Return undefined instead of __proto__ if '__proto__' is not an own property
var getProperty = function getProperty(obj, name) {
	if (name === '__proto__') {
		if (!hasOwn.call(obj, name)) {
			return void 0;
		} else if (gOPD) {
			// In early versions of node, obj['__proto__'] is buggy when obj has
			// __proto__ as an own property. Object.getOwnPropertyDescriptor() works.
			return gOPD(obj, name).value;
		}
	}

	return obj[name];
};

module.exports = function extend() {
	var options, name, src, copy, copyIsArray, clone;
	var target = arguments[0];
	var i = 1;
	var length = arguments.length;
	var deep = false;

	// Handle a deep copy situation
	if (typeof target === 'boolean') {
		deep = target;
		target = arguments[1] || {};
		// skip the boolean and the target
		i = 2;
	}
	if (target == null || (typeof target !== 'object' &amp;&amp; typeof target !== 'function')) {
		target = {};
	}

	for (; i &lt; length; ++i) {
		options = arguments[i];
		// Only deal with non-null/undefined values
		if (options != null) {
			// Extend the base object
			for (name in options) {
				src = getProperty(target, name);
				copy = getProperty(options, name);

				// Prevent never-ending loop
				if (target !== copy) {
					// Recurse if we're merging plain objects or arrays
					if (deep &amp;&amp; copy &amp;&amp; (isPlainObject(copy) || (copyIsArray = isArray(copy)))) {
						if (copyIsArray) {
							copyIsArray = false;
							clone = src &amp;&amp; isArray(src) ? src : [];
						} else {
							clone = src &amp;&amp; isPlainObject(src) ? src : {};
						}

						// Never move original objects, clone them
						setProperty(target, { name: name, newValue: extend(deep, clone, copy) });

					// Don't bring in undefined values
					} else if (typeof copy !== 'undefined') {
						setProperty(target, { name: name, newValue: copy });
					}
				}
			}
		}
	}

	// Return the modified object
	return target;
};


/***/ }),
/* 4 */
/***/ (function(module, exports, __nested_webpack_require_23616__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.default = exports.BlockEmbed = exports.bubbleFormats = undefined;

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _extend = __nested_webpack_require_23616__(3);

var _extend2 = _interopRequireDefault(_extend);

var _quillDelta = __nested_webpack_require_23616__(2);

var _quillDelta2 = _interopRequireDefault(_quillDelta);

var _parchment = __nested_webpack_require_23616__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _break = __nested_webpack_require_23616__(16);

var _break2 = _interopRequireDefault(_break);

var _inline = __nested_webpack_require_23616__(6);

var _inline2 = _interopRequireDefault(_inline);

var _text = __nested_webpack_require_23616__(7);

var _text2 = _interopRequireDefault(_text);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var NEWLINE_LENGTH = 1;

var BlockEmbed = function (_Parchment$Embed) {
  _inherits(BlockEmbed, _Parchment$Embed);

  function BlockEmbed() {
    _classCallCheck(this, BlockEmbed);

    return _possibleConstructorReturn(this, (BlockEmbed.__proto__ || Object.getPrototypeOf(BlockEmbed)).apply(this, arguments));
  }

  _createClass(BlockEmbed, [{
    key: 'attach',
    value: function attach() {
      _get(BlockEmbed.prototype.__proto__ || Object.getPrototypeOf(BlockEmbed.prototype), 'attach', this).call(this);
      this.attributes = new _parchment2.default.Attributor.Store(this.domNode);
    }
  }, {
    key: 'delta',
    value: function delta() {
      return new _quillDelta2.default().insert(this.value(), (0, _extend2.default)(this.formats(), this.attributes.values()));
    }
  }, {
    key: 'format',
    value: function format(name, value) {
      var attribute = _parchment2.default.query(name, _parchment2.default.Scope.BLOCK_ATTRIBUTE);
      if (attribute != null) {
        this.attributes.attribute(attribute, value);
      }
    }
  }, {
    key: 'formatAt',
    value: function formatAt(index, length, name, value) {
      this.format(name, value);
    }
  }, {
    key: 'insertAt',
    value: function insertAt(index, value, def) {
      if (typeof value === 'string' &amp;&amp; value.endsWith('\n')) {
        var block = _parchment2.default.create(Block.blotName);
        this.parent.insertBefore(block, index === 0 ? this : this.next);
        block.insertAt(0, value.slice(0, -1));
      } else {
        _get(BlockEmbed.prototype.__proto__ || Object.getPrototypeOf(BlockEmbed.prototype), 'insertAt', this).call(this, index, value, def);
      }
    }
  }]);

  return BlockEmbed;
}(_parchment2.default.Embed);

BlockEmbed.scope = _parchment2.default.Scope.BLOCK_BLOT;
// It is important for cursor behavior BlockEmbeds use tags that are block level elements


var Block = function (_Parchment$Block) {
  _inherits(Block, _Parchment$Block);

  function Block(domNode) {
    _classCallCheck(this, Block);

    var _this2 = _possibleConstructorReturn(this, (Block.__proto__ || Object.getPrototypeOf(Block)).call(this, domNode));

    _this2.cache = {};
    return _this2;
  }

  _createClass(Block, [{
    key: 'delta',
    value: function delta() {
      if (this.cache.delta == null) {
        this.cache.delta = this.descendants(_parchment2.default.Leaf).reduce(function (delta, leaf) {
          if (leaf.length() === 0) {
            return delta;
          } else {
            return delta.insert(leaf.value(), bubbleFormats(leaf));
          }
        }, new _quillDelta2.default()).insert('\n', bubbleFormats(this));
      }
      return this.cache.delta;
    }
  }, {
    key: 'deleteAt',
    value: function deleteAt(index, length) {
      _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'deleteAt', this).call(this, index, length);
      this.cache = {};
    }
  }, {
    key: 'formatAt',
    value: function formatAt(index, length, name, value) {
      if (length &lt;= 0) return;
      if (_parchment2.default.query(name, _parchment2.default.Scope.BLOCK)) {
        if (index + length === this.length()) {
          this.format(name, value);
        }
      } else {
        _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'formatAt', this).call(this, index, Math.min(length, this.length() - index - 1), name, value);
      }
      this.cache = {};
    }
  }, {
    key: 'insertAt',
    value: function insertAt(index, value, def) {
      if (def != null) return _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'insertAt', this).call(this, index, value, def);
      if (value.length === 0) return;
      var lines = value.split('\n');
      var text = lines.shift();
      if (text.length &gt; 0) {
        if (index &lt; this.length() - 1 || this.children.tail == null) {
          _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'insertAt', this).call(this, Math.min(index, this.length() - 1), text);
        } else {
          this.children.tail.insertAt(this.children.tail.length(), text);
        }
        this.cache = {};
      }
      var block = this;
      lines.reduce(function (index, line) {
        block = block.split(index, true);
        block.insertAt(0, line);
        return line.length;
      }, index + text.length);
    }
  }, {
    key: 'insertBefore',
    value: function insertBefore(blot, ref) {
      var head = this.children.head;
      _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'insertBefore', this).call(this, blot, ref);
      if (head instanceof _break2.default) {
        head.remove();
      }
      this.cache = {};
    }
  }, {
    key: 'length',
    value: function length() {
      if (this.cache.length == null) {
        this.cache.length = _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'length', this).call(this) + NEWLINE_LENGTH;
      }
      return this.cache.length;
    }
  }, {
    key: 'moveChildren',
    value: function moveChildren(target, ref) {
      _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'moveChildren', this).call(this, target, ref);
      this.cache = {};
    }
  }, {
    key: 'optimize',
    value: function optimize(context) {
      _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'optimize', this).call(this, context);
      this.cache = {};
    }
  }, {
    key: 'path',
    value: function path(index) {
      return _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'path', this).call(this, index, true);
    }
  }, {
    key: 'removeChild',
    value: function removeChild(child) {
      _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'removeChild', this).call(this, child);
      this.cache = {};
    }
  }, {
    key: 'split',
    value: function split(index) {
      var force = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : false;

      if (force &amp;&amp; (index === 0 || index &gt;= this.length() - NEWLINE_LENGTH)) {
        var clone = this.clone();
        if (index === 0) {
          this.parent.insertBefore(clone, this);
          return this;
        } else {
          this.parent.insertBefore(clone, this.next);
          return clone;
        }
      } else {
        var next = _get(Block.prototype.__proto__ || Object.getPrototypeOf(Block.prototype), 'split', this).call(this, index, force);
        this.cache = {};
        return next;
      }
    }
  }]);

  return Block;
}(_parchment2.default.Block);

Block.blotName = 'block';
Block.tagName = 'P';
Block.defaultChild = 'break';
Block.allowedChildren = [_inline2.default, _parchment2.default.Embed, _text2.default];

function bubbleFormats(blot) {
  var formats = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

  if (blot == null) return formats;
  if (typeof blot.formats === 'function') {
    formats = (0, _extend2.default)(formats, blot.formats());
  }
  if (blot.parent == null || blot.parent.blotName == 'scroll' || blot.parent.statics.scope !== blot.statics.scope) {
    return formats;
  }
  return bubbleFormats(blot.parent, formats);
}

exports.bubbleFormats = bubbleFormats;
exports.BlockEmbed = BlockEmbed;
exports.default = Block;

/***/ }),
/* 5 */
/***/ (function(module, exports, __nested_webpack_require_33760__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.default = exports.overload = exports.expandConfig = undefined;

var _typeof = typeof Symbol === "function" &amp;&amp; typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj &amp;&amp; typeof Symbol === "function" &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj; };

var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; 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; }; }();

__nested_webpack_require_33760__(50);

var _quillDelta = __nested_webpack_require_33760__(2);

var _quillDelta2 = _interopRequireDefault(_quillDelta);

var _editor = __nested_webpack_require_33760__(14);

var _editor2 = _interopRequireDefault(_editor);

var _emitter3 = __nested_webpack_require_33760__(8);

var _emitter4 = _interopRequireDefault(_emitter3);

var _module = __nested_webpack_require_33760__(9);

var _module2 = _interopRequireDefault(_module);

var _parchment = __nested_webpack_require_33760__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _selection = __nested_webpack_require_33760__(15);

var _selection2 = _interopRequireDefault(_selection);

var _extend = __nested_webpack_require_33760__(3);

var _extend2 = _interopRequireDefault(_extend);

var _logger = __nested_webpack_require_33760__(10);

var _logger2 = _interopRequireDefault(_logger);

var _theme = __nested_webpack_require_33760__(34);

var _theme2 = _interopRequireDefault(_theme);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

var debug = (0, _logger2.default)('quill');

var Quill = function () {
  _createClass(Quill, null, [{
    key: 'debug',
    value: function debug(limit) {
      if (limit === true) {
        limit = 'log';
      }
      _logger2.default.level(limit);
    }
  }, {
    key: 'find',
    value: function find(node) {
      return node.__quill || _parchment2.default.find(node);
    }
  }, {
    key: 'import',
    value: function _import(name) {
      if (this.imports[name] == null) {
        debug.error('Cannot import ' + name + '. Are you sure it was registered?');
      }
      return this.imports[name];
    }
  }, {
    key: 'register',
    value: function register(path, target) {
      var _this = this;

      var overwrite = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : false;

      if (typeof path !== 'string') {
        var name = path.attrName || path.blotName;
        if (typeof name === 'string') {
          // register(Blot | Attributor, overwrite)
          this.register('formats/' + name, path, target);
        } else {
          Object.keys(path).forEach(function (key) {
            _this.register(key, path[key], target);
          });
        }
      } else {
        if (this.imports[path] != null &amp;&amp; !overwrite) {
          debug.warn('Overwriting ' + path + ' with', target);
        }
        this.imports[path] = target;
        if ((path.startsWith('blots/') || path.startsWith('formats/')) &amp;&amp; target.blotName !== 'abstract') {
          _parchment2.default.register(target);
        } else if (path.startsWith('modules') &amp;&amp; typeof target.register === 'function') {
          target.register();
        }
      }
    }
  }]);

  function Quill(container) {
    var _this2 = this;

    var options = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

    _classCallCheck(this, Quill);

    this.options = expandConfig(container, options);
    this.container = this.options.container;
    if (this.container == null) {
      return debug.error('Invalid Quill container', container);
    }
    if (this.options.debug) {
      Quill.debug(this.options.debug);
    }
    var html = this.container.innerHTML.trim();
    this.container.classList.add('ql-container');
    this.container.innerHTML = '';
    this.container.__quill = this;
    this.root = this.addContainer('ql-editor');
    this.root.classList.add('ql-blank');
    this.root.setAttribute('data-gramm', false);
    this.scrollingContainer = this.options.scrollingContainer || this.root;
    this.emitter = new _emitter4.default();
    this.scroll = _parchment2.default.create(this.root, {
      emitter: this.emitter,
      whitelist: this.options.formats
    });
    this.editor = new _editor2.default(this.scroll);
    this.selection = new _selection2.default(this.scroll, this.emitter);
    this.theme = new this.options.theme(this, this.options);
    this.keyboard = this.theme.addModule('keyboard');
    this.clipboard = this.theme.addModule('clipboard');
    this.history = this.theme.addModule('history');
    this.theme.init();
    this.emitter.on(_emitter4.default.events.EDITOR_CHANGE, function (type) {
      if (type === _emitter4.default.events.TEXT_CHANGE) {
        _this2.root.classList.toggle('ql-blank', _this2.editor.isBlank());
      }
    });
    this.emitter.on(_emitter4.default.events.SCROLL_UPDATE, function (source, mutations) {
      var range = _this2.selection.lastRange;
      var index = range &amp;&amp; range.length === 0 ? range.index : undefined;
      modify.call(_this2, function () {
        return _this2.editor.update(null, mutations, index);
      }, source);
    });
    var contents = this.clipboard.convert('&lt;div class=\'ql-editor\' style="white-space: normal;"&gt;' + html + '&lt;p&gt;&lt;br&gt;&lt;/p&gt;&lt;/div&gt;');
    this.setContents(contents);
    this.history.clear();
    if (this.options.placeholder) {
      this.root.setAttribute('data-placeholder', this.options.placeholder);
    }
    if (this.options.readOnly) {
      this.disable();
    }
  }

  _createClass(Quill, [{
    key: 'addContainer',
    value: function addContainer(container) {
      var refNode = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : null;

      if (typeof container === 'string') {
        var className = container;
        container = document.createElement('div');
        container.classList.add(className);
      }
      this.container.insertBefore(container, refNode);
      return container;
    }
  }, {
    key: 'blur',
    value: function blur() {
      this.selection.setRange(null);
    }
  }, {
    key: 'deleteText',
    value: function deleteText(index, length, source) {
      var _this3 = this;

      var _overload = overload(index, length, source);

      var _overload2 = _slicedToArray(_overload, 4);

      index = _overload2[0];
      length = _overload2[1];
      source = _overload2[3];

      return modify.call(this, function () {
        return _this3.editor.deleteText(index, length);
      }, source, index, -1 * length);
    }
  }, {
    key: 'disable',
    value: function disable() {
      this.enable(false);
    }
  }, {
    key: 'enable',
    value: function enable() {
      var enabled = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : true;

      this.scroll.enable(enabled);
      this.container.classList.toggle('ql-disabled', !enabled);
    }
  }, {
    key: 'focus',
    value: function focus() {
      var scrollTop = this.scrollingContainer.scrollTop;
      this.selection.focus();
      this.scrollingContainer.scrollTop = scrollTop;
      this.scrollIntoView();
    }
  }, {
    key: 'format',
    value: function format(name, value) {
      var _this4 = this;

      var source = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : _emitter4.default.sources.API;

      return modify.call(this, function () {
        var range = _this4.getSelection(true);
        var change = new _quillDelta2.default();
        if (range == null) {
          return change;
        } else if (_parchment2.default.query(name, _parchment2.default.Scope.BLOCK)) {
          change = _this4.editor.formatLine(range.index, range.length, _defineProperty({}, name, value));
        } else if (range.length === 0) {
          _this4.selection.format(name, value);
          return change;
        } else {
          change = _this4.editor.formatText(range.index, range.length, _defineProperty({}, name, value));
        }
        _this4.setSelection(range, _emitter4.default.sources.SILENT);
        return change;
      }, source);
    }
  }, {
    key: 'formatLine',
    value: function formatLine(index, length, name, value, source) {
      var _this5 = this;

      var formats = void 0;

      var _overload3 = overload(index, length, name, value, source);

      var _overload4 = _slicedToArray(_overload3, 4);

      index = _overload4[0];
      length = _overload4[1];
      formats = _overload4[2];
      source = _overload4[3];

      return modify.call(this, function () {
        return _this5.editor.formatLine(index, length, formats);
      }, source, index, 0);
    }
  }, {
    key: 'formatText',
    value: function formatText(index, length, name, value, source) {
      var _this6 = this;

      var formats = void 0;

      var _overload5 = overload(index, length, name, value, source);

      var _overload6 = _slicedToArray(_overload5, 4);

      index = _overload6[0];
      length = _overload6[1];
      formats = _overload6[2];
      source = _overload6[3];

      return modify.call(this, function () {
        return _this6.editor.formatText(index, length, formats);
      }, source, index, 0);
    }
  }, {
    key: 'getBounds',
    value: function getBounds(index) {
      var length = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 0;

      var bounds = void 0;
      if (typeof index === 'number') {
        bounds = this.selection.getBounds(index, length);
      } else {
        bounds = this.selection.getBounds(index.index, index.length);
      }
      var containerBounds = this.container.getBoundingClientRect();
      return {
        bottom: bounds.bottom - containerBounds.top,
        height: bounds.height,
        left: bounds.left - containerBounds.left,
        right: bounds.right - containerBounds.left,
        top: bounds.top - containerBounds.top,
        width: bounds.width
      };
    }
  }, {
    key: 'getContents',
    value: function getContents() {
      var index = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 0;
      var length = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : this.getLength() - index;

      var _overload7 = overload(index, length);

      var _overload8 = _slicedToArray(_overload7, 2);

      index = _overload8[0];
      length = _overload8[1];

      return this.editor.getContents(index, length);
    }
  }, {
    key: 'getFormat',
    value: function getFormat() {
      var index = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : this.getSelection(true);
      var length = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 0;

      if (typeof index === 'number') {
        return this.editor.getFormat(index, length);
      } else {
        return this.editor.getFormat(index.index, index.length);
      }
    }
  }, {
    key: 'getIndex',
    value: function getIndex(blot) {
      return blot.offset(this.scroll);
    }
  }, {
    key: 'getLength',
    value: function getLength() {
      return this.scroll.length();
    }
  }, {
    key: 'getLeaf',
    value: function getLeaf(index) {
      return this.scroll.leaf(index);
    }
  }, {
    key: 'getLine',
    value: function getLine(index) {
      return this.scroll.line(index);
    }
  }, {
    key: 'getLines',
    value: function getLines() {
      var index = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 0;
      var length = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : Number.MAX_VALUE;

      if (typeof index !== 'number') {
        return this.scroll.lines(index.index, index.length);
      } else {
        return this.scroll.lines(index, length);
      }
    }
  }, {
    key: 'getModule',
    value: function getModule(name) {
      return this.theme.modules[name];
    }
  }, {
    key: 'getSelection',
    value: function getSelection() {
      var focus = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : false;

      if (focus) this.focus();
      this.update(); // Make sure we access getRange with editor in consistent state
      return this.selection.getRange()[0];
    }
  }, {
    key: 'getText',
    value: function getText() {
      var index = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 0;
      var length = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : this.getLength() - index;

      var _overload9 = overload(index, length);

      var _overload10 = _slicedToArray(_overload9, 2);

      index = _overload10[0];
      length = _overload10[1];

      return this.editor.getText(index, length);
    }
  }, {
    key: 'hasFocus',
    value: function hasFocus() {
      return this.selection.hasFocus();
    }
  }, {
    key: 'insertEmbed',
    value: function insertEmbed(index, embed, value) {
      var _this7 = this;

      var source = arguments.length &gt; 3 &amp;&amp; arguments[3] !== undefined ? arguments[3] : Quill.sources.API;

      return modify.call(this, function () {
        return _this7.editor.insertEmbed(index, embed, value);
      }, source, index);
    }
  }, {
    key: 'insertText',
    value: function insertText(index, text, name, value, source) {
      var _this8 = this;

      var formats = void 0;

      var _overload11 = overload(index, 0, name, value, source);

      var _overload12 = _slicedToArray(_overload11, 4);

      index = _overload12[0];
      formats = _overload12[2];
      source = _overload12[3];

      return modify.call(this, function () {
        return _this8.editor.insertText(index, text, formats);
      }, source, index, text.length);
    }
  }, {
    key: 'isEnabled',
    value: function isEnabled() {
      return !this.container.classList.contains('ql-disabled');
    }
  }, {
    key: 'off',
    value: function off() {
      return this.emitter.off.apply(this.emitter, arguments);
    }
  }, {
    key: 'on',
    value: function on() {
      return this.emitter.on.apply(this.emitter, arguments);
    }
  }, {
    key: 'once',
    value: function once() {
      return this.emitter.once.apply(this.emitter, arguments);
    }
  }, {
    key: 'pasteHTML',
    value: function pasteHTML(index, html, source) {
      this.clipboard.dangerouslyPasteHTML(index, html, source);
    }
  }, {
    key: 'removeFormat',
    value: function removeFormat(index, length, source) {
      var _this9 = this;

      var _overload13 = overload(index, length, source);

      var _overload14 = _slicedToArray(_overload13, 4);

      index = _overload14[0];
      length = _overload14[1];
      source = _overload14[3];

      return modify.call(this, function () {
        return _this9.editor.removeFormat(index, length);
      }, source, index);
    }
  }, {
    key: 'scrollIntoView',
    value: function scrollIntoView() {
      this.selection.scrollIntoView(this.scrollingContainer);
    }
  }, {
    key: 'setContents',
    value: function setContents(delta) {
      var _this10 = this;

      var source = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : _emitter4.default.sources.API;

      return modify.call(this, function () {
        delta = new _quillDelta2.default(delta);
        var length = _this10.getLength();
        var deleted = _this10.editor.deleteText(0, length);
        var applied = _this10.editor.applyDelta(delta);
        var lastOp = applied.ops[applied.ops.length - 1];
        if (lastOp != null &amp;&amp; typeof lastOp.insert === 'string' &amp;&amp; lastOp.insert[lastOp.insert.length - 1] === '\n') {
          _this10.editor.deleteText(_this10.getLength() - 1, 1);
          applied.delete(1);
        }
        var ret = deleted.compose(applied);
        return ret;
      }, source);
    }
  }, {
    key: 'setSelection',
    value: function setSelection(index, length, source) {
      if (index == null) {
        this.selection.setRange(null, length || Quill.sources.API);
      } else {
        var _overload15 = overload(index, length, source);

        var _overload16 = _slicedToArray(_overload15, 4);

        index = _overload16[0];
        length = _overload16[1];
        source = _overload16[3];

        this.selection.setRange(new _selection.Range(index, length), source);
        if (source !== _emitter4.default.sources.SILENT) {
          this.selection.scrollIntoView(this.scrollingContainer);
        }
      }
    }
  }, {
    key: 'setText',
    value: function setText(text) {
      var source = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : _emitter4.default.sources.API;

      var delta = new _quillDelta2.default().insert(text);
      return this.setContents(delta, source);
    }
  }, {
    key: 'update',
    value: function update() {
      var source = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : _emitter4.default.sources.USER;

      var change = this.scroll.update(source); // Will update selection before selection.update() does if text changes
      this.selection.update(source);
      return change;
    }
  }, {
    key: 'updateContents',
    value: function updateContents(delta) {
      var _this11 = this;

      var source = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : _emitter4.default.sources.API;

      return modify.call(this, function () {
        delta = new _quillDelta2.default(delta);
        return _this11.editor.applyDelta(delta, source);
      }, source, true);
    }
  }]);

  return Quill;
}();

Quill.DEFAULTS = {
  bounds: null,
  formats: null,
  modules: {},
  placeholder: '',
  readOnly: false,
  scrollingContainer: null,
  strict: true,
  theme: 'default'
};
Quill.events = _emitter4.default.events;
Quill.sources = _emitter4.default.sources;
// eslint-disable-next-line no-undef
Quill.version =   false ? 0 : "1.3.7";

Quill.imports = {
  'delta': _quillDelta2.default,
  'parchment': _parchment2.default,
  'core/module': _module2.default,
  'core/theme': _theme2.default
};

function expandConfig(container, userConfig) {
  userConfig = (0, _extend2.default)(true, {
    container: container,
    modules: {
      clipboard: true,
      keyboard: true,
      history: true
    }
  }, userConfig);
  if (!userConfig.theme || userConfig.theme === Quill.DEFAULTS.theme) {
    userConfig.theme = _theme2.default;
  } else {
    userConfig.theme = Quill.import('themes/' + userConfig.theme);
    if (userConfig.theme == null) {
      throw new Error('Invalid theme ' + userConfig.theme + '. Did you register it?');
    }
  }
  var themeConfig = (0, _extend2.default)(true, {}, userConfig.theme.DEFAULTS);
  [themeConfig, userConfig].forEach(function (config) {
    config.modules = config.modules || {};
    Object.keys(config.modules).forEach(function (module) {
      if (config.modules[module] === true) {
        config.modules[module] = {};
      }
    });
  });
  var moduleNames = Object.keys(themeConfig.modules).concat(Object.keys(userConfig.modules));
  var moduleConfig = moduleNames.reduce(function (config, name) {
    var moduleClass = Quill.import('modules/' + name);
    if (moduleClass == null) {
      debug.error('Cannot load ' + name + ' module. Are you sure you registered it?');
    } else {
      config[name] = moduleClass.DEFAULTS || {};
    }
    return config;
  }, {});
  // Special case toolbar shorthand
  if (userConfig.modules != null &amp;&amp; userConfig.modules.toolbar &amp;&amp; userConfig.modules.toolbar.constructor !== Object) {
    userConfig.modules.toolbar = {
      container: userConfig.modules.toolbar
    };
  }
  userConfig = (0, _extend2.default)(true, {}, Quill.DEFAULTS, { modules: moduleConfig }, themeConfig, userConfig);
  ['bounds', 'container', 'scrollingContainer'].forEach(function (key) {
    if (typeof userConfig[key] === 'string') {
      userConfig[key] = document.querySelector(userConfig[key]);
    }
  });
  userConfig.modules = Object.keys(userConfig.modules).reduce(function (config, name) {
    if (userConfig.modules[name]) {
      config[name] = userConfig.modules[name];
    }
    return config;
  }, {});
  return userConfig;
}

// Handle selection preservation and TEXT_CHANGE emission
// common to modification APIs
function modify(modifier, source, index, shift) {
  if (this.options.strict &amp;&amp; !this.isEnabled() &amp;&amp; source === _emitter4.default.sources.USER) {
    return new _quillDelta2.default();
  }
  var range = index == null ? null : this.getSelection();
  var oldDelta = this.editor.delta;
  var change = modifier();
  if (range != null) {
    if (index === true) index = range.index;
    if (shift == null) {
      range = shiftRange(range, change, source);
    } else if (shift !== 0) {
      range = shiftRange(range, index, shift, source);
    }
    this.setSelection(range, _emitter4.default.sources.SILENT);
  }
  if (change.length() &gt; 0) {
    var _emitter;

    var args = [_emitter4.default.events.TEXT_CHANGE, change, oldDelta, source];
    (_emitter = this.emitter).emit.apply(_emitter, [_emitter4.default.events.EDITOR_CHANGE].concat(args));
    if (source !== _emitter4.default.sources.SILENT) {
      var _emitter2;

      (_emitter2 = this.emitter).emit.apply(_emitter2, args);
    }
  }
  return change;
}

function overload(index, length, name, value, source) {
  var formats = {};
  if (typeof index.index === 'number' &amp;&amp; typeof index.length === 'number') {
    // Allow for throwaway end (used by insertText/insertEmbed)
    if (typeof length !== 'number') {
      source = value, value = name, name = length, length = index.length, index = index.index;
    } else {
      length = index.length, index = index.index;
    }
  } else if (typeof length !== 'number') {
    source = value, value = name, name = length, length = 0;
  }
  // Handle format being object, two format name/value strings or excluded
  if ((typeof name === 'undefined' ? 'undefined' : _typeof(name)) === 'object') {
    formats = name;
    source = value;
  } else if (typeof name === 'string') {
    if (value != null) {
      formats[name] = value;
    } else {
      source = name;
    }
  }
  // Handle optional source
  source = source || _emitter4.default.sources.API;
  return [index, length, formats, source];
}

function shiftRange(range, index, length, source) {
  if (range == null) return null;
  var start = void 0,
      end = void 0;
  if (index instanceof _quillDelta2.default) {
    var _map = [range.index, range.index + range.length].map(function (pos) {
      return index.transformPosition(pos, source !== _emitter4.default.sources.USER);
    });

    var _map2 = _slicedToArray(_map, 2);

    start = _map2[0];
    end = _map2[1];
  } else {
    var _map3 = [range.index, range.index + range.length].map(function (pos) {
      if (pos &lt; index || pos === index &amp;&amp; source === _emitter4.default.sources.USER) return pos;
      if (length &gt;= 0) {
        return pos + length;
      } else {
        return Math.max(index, pos + length);
      }
    });

    var _map4 = _slicedToArray(_map3, 2);

    start = _map4[0];
    end = _map4[1];
  }
  return new _selection.Range(start, end - start);
}

exports.expandConfig = expandConfig;
exports.overload = overload;
exports.default = Quill;

/***/ }),
/* 6 */
/***/ (function(module, exports, __nested_webpack_require_58401__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _text = __nested_webpack_require_58401__(7);

var _text2 = _interopRequireDefault(_text);

var _parchment = __nested_webpack_require_58401__(0);

var _parchment2 = _interopRequireDefault(_parchment);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Inline = function (_Parchment$Inline) {
  _inherits(Inline, _Parchment$Inline);

  function Inline() {
    _classCallCheck(this, Inline);

    return _possibleConstructorReturn(this, (Inline.__proto__ || Object.getPrototypeOf(Inline)).apply(this, arguments));
  }

  _createClass(Inline, [{
    key: 'formatAt',
    value: function formatAt(index, length, name, value) {
      if (Inline.compare(this.statics.blotName, name) &lt; 0 &amp;&amp; _parchment2.default.query(name, _parchment2.default.Scope.BLOT)) {
        var blot = this.isolate(index, length);
        if (value) {
          blot.wrap(name, value);
        }
      } else {
        _get(Inline.prototype.__proto__ || Object.getPrototypeOf(Inline.prototype), 'formatAt', this).call(this, index, length, name, value);
      }
    }
  }, {
    key: 'optimize',
    value: function optimize(context) {
      _get(Inline.prototype.__proto__ || Object.getPrototypeOf(Inline.prototype), 'optimize', this).call(this, context);
      if (this.parent instanceof Inline &amp;&amp; Inline.compare(this.statics.blotName, this.parent.statics.blotName) &gt; 0) {
        var parent = this.parent.isolate(this.offset(), this.length());
        this.moveChildren(parent);
        parent.wrap(this);
      }
    }
  }], [{
    key: 'compare',
    value: function compare(self, other) {
      var selfIndex = Inline.order.indexOf(self);
      var otherIndex = Inline.order.indexOf(other);
      if (selfIndex &gt;= 0 || otherIndex &gt;= 0) {
        return selfIndex - otherIndex;
      } else if (self === other) {
        return 0;
      } else if (self &lt; other) {
        return -1;
      } else {
        return 1;
      }
    }
  }]);

  return Inline;
}(_parchment2.default.Inline);

Inline.allowedChildren = [Inline, _parchment2.default.Embed, _text2.default];
// Lower index means deeper in the DOM tree, since not found (-1) is for embeds
Inline.order = ['cursor', 'inline', // Must be lower
'underline', 'strike', 'italic', 'bold', 'script', 'link', 'code' // Must be higher
];

exports.default = Inline;

/***/ }),
/* 7 */
/***/ (function(module, exports, __nested_webpack_require_62823__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _parchment = __nested_webpack_require_62823__(0);

var _parchment2 = _interopRequireDefault(_parchment);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var TextBlot = function (_Parchment$Text) {
  _inherits(TextBlot, _Parchment$Text);

  function TextBlot() {
    _classCallCheck(this, TextBlot);

    return _possibleConstructorReturn(this, (TextBlot.__proto__ || Object.getPrototypeOf(TextBlot)).apply(this, arguments));
  }

  return TextBlot;
}(_parchment2.default.Text);

exports.default = TextBlot;

/***/ }),
/* 8 */
/***/ (function(module, exports, __nested_webpack_require_64422__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _eventemitter = __nested_webpack_require_64422__(54);

var _eventemitter2 = _interopRequireDefault(_eventemitter);

var _logger = __nested_webpack_require_64422__(10);

var _logger2 = _interopRequireDefault(_logger);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var debug = (0, _logger2.default)('quill:events');

var EVENTS = ['selectionchange', 'mousedown', 'mouseup', 'click'];

EVENTS.forEach(function (eventName) {
  document.addEventListener(eventName, function () {
    for (var _len = arguments.length, args = Array(_len), _key = 0; _key &lt; _len; _key++) {
      args[_key] = arguments[_key];
    }

    [].slice.call(document.querySelectorAll('.ql-container')).forEach(function (node) {
      // TODO use WeakMap
      if (node.__quill &amp;&amp; node.__quill.emitter) {
        var _node$__quill$emitter;

        (_node$__quill$emitter = node.__quill.emitter).handleDOM.apply(_node$__quill$emitter, args);
      }
    });
  });
});

var Emitter = function (_EventEmitter) {
  _inherits(Emitter, _EventEmitter);

  function Emitter() {
    _classCallCheck(this, Emitter);

    var _this = _possibleConstructorReturn(this, (Emitter.__proto__ || Object.getPrototypeOf(Emitter)).call(this));

    _this.listeners = {};
    _this.on('error', debug.error);
    return _this;
  }

  _createClass(Emitter, [{
    key: 'emit',
    value: function emit() {
      debug.log.apply(debug, arguments);
      _get(Emitter.prototype.__proto__ || Object.getPrototypeOf(Emitter.prototype), 'emit', this).apply(this, arguments);
    }
  }, {
    key: 'handleDOM',
    value: function handleDOM(event) {
      for (var _len2 = arguments.length, args = Array(_len2 &gt; 1 ? _len2 - 1 : 0), _key2 = 1; _key2 &lt; _len2; _key2++) {
        args[_key2 - 1] = arguments[_key2];
      }

      (this.listeners[event.type] || []).forEach(function (_ref) {
        var node = _ref.node,
            handler = _ref.handler;

        if (event.target === node || node.contains(event.target)) {
          handler.apply(undefined, [event].concat(args));
        }
      });
    }
  }, {
    key: 'listenDOM',
    value: function listenDOM(eventName, node, handler) {
      if (!this.listeners[eventName]) {
        this.listeners[eventName] = [];
      }
      this.listeners[eventName].push({ node: node, handler: handler });
    }
  }]);

  return Emitter;
}(_eventemitter2.default);

Emitter.events = {
  EDITOR_CHANGE: 'editor-change',
  SCROLL_BEFORE_UPDATE: 'scroll-before-update',
  SCROLL_OPTIMIZE: 'scroll-optimize',
  SCROLL_UPDATE: 'scroll-update',
  SELECTION_CHANGE: 'selection-change',
  TEXT_CHANGE: 'text-change'
};
Emitter.sources = {
  API: 'api',
  SILENT: 'silent',
  USER: 'user'
};

exports.default = Emitter;

/***/ }),
/* 9 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

var Module = function Module(quill) {
  var options = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

  _classCallCheck(this, Module);

  this.quill = quill;
  this.options = options;
};

Module.DEFAULTS = {};

exports.default = Module;

/***/ }),
/* 10 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
var levels = ['error', 'warn', 'log', 'info'];
var level = 'warn';

function debug(method) {
  if (levels.indexOf(method) &lt;= levels.indexOf(level)) {
    var _console;

    for (var _len = arguments.length, args = Array(_len &gt; 1 ? _len - 1 : 0), _key = 1; _key &lt; _len; _key++) {
      args[_key - 1] = arguments[_key];
    }

    (_console = console)[method].apply(_console, args); // eslint-disable-line no-console
  }
}

function namespace(ns) {
  return levels.reduce(function (logger, method) {
    logger[method] = debug.bind(console, method, ns);
    return logger;
  }, {});
}

debug.level = namespace.level = function (newLevel) {
  level = newLevel;
};

exports.default = namespace;

/***/ }),
/* 11 */
/***/ (function(module, exports, __nested_webpack_require_70685__) {

var pSlice = Array.prototype.slice;
var objectKeys = __nested_webpack_require_70685__(52);
var isArguments = __nested_webpack_require_70685__(53);

var deepEqual = module.exports = function (actual, expected, opts) {
  if (!opts) opts = {};
  // 7.1. All identical values are equivalent, as determined by ===.
  if (actual === expected) {
    return true;

  } else if (actual instanceof Date &amp;&amp; expected instanceof Date) {
    return actual.getTime() === expected.getTime();

  // 7.3. Other pairs that do not both pass typeof value == 'object',
  // equivalence is determined by ==.
  } else if (!actual || !expected || typeof actual != 'object' &amp;&amp; typeof expected != 'object') {
    return opts.strict ? actual === expected : actual == expected;

  // 7.4. For all other Object pairs, including Array objects, equivalence is
  // determined by having the same number of owned properties (as verified
  // with Object.prototype.hasOwnProperty.call), the same set of keys
  // (although not necessarily the same order), equivalent values for every
  // corresponding key, and an identical 'prototype' property. Note: this
  // accounts for both named and indexed properties on Arrays.
  } else {
    return objEquiv(actual, expected, opts);
  }
}

function isUndefinedOrNull(value) {
  return value === null || value === undefined;
}

function isBuffer (x) {
  if (!x || typeof x !== 'object' || typeof x.length !== 'number') return false;
  if (typeof x.copy !== 'function' || typeof x.slice !== 'function') {
    return false;
  }
  if (x.length &gt; 0 &amp;&amp; typeof x[0] !== 'number') return false;
  return true;
}

function objEquiv(a, b, opts) {
  var i, key;
  if (isUndefinedOrNull(a) || isUndefinedOrNull(b))
    return false;
  // an identical 'prototype' property.
  if (a.prototype !== b.prototype) return false;
  //~~~I've managed to break Object.keys through screwy arguments passing.
  //   Converting to array solves the problem.
  if (isArguments(a)) {
    if (!isArguments(b)) {
      return false;
    }
    a = pSlice.call(a);
    b = pSlice.call(b);
    return deepEqual(a, b, opts);
  }
  if (isBuffer(a)) {
    if (!isBuffer(b)) {
      return false;
    }
    if (a.length !== b.length) return false;
    for (i = 0; i &lt; a.length; i++) {
      if (a[i] !== b[i]) return false;
    }
    return true;
  }
  try {
    var ka = objectKeys(a),
        kb = objectKeys(b);
  } catch (e) {//happens when one is a string literal and the other isn't
    return false;
  }
  // having the same number of owned properties (keys incorporates
  // hasOwnProperty)
  if (ka.length != kb.length)
    return false;
  //the same set of keys (although not necessarily the same order),
  ka.sort();
  kb.sort();
  //~~~cheap key test
  for (i = ka.length - 1; i &gt;= 0; i--) {
    if (ka[i] != kb[i])
      return false;
  }
  //equivalent values for every corresponding key, and
  //~~~possibly expensive deep test
  for (i = ka.length - 1; i &gt;= 0; i--) {
    key = ka[i];
    if (!deepEqual(a[key], b[key], opts)) return false;
  }
  return typeof a === typeof b;
}


/***/ }),
/* 12 */
/***/ (function(module, exports, __nested_webpack_require_73804__) {

"use strict";

Object.defineProperty(exports, "__esModule", { value: true });
var Registry = __nested_webpack_require_73804__(1);
var Attributor = /** @class */ (function () {
    function Attributor(attrName, keyName, options) {
        if (options === void 0) { options = {}; }
        this.attrName = attrName;
        this.keyName = keyName;
        var attributeBit = Registry.Scope.TYPE &amp; Registry.Scope.ATTRIBUTE;
        if (options.scope != null) {
            // Ignore type bits, force attribute bit
            this.scope = (options.scope &amp; Registry.Scope.LEVEL) | attributeBit;
        }
        else {
            this.scope = Registry.Scope.ATTRIBUTE;
        }
        if (options.whitelist != null)
            this.whitelist = options.whitelist;
    }
    Attributor.keys = function (node) {
        return [].map.call(node.attributes, function (item) {
            return item.name;
        });
    };
    Attributor.prototype.add = function (node, value) {
        if (!this.canAdd(node, value))
            return false;
        node.setAttribute(this.keyName, value);
        return true;
    };
    Attributor.prototype.canAdd = function (node, value) {
        var match = Registry.query(node, Registry.Scope.BLOT &amp; (this.scope | Registry.Scope.TYPE));
        if (match == null)
            return false;
        if (this.whitelist == null)
            return true;
        if (typeof value === 'string') {
            return this.whitelist.indexOf(value.replace(/["']/g, '')) &gt; -1;
        }
        else {
            return this.whitelist.indexOf(value) &gt; -1;
        }
    };
    Attributor.prototype.remove = function (node) {
        node.removeAttribute(this.keyName);
    };
    Attributor.prototype.value = function (node) {
        var value = node.getAttribute(this.keyName);
        if (this.canAdd(node, value) &amp;&amp; value) {
            return value;
        }
        return '';
    };
    return Attributor;
}());
exports.default = Attributor;


/***/ }),
/* 13 */
/***/ (function(module, exports, __nested_webpack_require_75851__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.default = exports.Code = undefined;

var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _quillDelta = __nested_webpack_require_75851__(2);

var _quillDelta2 = _interopRequireDefault(_quillDelta);

var _parchment = __nested_webpack_require_75851__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _block = __nested_webpack_require_75851__(4);

var _block2 = _interopRequireDefault(_block);

var _inline = __nested_webpack_require_75851__(6);

var _inline2 = _interopRequireDefault(_inline);

var _text = __nested_webpack_require_75851__(7);

var _text2 = _interopRequireDefault(_text);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Code = function (_Inline) {
  _inherits(Code, _Inline);

  function Code() {
    _classCallCheck(this, Code);

    return _possibleConstructorReturn(this, (Code.__proto__ || Object.getPrototypeOf(Code)).apply(this, arguments));
  }

  return Code;
}(_inline2.default);

Code.blotName = 'code';
Code.tagName = 'CODE';

var CodeBlock = function (_Block) {
  _inherits(CodeBlock, _Block);

  function CodeBlock() {
    _classCallCheck(this, CodeBlock);

    return _possibleConstructorReturn(this, (CodeBlock.__proto__ || Object.getPrototypeOf(CodeBlock)).apply(this, arguments));
  }

  _createClass(CodeBlock, [{
    key: 'delta',
    value: function delta() {
      var _this3 = this;

      var text = this.domNode.textContent;
      if (text.endsWith('\n')) {
        // Should always be true
        text = text.slice(0, -1);
      }
      return text.split('\n').reduce(function (delta, frag) {
        return delta.insert(frag).insert('\n', _this3.formats());
      }, new _quillDelta2.default());
    }
  }, {
    key: 'format',
    value: function format(name, value) {
      if (name === this.statics.blotName &amp;&amp; value) return;

      var _descendant = this.descendant(_text2.default, this.length() - 1),
          _descendant2 = _slicedToArray(_descendant, 1),
          text = _descendant2[0];

      if (text != null) {
        text.deleteAt(text.length() - 1, 1);
      }
      _get(CodeBlock.prototype.__proto__ || Object.getPrototypeOf(CodeBlock.prototype), 'format', this).call(this, name, value);
    }
  }, {
    key: 'formatAt',
    value: function formatAt(index, length, name, value) {
      if (length === 0) return;
      if (_parchment2.default.query(name, _parchment2.default.Scope.BLOCK) == null || name === this.statics.blotName &amp;&amp; value === this.statics.formats(this.domNode)) {
        return;
      }
      var nextNewline = this.newlineIndex(index);
      if (nextNewline &lt; 0 || nextNewline &gt;= index + length) return;
      var prevNewline = this.newlineIndex(index, true) + 1;
      var isolateLength = nextNewline - prevNewline + 1;
      var blot = this.isolate(prevNewline, isolateLength);
      var next = blot.next;
      blot.format(name, value);
      if (next instanceof CodeBlock) {
        next.formatAt(0, index - prevNewline + length - isolateLength, name, value);
      }
    }
  }, {
    key: 'insertAt',
    value: function insertAt(index, value, def) {
      if (def != null) return;

      var _descendant3 = this.descendant(_text2.default, index),
          _descendant4 = _slicedToArray(_descendant3, 2),
          text = _descendant4[0],
          offset = _descendant4[1];

      text.insertAt(offset, value);
    }
  }, {
    key: 'length',
    value: function length() {
      var length = this.domNode.textContent.length;
      if (!this.domNode.textContent.endsWith('\n')) {
        return length + 1;
      }
      return length;
    }
  }, {
    key: 'newlineIndex',
    value: function newlineIndex(searchIndex) {
      var reverse = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : false;

      if (!reverse) {
        var offset = this.domNode.textContent.slice(searchIndex).indexOf('\n');
        return offset &gt; -1 ? searchIndex + offset : -1;
      } else {
        return this.domNode.textContent.slice(0, searchIndex).lastIndexOf('\n');
      }
    }
  }, {
    key: 'optimize',
    value: function optimize(context) {
      if (!this.domNode.textContent.endsWith('\n')) {
        this.appendChild(_parchment2.default.create('text', '\n'));
      }
      _get(CodeBlock.prototype.__proto__ || Object.getPrototypeOf(CodeBlock.prototype), 'optimize', this).call(this, context);
      var next = this.next;
      if (next != null &amp;&amp; next.prev === this &amp;&amp; next.statics.blotName === this.statics.blotName &amp;&amp; this.statics.formats(this.domNode) === next.statics.formats(next.domNode)) {
        next.optimize(context);
        next.moveChildren(this);
        next.remove();
      }
    }
  }, {
    key: 'replace',
    value: function replace(target) {
      _get(CodeBlock.prototype.__proto__ || Object.getPrototypeOf(CodeBlock.prototype), 'replace', this).call(this, target);
      [].slice.call(this.domNode.querySelectorAll('*')).forEach(function (node) {
        var blot = _parchment2.default.find(node);
        if (blot == null) {
          node.parentNode.removeChild(node);
        } else if (blot instanceof _parchment2.default.Embed) {
          blot.remove();
        } else {
          blot.unwrap();
        }
      });
    }
  }], [{
    key: 'create',
    value: function create(value) {
      var domNode = _get(CodeBlock.__proto__ || Object.getPrototypeOf(CodeBlock), 'create', this).call(this, value);
      domNode.setAttribute('spellcheck', false);
      return domNode;
    }
  }, {
    key: 'formats',
    value: function formats() {
      return true;
    }
  }]);

  return CodeBlock;
}(_block2.default);

CodeBlock.blotName = 'code-block';
CodeBlock.tagName = 'PRE';
CodeBlock.TAB = '  ';

exports.Code = Code;
exports.default = CodeBlock;

/***/ }),
/* 14 */
/***/ (function(module, exports, __nested_webpack_require_84272__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _typeof = typeof Symbol === "function" &amp;&amp; typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj &amp;&amp; typeof Symbol === "function" &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj; };

var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _quillDelta = __nested_webpack_require_84272__(2);

var _quillDelta2 = _interopRequireDefault(_quillDelta);

var _op = __nested_webpack_require_84272__(20);

var _op2 = _interopRequireDefault(_op);

var _parchment = __nested_webpack_require_84272__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _code = __nested_webpack_require_84272__(13);

var _code2 = _interopRequireDefault(_code);

var _cursor = __nested_webpack_require_84272__(24);

var _cursor2 = _interopRequireDefault(_cursor);

var _block = __nested_webpack_require_84272__(4);

var _block2 = _interopRequireDefault(_block);

var _break = __nested_webpack_require_84272__(16);

var _break2 = _interopRequireDefault(_break);

var _clone = __nested_webpack_require_84272__(21);

var _clone2 = _interopRequireDefault(_clone);

var _deepEqual = __nested_webpack_require_84272__(11);

var _deepEqual2 = _interopRequireDefault(_deepEqual);

var _extend = __nested_webpack_require_84272__(3);

var _extend2 = _interopRequireDefault(_extend);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

var ASCII = /^[ -~]*$/;

var Editor = function () {
  function Editor(scroll) {
    _classCallCheck(this, Editor);

    this.scroll = scroll;
    this.delta = this.getDelta();
  }

  _createClass(Editor, [{
    key: 'applyDelta',
    value: function applyDelta(delta) {
      var _this = this;

      var consumeNextNewline = false;
      this.scroll.update();
      var scrollLength = this.scroll.length();
      this.scroll.batchStart();
      delta = normalizeDelta(delta);
      delta.reduce(function (index, op) {
        var length = op.retain || op.delete || op.insert.length || 1;
        var attributes = op.attributes || {};
        if (op.insert != null) {
          if (typeof op.insert === 'string') {
            var text = op.insert;
            if (text.endsWith('\n') &amp;&amp; consumeNextNewline) {
              consumeNextNewline = false;
              text = text.slice(0, -1);
            }
            if (index &gt;= scrollLength &amp;&amp; !text.endsWith('\n')) {
              consumeNextNewline = true;
            }
            _this.scroll.insertAt(index, text);

            var _scroll$line = _this.scroll.line(index),
                _scroll$line2 = _slicedToArray(_scroll$line, 2),
                line = _scroll$line2[0],
                offset = _scroll$line2[1];

            var formats = (0, _extend2.default)({}, (0, _block.bubbleFormats)(line));
            if (line instanceof _block2.default) {
              var _line$descendant = line.descendant(_parchment2.default.Leaf, offset),
                  _line$descendant2 = _slicedToArray(_line$descendant, 1),
                  leaf = _line$descendant2[0];

              formats = (0, _extend2.default)(formats, (0, _block.bubbleFormats)(leaf));
            }
            attributes = _op2.default.attributes.diff(formats, attributes) || {};
          } else if (_typeof(op.insert) === 'object') {
            var key = Object.keys(op.insert)[0]; // There should only be one key
            if (key == null) return index;
            _this.scroll.insertAt(index, key, op.insert[key]);
          }
          scrollLength += length;
        }
        Object.keys(attributes).forEach(function (name) {
          _this.scroll.formatAt(index, length, name, attributes[name]);
        });
        return index + length;
      }, 0);
      delta.reduce(function (index, op) {
        if (typeof op.delete === 'number') {
          _this.scroll.deleteAt(index, op.delete);
          return index;
        }
        return index + (op.retain || op.insert.length || 1);
      }, 0);
      this.scroll.batchEnd();
      return this.update(delta);
    }
  }, {
    key: 'deleteText',
    value: function deleteText(index, length) {
      this.scroll.deleteAt(index, length);
      return this.update(new _quillDelta2.default().retain(index).delete(length));
    }
  }, {
    key: 'formatLine',
    value: function formatLine(index, length) {
      var _this2 = this;

      var formats = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : {};

      this.scroll.update();
      Object.keys(formats).forEach(function (format) {
        if (_this2.scroll.whitelist != null &amp;&amp; !_this2.scroll.whitelist[format]) return;
        var lines = _this2.scroll.lines(index, Math.max(length, 1));
        var lengthRemaining = length;
        lines.forEach(function (line) {
          var lineLength = line.length();
          if (!(line instanceof _code2.default)) {
            line.format(format, formats[format]);
          } else {
            var codeIndex = index - line.offset(_this2.scroll);
            var codeLength = line.newlineIndex(codeIndex + lengthRemaining) - codeIndex + 1;
            line.formatAt(codeIndex, codeLength, format, formats[format]);
          }
          lengthRemaining -= lineLength;
        });
      });
      this.scroll.optimize();
      return this.update(new _quillDelta2.default().retain(index).retain(length, (0, _clone2.default)(formats)));
    }
  }, {
    key: 'formatText',
    value: function formatText(index, length) {
      var _this3 = this;

      var formats = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : {};

      Object.keys(formats).forEach(function (format) {
        _this3.scroll.formatAt(index, length, format, formats[format]);
      });
      return this.update(new _quillDelta2.default().retain(index).retain(length, (0, _clone2.default)(formats)));
    }
  }, {
    key: 'getContents',
    value: function getContents(index, length) {
      return this.delta.slice(index, index + length);
    }
  }, {
    key: 'getDelta',
    value: function getDelta() {
      return this.scroll.lines().reduce(function (delta, line) {
        return delta.concat(line.delta());
      }, new _quillDelta2.default());
    }
  }, {
    key: 'getFormat',
    value: function getFormat(index) {
      var length = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 0;

      var lines = [],
          leaves = [];
      if (length === 0) {
        this.scroll.path(index).forEach(function (path) {
          var _path = _slicedToArray(path, 1),
              blot = _path[0];

          if (blot instanceof _block2.default) {
            lines.push(blot);
          } else if (blot instanceof _parchment2.default.Leaf) {
            leaves.push(blot);
          }
        });
      } else {
        lines = this.scroll.lines(index, length);
        leaves = this.scroll.descendants(_parchment2.default.Leaf, index, length);
      }
      var formatsArr = [lines, leaves].map(function (blots) {
        if (blots.length === 0) return {};
        var formats = (0, _block.bubbleFormats)(blots.shift());
        while (Object.keys(formats).length &gt; 0) {
          var blot = blots.shift();
          if (blot == null) return formats;
          formats = combineFormats((0, _block.bubbleFormats)(blot), formats);
        }
        return formats;
      });
      return _extend2.default.apply(_extend2.default, formatsArr);
    }
  }, {
    key: 'getText',
    value: function getText(index, length) {
      return this.getContents(index, length).filter(function (op) {
        return typeof op.insert === 'string';
      }).map(function (op) {
        return op.insert;
      }).join('');
    }
  }, {
    key: 'insertEmbed',
    value: function insertEmbed(index, embed, value) {
      this.scroll.insertAt(index, embed, value);
      return this.update(new _quillDelta2.default().retain(index).insert(_defineProperty({}, embed, value)));
    }
  }, {
    key: 'insertText',
    value: function insertText(index, text) {
      var _this4 = this;

      var formats = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : {};

      text = text.replace(/\r\n/g, '\n').replace(/\r/g, '\n');
      this.scroll.insertAt(index, text);
      Object.keys(formats).forEach(function (format) {
        _this4.scroll.formatAt(index, text.length, format, formats[format]);
      });
      return this.update(new _quillDelta2.default().retain(index).insert(text, (0, _clone2.default)(formats)));
    }
  }, {
    key: 'isBlank',
    value: function isBlank() {
      if (this.scroll.children.length == 0) return true;
      if (this.scroll.children.length &gt; 1) return false;
      var block = this.scroll.children.head;
      if (block.statics.blotName !== _block2.default.blotName) return false;
      if (block.children.length &gt; 1) return false;
      return block.children.head instanceof _break2.default;
    }
  }, {
    key: 'removeFormat',
    value: function removeFormat(index, length) {
      var text = this.getText(index, length);

      var _scroll$line3 = this.scroll.line(index + length),
          _scroll$line4 = _slicedToArray(_scroll$line3, 2),
          line = _scroll$line4[0],
          offset = _scroll$line4[1];

      var suffixLength = 0,
          suffix = new _quillDelta2.default();
      if (line != null) {
        if (!(line instanceof _code2.default)) {
          suffixLength = line.length() - offset;
        } else {
          suffixLength = line.newlineIndex(offset) - offset + 1;
        }
        suffix = line.delta().slice(offset, offset + suffixLength - 1).insert('\n');
      }
      var contents = this.getContents(index, length + suffixLength);
      var diff = contents.diff(new _quillDelta2.default().insert(text).concat(suffix));
      var delta = new _quillDelta2.default().retain(index).concat(diff);
      return this.applyDelta(delta);
    }
  }, {
    key: 'update',
    value: function update(change) {
      var mutations = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : [];
      var cursorIndex = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : undefined;

      var oldDelta = this.delta;
      if (mutations.length === 1 &amp;&amp; mutations[0].type === 'characterData' &amp;&amp; mutations[0].target.data.match(ASCII) &amp;&amp; _parchment2.default.find(mutations[0].target)) {
        // Optimization for character changes
        var textBlot = _parchment2.default.find(mutations[0].target);
        var formats = (0, _block.bubbleFormats)(textBlot);
        var index = textBlot.offset(this.scroll);
        var oldValue = mutations[0].oldValue.replace(_cursor2.default.CONTENTS, '');
        var oldText = new _quillDelta2.default().insert(oldValue);
        var newText = new _quillDelta2.default().insert(textBlot.value());
        var diffDelta = new _quillDelta2.default().retain(index).concat(oldText.diff(newText, cursorIndex));
        change = diffDelta.reduce(function (delta, op) {
          if (op.insert) {
            return delta.insert(op.insert, formats);
          } else {
            return delta.push(op);
          }
        }, new _quillDelta2.default());
        this.delta = oldDelta.compose(change);
      } else {
        this.delta = this.getDelta();
        if (!change || !(0, _deepEqual2.default)(oldDelta.compose(change), this.delta)) {
          change = oldDelta.diff(this.delta, cursorIndex);
        }
      }
      return change;
    }
  }]);

  return Editor;
}();

function combineFormats(formats, combined) {
  return Object.keys(combined).reduce(function (merged, name) {
    if (formats[name] == null) return merged;
    if (combined[name] === formats[name]) {
      merged[name] = combined[name];
    } else if (Array.isArray(combined[name])) {
      if (combined[name].indexOf(formats[name]) &lt; 0) {
        merged[name] = combined[name].concat([formats[name]]);
      }
    } else {
      merged[name] = [combined[name], formats[name]];
    }
    return merged;
  }, {});
}

function normalizeDelta(delta) {
  return delta.reduce(function (delta, op) {
    if (op.insert === 1) {
      var attributes = (0, _clone2.default)(op.attributes);
      delete attributes['image'];
      return delta.insert({ image: op.attributes.image }, attributes);
    }
    if (op.attributes != null &amp;&amp; (op.attributes.list === true || op.attributes.bullet === true)) {
      op = (0, _clone2.default)(op);
      if (op.attributes.list) {
        op.attributes.list = 'ordered';
      } else {
        op.attributes.list = 'bullet';
        delete op.attributes.bullet;
      }
    }
    if (typeof op.insert === 'string') {
      var text = op.insert.replace(/\r\n/g, '\n').replace(/\r/g, '\n');
      return delta.insert(text, op.attributes);
    }
    return delta.push(op);
  }, new _quillDelta2.default());
}

exports.default = Editor;

/***/ }),
/* 15 */
/***/ (function(module, exports, __nested_webpack_require_98688__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.default = exports.Range = undefined;

var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _parchment = __nested_webpack_require_98688__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _clone = __nested_webpack_require_98688__(21);

var _clone2 = _interopRequireDefault(_clone);

var _deepEqual = __nested_webpack_require_98688__(11);

var _deepEqual2 = _interopRequireDefault(_deepEqual);

var _emitter3 = __nested_webpack_require_98688__(8);

var _emitter4 = _interopRequireDefault(_emitter3);

var _logger = __nested_webpack_require_98688__(10);

var _logger2 = _interopRequireDefault(_logger);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _toConsumableArray(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i &lt; arr.length; i++) { arr2[i] = arr[i]; } return arr2; } else { return Array.from(arr); } }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

var debug = (0, _logger2.default)('quill:selection');

var Range = function Range(index) {
  var length = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 0;

  _classCallCheck(this, Range);

  this.index = index;
  this.length = length;
};

var Selection = function () {
  function Selection(scroll, emitter) {
    var _this = this;

    _classCallCheck(this, Selection);

    this.emitter = emitter;
    this.scroll = scroll;
    this.composing = false;
    this.mouseDown = false;
    this.root = this.scroll.domNode;
    this.cursor = _parchment2.default.create('cursor', this);
    // savedRange is last non-null range
    this.lastRange = this.savedRange = new Range(0, 0);
    this.handleComposition();
    this.handleDragging();
    this.emitter.listenDOM('selectionchange', document, function () {
      if (!_this.mouseDown) {
        setTimeout(_this.update.bind(_this, _emitter4.default.sources.USER), 1);
      }
    });
    this.emitter.on(_emitter4.default.events.EDITOR_CHANGE, function (type, delta) {
      if (type === _emitter4.default.events.TEXT_CHANGE &amp;&amp; delta.length() &gt; 0) {
        _this.update(_emitter4.default.sources.SILENT);
      }
    });
    this.emitter.on(_emitter4.default.events.SCROLL_BEFORE_UPDATE, function () {
      if (!_this.hasFocus()) return;
      var native = _this.getNativeRange();
      if (native == null) return;
      if (native.start.node === _this.cursor.textNode) return; // cursor.restore() will handle
      // TODO unclear if this has negative side effects
      _this.emitter.once(_emitter4.default.events.SCROLL_UPDATE, function () {
        try {
          _this.setNativeRange(native.start.node, native.start.offset, native.end.node, native.end.offset);
        } catch (ignored) {}
      });
    });
    this.emitter.on(_emitter4.default.events.SCROLL_OPTIMIZE, function (mutations, context) {
      if (context.range) {
        var _context$range = context.range,
            startNode = _context$range.startNode,
            startOffset = _context$range.startOffset,
            endNode = _context$range.endNode,
            endOffset = _context$range.endOffset;

        _this.setNativeRange(startNode, startOffset, endNode, endOffset);
      }
    });
    this.update(_emitter4.default.sources.SILENT);
  }

  _createClass(Selection, [{
    key: 'handleComposition',
    value: function handleComposition() {
      var _this2 = this;

      this.root.addEventListener('compositionstart', function () {
        _this2.composing = true;
      });
      this.root.addEventListener('compositionend', function () {
        _this2.composing = false;
        if (_this2.cursor.parent) {
          var range = _this2.cursor.restore();
          if (!range) return;
          setTimeout(function () {
            _this2.setNativeRange(range.startNode, range.startOffset, range.endNode, range.endOffset);
          }, 1);
        }
      });
    }
  }, {
    key: 'handleDragging',
    value: function handleDragging() {
      var _this3 = this;

      this.emitter.listenDOM('mousedown', document.body, function () {
        _this3.mouseDown = true;
      });
      this.emitter.listenDOM('mouseup', document.body, function () {
        _this3.mouseDown = false;
        _this3.update(_emitter4.default.sources.USER);
      });
    }
  }, {
    key: 'focus',
    value: function focus() {
      if (this.hasFocus()) return;
      this.root.focus();
      this.setRange(this.savedRange);
    }
  }, {
    key: 'format',
    value: function format(_format, value) {
      if (this.scroll.whitelist != null &amp;&amp; !this.scroll.whitelist[_format]) return;
      this.scroll.update();
      var nativeRange = this.getNativeRange();
      if (nativeRange == null || !nativeRange.native.collapsed || _parchment2.default.query(_format, _parchment2.default.Scope.BLOCK)) return;
      if (nativeRange.start.node !== this.cursor.textNode) {
        var blot = _parchment2.default.find(nativeRange.start.node, false);
        if (blot == null) return;
        // TODO Give blot ability to not split
        if (blot instanceof _parchment2.default.Leaf) {
          var after = blot.split(nativeRange.start.offset);
          blot.parent.insertBefore(this.cursor, after);
        } else {
          blot.insertBefore(this.cursor, nativeRange.start.node); // Should never happen
        }
        this.cursor.attach();
      }
      this.cursor.format(_format, value);
      this.scroll.optimize();
      this.setNativeRange(this.cursor.textNode, this.cursor.textNode.data.length);
      this.update();
    }
  }, {
    key: 'getBounds',
    value: function getBounds(index) {
      var length = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 0;

      var scrollLength = this.scroll.length();
      index = Math.min(index, scrollLength - 1);
      length = Math.min(index + length, scrollLength - 1) - index;
      var node = void 0,
          _scroll$leaf = this.scroll.leaf(index),
          _scroll$leaf2 = _slicedToArray(_scroll$leaf, 2),
          leaf = _scroll$leaf2[0],
          offset = _scroll$leaf2[1];
      if (leaf == null) return null;

      var _leaf$position = leaf.position(offset, true);

      var _leaf$position2 = _slicedToArray(_leaf$position, 2);

      node = _leaf$position2[0];
      offset = _leaf$position2[1];

      var range = document.createRange();
      if (length &gt; 0) {
        range.setStart(node, offset);

        var _scroll$leaf3 = this.scroll.leaf(index + length);

        var _scroll$leaf4 = _slicedToArray(_scroll$leaf3, 2);

        leaf = _scroll$leaf4[0];
        offset = _scroll$leaf4[1];

        if (leaf == null) return null;

        var _leaf$position3 = leaf.position(offset, true);

        var _leaf$position4 = _slicedToArray(_leaf$position3, 2);

        node = _leaf$position4[0];
        offset = _leaf$position4[1];

        range.setEnd(node, offset);
        return range.getBoundingClientRect();
      } else {
        var side = 'left';
        var rect = void 0;
        if (node instanceof Text) {
          if (offset &lt; node.data.length) {
            range.setStart(node, offset);
            range.setEnd(node, offset + 1);
          } else {
            range.setStart(node, offset - 1);
            range.setEnd(node, offset);
            side = 'right';
          }
          rect = range.getBoundingClientRect();
        } else {
          rect = leaf.domNode.getBoundingClientRect();
          if (offset &gt; 0) side = 'right';
        }
        return {
          bottom: rect.top + rect.height,
          height: rect.height,
          left: rect[side],
          right: rect[side],
          top: rect.top,
          width: 0
        };
      }
    }
  }, {
    key: 'getNativeRange',
    value: function getNativeRange() {
      var selection = document.getSelection();
      if (selection == null || selection.rangeCount &lt;= 0) return null;
      var nativeRange = selection.getRangeAt(0);
      if (nativeRange == null) return null;
      var range = this.normalizeNative(nativeRange);
      debug.info('getNativeRange', range);
      return range;
    }
  }, {
    key: 'getRange',
    value: function getRange() {
      var normalized = this.getNativeRange();
      if (normalized == null) return [null, null];
      var range = this.normalizedToRange(normalized);
      return [range, normalized];
    }
  }, {
    key: 'hasFocus',
    value: function hasFocus() {
      return document.activeElement === this.root;
    }
  }, {
    key: 'normalizedToRange',
    value: function normalizedToRange(range) {
      var _this4 = this;

      var positions = [[range.start.node, range.start.offset]];
      if (!range.native.collapsed) {
        positions.push([range.end.node, range.end.offset]);
      }
      var indexes = positions.map(function (position) {
        var _position = _slicedToArray(position, 2),
            node = _position[0],
            offset = _position[1];

        var blot = _parchment2.default.find(node, true);
        var index = blot.offset(_this4.scroll);
        if (offset === 0) {
          return index;
        } else if (blot instanceof _parchment2.default.Container) {
          return index + blot.length();
        } else {
          return index + blot.index(node, offset);
        }
      });
      var end = Math.min(Math.max.apply(Math, _toConsumableArray(indexes)), this.scroll.length() - 1);
      var start = Math.min.apply(Math, [end].concat(_toConsumableArray(indexes)));
      return new Range(start, end - start);
    }
  }, {
    key: 'normalizeNative',
    value: function normalizeNative(nativeRange) {
      if (!contains(this.root, nativeRange.startContainer) || !nativeRange.collapsed &amp;&amp; !contains(this.root, nativeRange.endContainer)) {
        return null;
      }
      var range = {
        start: { node: nativeRange.startContainer, offset: nativeRange.startOffset },
        end: { node: nativeRange.endContainer, offset: nativeRange.endOffset },
        native: nativeRange
      };
      [range.start, range.end].forEach(function (position) {
        var node = position.node,
            offset = position.offset;
        while (!(node instanceof Text) &amp;&amp; node.childNodes.length &gt; 0) {
          if (node.childNodes.length &gt; offset) {
            node = node.childNodes[offset];
            offset = 0;
          } else if (node.childNodes.length === offset) {
            node = node.lastChild;
            offset = node instanceof Text ? node.data.length : node.childNodes.length + 1;
          } else {
            break;
          }
        }
        position.node = node, position.offset = offset;
      });
      return range;
    }
  }, {
    key: 'rangeToNative',
    value: function rangeToNative(range) {
      var _this5 = this;

      var indexes = range.collapsed ? [range.index] : [range.index, range.index + range.length];
      var args = [];
      var scrollLength = this.scroll.length();
      indexes.forEach(function (index, i) {
        index = Math.min(scrollLength - 1, index);
        var node = void 0,
            _scroll$leaf5 = _this5.scroll.leaf(index),
            _scroll$leaf6 = _slicedToArray(_scroll$leaf5, 2),
            leaf = _scroll$leaf6[0],
            offset = _scroll$leaf6[1];
        var _leaf$position5 = leaf.position(offset, i !== 0);

        var _leaf$position6 = _slicedToArray(_leaf$position5, 2);

        node = _leaf$position6[0];
        offset = _leaf$position6[1];

        args.push(node, offset);
      });
      if (args.length &lt; 2) {
        args = args.concat(args);
      }
      return args;
    }
  }, {
    key: 'scrollIntoView',
    value: function scrollIntoView(scrollingContainer) {
      var range = this.lastRange;
      if (range == null) return;
      var bounds = this.getBounds(range.index, range.length);
      if (bounds == null) return;
      var limit = this.scroll.length() - 1;

      var _scroll$line = this.scroll.line(Math.min(range.index, limit)),
          _scroll$line2 = _slicedToArray(_scroll$line, 1),
          first = _scroll$line2[0];

      var last = first;
      if (range.length &gt; 0) {
        var _scroll$line3 = this.scroll.line(Math.min(range.index + range.length, limit));

        var _scroll$line4 = _slicedToArray(_scroll$line3, 1);

        last = _scroll$line4[0];
      }
      if (first == null || last == null) return;
      var scrollBounds = scrollingContainer.getBoundingClientRect();
      if (bounds.top &lt; scrollBounds.top) {
        scrollingContainer.scrollTop -= scrollBounds.top - bounds.top;
      } else if (bounds.bottom &gt; scrollBounds.bottom) {
        scrollingContainer.scrollTop += bounds.bottom - scrollBounds.bottom;
      }
    }
  }, {
    key: 'setNativeRange',
    value: function setNativeRange(startNode, startOffset) {
      var endNode = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : startNode;
      var endOffset = arguments.length &gt; 3 &amp;&amp; arguments[3] !== undefined ? arguments[3] : startOffset;
      var force = arguments.length &gt; 4 &amp;&amp; arguments[4] !== undefined ? arguments[4] : false;

      debug.info('setNativeRange', startNode, startOffset, endNode, endOffset);
      if (startNode != null &amp;&amp; (this.root.parentNode == null || startNode.parentNode == null || endNode.parentNode == null)) {
        return;
      }
      var selection = document.getSelection();
      if (selection == null) return;
      if (startNode != null) {
        if (!this.hasFocus()) this.root.focus();
        var native = (this.getNativeRange() || {}).native;
        if (native == null || force || startNode !== native.startContainer || startOffset !== native.startOffset || endNode !== native.endContainer || endOffset !== native.endOffset) {

          if (startNode.tagName == "BR") {
            startOffset = [].indexOf.call(startNode.parentNode.childNodes, startNode);
            startNode = startNode.parentNode;
          }
          if (endNode.tagName == "BR") {
            endOffset = [].indexOf.call(endNode.parentNode.childNodes, endNode);
            endNode = endNode.parentNode;
          }
          var range = document.createRange();
          range.setStart(startNode, startOffset);
          range.setEnd(endNode, endOffset);
          selection.removeAllRanges();
          selection.addRange(range);
        }
      } else {
        selection.removeAllRanges();
        this.root.blur();
        document.body.focus(); // root.blur() not enough on IE11+Travis+SauceLabs (but not local VMs)
      }
    }
  }, {
    key: 'setRange',
    value: function setRange(range) {
      var force = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : false;
      var source = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : _emitter4.default.sources.API;

      if (typeof force === 'string') {
        source = force;
        force = false;
      }
      debug.info('setRange', range);
      if (range != null) {
        var args = this.rangeToNative(range);
        this.setNativeRange.apply(this, _toConsumableArray(args).concat([force]));
      } else {
        this.setNativeRange(null);
      }
      this.update(source);
    }
  }, {
    key: 'update',
    value: function update() {
      var source = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : _emitter4.default.sources.USER;

      var oldRange = this.lastRange;

      var _getRange = this.getRange(),
          _getRange2 = _slicedToArray(_getRange, 2),
          lastRange = _getRange2[0],
          nativeRange = _getRange2[1];

      this.lastRange = lastRange;
      if (this.lastRange != null) {
        this.savedRange = this.lastRange;
      }
      if (!(0, _deepEqual2.default)(oldRange, this.lastRange)) {
        var _emitter;

        if (!this.composing &amp;&amp; nativeRange != null &amp;&amp; nativeRange.native.collapsed &amp;&amp; nativeRange.start.node !== this.cursor.textNode) {
          this.cursor.restore();
        }
        var args = [_emitter4.default.events.SELECTION_CHANGE, (0, _clone2.default)(this.lastRange), (0, _clone2.default)(oldRange), source];
        (_emitter = this.emitter).emit.apply(_emitter, [_emitter4.default.events.EDITOR_CHANGE].concat(args));
        if (source !== _emitter4.default.sources.SILENT) {
          var _emitter2;

          (_emitter2 = this.emitter).emit.apply(_emitter2, args);
        }
      }
    }
  }]);

  return Selection;
}();

function contains(parent, descendant) {
  try {
    // Firefox inserts inaccessible nodes around video elements
    descendant.parentNode;
  } catch (e) {
    return false;
  }
  // IE11 has bug with Text nodes
  // https://connect.microsoft.com/IE/feedback/details/780874/node-contains-is-incorrect
  if (descendant instanceof Text) {
    descendant = descendant.parentNode;
  }
  return parent.contains(descendant);
}

exports.Range = Range;
exports.default = Selection;

/***/ }),
/* 16 */
/***/ (function(module, exports, __nested_webpack_require_116908__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _parchment = __nested_webpack_require_116908__(0);

var _parchment2 = _interopRequireDefault(_parchment);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Break = function (_Parchment$Embed) {
  _inherits(Break, _Parchment$Embed);

  function Break() {
    _classCallCheck(this, Break);

    return _possibleConstructorReturn(this, (Break.__proto__ || Object.getPrototypeOf(Break)).apply(this, arguments));
  }

  _createClass(Break, [{
    key: 'insertInto',
    value: function insertInto(parent, ref) {
      if (parent.children.length === 0) {
        _get(Break.prototype.__proto__ || Object.getPrototypeOf(Break.prototype), 'insertInto', this).call(this, parent, ref);
      } else {
        this.remove();
      }
    }
  }, {
    key: 'length',
    value: function length() {
      return 0;
    }
  }, {
    key: 'value',
    value: function value() {
      return '';
    }
  }], [{
    key: 'value',
    value: function value() {
      return undefined;
    }
  }]);

  return Break;
}(_parchment2.default.Embed);

Break.blotName = 'break';
Break.tagName = 'BR';

exports.default = Break;

/***/ }),
/* 17 */
/***/ (function(module, exports, __nested_webpack_require_120162__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var linked_list_1 = __nested_webpack_require_120162__(44);
var shadow_1 = __nested_webpack_require_120162__(30);
var Registry = __nested_webpack_require_120162__(1);
var ContainerBlot = /** @class */ (function (_super) {
    __extends(ContainerBlot, _super);
    function ContainerBlot(domNode) {
        var _this = _super.call(this, domNode) || this;
        _this.build();
        return _this;
    }
    ContainerBlot.prototype.appendChild = function (other) {
        this.insertBefore(other);
    };
    ContainerBlot.prototype.attach = function () {
        _super.prototype.attach.call(this);
        this.children.forEach(function (child) {
            child.attach();
        });
    };
    ContainerBlot.prototype.build = function () {
        var _this = this;
        this.children = new linked_list_1.default();
        // Need to be reversed for if DOM nodes already in order
        [].slice
            .call(this.domNode.childNodes)
            .reverse()
            .forEach(function (node) {
            try {
                var child = makeBlot(node);
                _this.insertBefore(child, _this.children.head || undefined);
            }
            catch (err) {
                if (err instanceof Registry.ParchmentError)
                    return;
                else
                    throw err;
            }
        });
    };
    ContainerBlot.prototype.deleteAt = function (index, length) {
        if (index === 0 &amp;&amp; length === this.length()) {
            return this.remove();
        }
        this.children.forEachAt(index, length, function (child, offset, length) {
            child.deleteAt(offset, length);
        });
    };
    ContainerBlot.prototype.descendant = function (criteria, index) {
        var _a = this.children.find(index), child = _a[0], offset = _a[1];
        if ((criteria.blotName == null &amp;&amp; criteria(child)) ||
            (criteria.blotName != null &amp;&amp; child instanceof criteria)) {
            return [child, offset];
        }
        else if (child instanceof ContainerBlot) {
            return child.descendant(criteria, offset);
        }
        else {
            return [null, -1];
        }
    };
    ContainerBlot.prototype.descendants = function (criteria, index, length) {
        if (index === void 0) { index = 0; }
        if (length === void 0) { length = Number.MAX_VALUE; }
        var descendants = [];
        var lengthLeft = length;
        this.children.forEachAt(index, length, function (child, index, length) {
            if ((criteria.blotName == null &amp;&amp; criteria(child)) ||
                (criteria.blotName != null &amp;&amp; child instanceof criteria)) {
                descendants.push(child);
            }
            if (child instanceof ContainerBlot) {
                descendants = descendants.concat(child.descendants(criteria, index, lengthLeft));
            }
            lengthLeft -= length;
        });
        return descendants;
    };
    ContainerBlot.prototype.detach = function () {
        this.children.forEach(function (child) {
            child.detach();
        });
        _super.prototype.detach.call(this);
    };
    ContainerBlot.prototype.formatAt = function (index, length, name, value) {
        this.children.forEachAt(index, length, function (child, offset, length) {
            child.formatAt(offset, length, name, value);
        });
    };
    ContainerBlot.prototype.insertAt = function (index, value, def) {
        var _a = this.children.find(index), child = _a[0], offset = _a[1];
        if (child) {
            child.insertAt(offset, value, def);
        }
        else {
            var blot = def == null ? Registry.create('text', value) : Registry.create(value, def);
            this.appendChild(blot);
        }
    };
    ContainerBlot.prototype.insertBefore = function (childBlot, refBlot) {
        if (this.statics.allowedChildren != null &amp;&amp;
            !this.statics.allowedChildren.some(function (child) {
                return childBlot instanceof child;
            })) {
            throw new Registry.ParchmentError("Cannot insert " + childBlot.statics.blotName + " into " + this.statics.blotName);
        }
        childBlot.insertInto(this, refBlot);
    };
    ContainerBlot.prototype.length = function () {
        return this.children.reduce(function (memo, child) {
            return memo + child.length();
        }, 0);
    };
    ContainerBlot.prototype.moveChildren = function (targetParent, refNode) {
        this.children.forEach(function (child) {
            targetParent.insertBefore(child, refNode);
        });
    };
    ContainerBlot.prototype.optimize = function (context) {
        _super.prototype.optimize.call(this, context);
        if (this.children.length === 0) {
            if (this.statics.defaultChild != null) {
                var child = Registry.create(this.statics.defaultChild);
                this.appendChild(child);
                child.optimize(context);
            }
            else {
                this.remove();
            }
        }
    };
    ContainerBlot.prototype.path = function (index, inclusive) {
        if (inclusive === void 0) { inclusive = false; }
        var _a = this.children.find(index, inclusive), child = _a[0], offset = _a[1];
        var position = [[this, index]];
        if (child instanceof ContainerBlot) {
            return position.concat(child.path(offset, inclusive));
        }
        else if (child != null) {
            position.push([child, offset]);
        }
        return position;
    };
    ContainerBlot.prototype.removeChild = function (child) {
        this.children.remove(child);
    };
    ContainerBlot.prototype.replace = function (target) {
        if (target instanceof ContainerBlot) {
            target.moveChildren(this);
        }
        _super.prototype.replace.call(this, target);
    };
    ContainerBlot.prototype.split = function (index, force) {
        if (force === void 0) { force = false; }
        if (!force) {
            if (index === 0)
                return this;
            if (index === this.length())
                return this.next;
        }
        var after = this.clone();
        this.parent.insertBefore(after, this.next);
        this.children.forEachAt(index, this.length(), function (child, offset, length) {
            child = child.split(offset, force);
            after.appendChild(child);
        });
        return after;
    };
    ContainerBlot.prototype.unwrap = function () {
        this.moveChildren(this.parent, this.next);
        this.remove();
    };
    ContainerBlot.prototype.update = function (mutations, context) {
        var _this = this;
        var addedNodes = [];
        var removedNodes = [];
        mutations.forEach(function (mutation) {
            if (mutation.target === _this.domNode &amp;&amp; mutation.type === 'childList') {
                addedNodes.push.apply(addedNodes, mutation.addedNodes);
                removedNodes.push.apply(removedNodes, mutation.removedNodes);
            }
        });
        removedNodes.forEach(function (node) {
            // Check node has actually been removed
            // One exception is Chrome does not immediately remove IFRAMEs
            // from DOM but MutationRecord is correct in its reported removal
            if (node.parentNode != null &amp;&amp;
                // @ts-ignore
                node.tagName !== 'IFRAME' &amp;&amp;
                document.body.compareDocumentPosition(node) &amp; Node.DOCUMENT_POSITION_CONTAINED_BY) {
                return;
            }
            var blot = Registry.find(node);
            if (blot == null)
                return;
            if (blot.domNode.parentNode == null || blot.domNode.parentNode === _this.domNode) {
                blot.detach();
            }
        });
        addedNodes
            .filter(function (node) {
            return node.parentNode == _this.domNode;
        })
            .sort(function (a, b) {
            if (a === b)
                return 0;
            if (a.compareDocumentPosition(b) &amp; Node.DOCUMENT_POSITION_FOLLOWING) {
                return 1;
            }
            return -1;
        })
            .forEach(function (node) {
            var refBlot = null;
            if (node.nextSibling != null) {
                refBlot = Registry.find(node.nextSibling);
            }
            var blot = makeBlot(node);
            if (blot.next != refBlot || blot.next == null) {
                if (blot.parent != null) {
                    blot.parent.removeChild(_this);
                }
                _this.insertBefore(blot, refBlot || undefined);
            }
        });
    };
    return ContainerBlot;
}(shadow_1.default));
function makeBlot(node) {
    var blot = Registry.find(node);
    if (blot == null) {
        try {
            blot = Registry.create(node);
        }
        catch (e) {
            blot = Registry.create(Registry.Scope.INLINE);
            [].slice.call(node.childNodes).forEach(function (child) {
                // @ts-ignore
                blot.domNode.appendChild(child);
            });
            if (node.parentNode) {
                node.parentNode.replaceChild(blot.domNode, node);
            }
            blot.attach();
        }
    }
    return blot;
}
exports.default = ContainerBlot;


/***/ }),
/* 18 */
/***/ (function(module, exports, __nested_webpack_require_130088__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var attributor_1 = __nested_webpack_require_130088__(12);
var store_1 = __nested_webpack_require_130088__(31);
var container_1 = __nested_webpack_require_130088__(17);
var Registry = __nested_webpack_require_130088__(1);
var FormatBlot = /** @class */ (function (_super) {
    __extends(FormatBlot, _super);
    function FormatBlot(domNode) {
        var _this = _super.call(this, domNode) || this;
        _this.attributes = new store_1.default(_this.domNode);
        return _this;
    }
    FormatBlot.formats = function (domNode) {
        if (typeof this.tagName === 'string') {
            return true;
        }
        else if (Array.isArray(this.tagName)) {
            return domNode.tagName.toLowerCase();
        }
        return undefined;
    };
    FormatBlot.prototype.format = function (name, value) {
        var format = Registry.query(name);
        if (format instanceof attributor_1.default) {
            this.attributes.attribute(format, value);
        }
        else if (value) {
            if (format != null &amp;&amp; (name !== this.statics.blotName || this.formats()[name] !== value)) {
                this.replaceWith(name, value);
            }
        }
    };
    FormatBlot.prototype.formats = function () {
        var formats = this.attributes.values();
        var format = this.statics.formats(this.domNode);
        if (format != null) {
            formats[this.statics.blotName] = format;
        }
        return formats;
    };
    FormatBlot.prototype.replaceWith = function (name, value) {
        var replacement = _super.prototype.replaceWith.call(this, name, value);
        this.attributes.copy(replacement);
        return replacement;
    };
    FormatBlot.prototype.update = function (mutations, context) {
        var _this = this;
        _super.prototype.update.call(this, mutations, context);
        if (mutations.some(function (mutation) {
            return mutation.target === _this.domNode &amp;&amp; mutation.type === 'attributes';
        })) {
            this.attributes.build();
        }
    };
    FormatBlot.prototype.wrap = function (name, value) {
        var wrapper = _super.prototype.wrap.call(this, name, value);
        if (wrapper instanceof FormatBlot &amp;&amp; wrapper.statics.scope === this.statics.scope) {
            this.attributes.move(wrapper);
        }
        return wrapper;
    };
    return FormatBlot;
}(container_1.default));
exports.default = FormatBlot;


/***/ }),
/* 19 */
/***/ (function(module, exports, __nested_webpack_require_133111__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var shadow_1 = __nested_webpack_require_133111__(30);
var Registry = __nested_webpack_require_133111__(1);
var LeafBlot = /** @class */ (function (_super) {
    __extends(LeafBlot, _super);
    function LeafBlot() {
        return _super !== null &amp;&amp; _super.apply(this, arguments) || this;
    }
    LeafBlot.value = function (domNode) {
        return true;
    };
    LeafBlot.prototype.index = function (node, offset) {
        if (this.domNode === node ||
            this.domNode.compareDocumentPosition(node) &amp; Node.DOCUMENT_POSITION_CONTAINED_BY) {
            return Math.min(offset, 1);
        }
        return -1;
    };
    LeafBlot.prototype.position = function (index, inclusive) {
        var offset = [].indexOf.call(this.parent.domNode.childNodes, this.domNode);
        if (index &gt; 0)
            offset += 1;
        return [this.parent.domNode, offset];
    };
    LeafBlot.prototype.value = function () {
        var _a;
        return _a = {}, _a[this.statics.blotName] = this.statics.value(this.domNode) || true, _a;
    };
    LeafBlot.scope = Registry.Scope.INLINE_BLOT;
    return LeafBlot;
}(shadow_1.default));
exports.default = LeafBlot;


/***/ }),
/* 20 */
/***/ (function(module, exports, __nested_webpack_require_134898__) {

var equal = __nested_webpack_require_134898__(11);
var extend = __nested_webpack_require_134898__(3);


var lib = {
  attributes: {
    compose: function (a, b, keepNull) {
      if (typeof a !== 'object') a = {};
      if (typeof b !== 'object') b = {};
      var attributes = extend(true, {}, b);
      if (!keepNull) {
        attributes = Object.keys(attributes).reduce(function (copy, key) {
          if (attributes[key] != null) {
            copy[key] = attributes[key];
          }
          return copy;
        }, {});
      }
      for (var key in a) {
        if (a[key] !== undefined &amp;&amp; b[key] === undefined) {
          attributes[key] = a[key];
        }
      }
      return Object.keys(attributes).length &gt; 0 ? attributes : undefined;
    },

    diff: function(a, b) {
      if (typeof a !== 'object') a = {};
      if (typeof b !== 'object') b = {};
      var attributes = Object.keys(a).concat(Object.keys(b)).reduce(function (attributes, key) {
        if (!equal(a[key], b[key])) {
          attributes[key] = b[key] === undefined ? null : b[key];
        }
        return attributes;
      }, {});
      return Object.keys(attributes).length &gt; 0 ? attributes : undefined;
    },

    transform: function (a, b, priority) {
      if (typeof a !== 'object') return b;
      if (typeof b !== 'object') return undefined;
      if (!priority) return b;  // b simply overwrites us without priority
      var attributes = Object.keys(b).reduce(function (attributes, key) {
        if (a[key] === undefined) attributes[key] = b[key];  // null is a valid value
        return attributes;
      }, {});
      return Object.keys(attributes).length &gt; 0 ? attributes : undefined;
    }
  },

  iterator: function (ops) {
    return new Iterator(ops);
  },

  length: function (op) {
    if (typeof op['delete'] === 'number') {
      return op['delete'];
    } else if (typeof op.retain === 'number') {
      return op.retain;
    } else {
      return typeof op.insert === 'string' ? op.insert.length : 1;
    }
  }
};


function Iterator(ops) {
  this.ops = ops;
  this.index = 0;
  this.offset = 0;
};

Iterator.prototype.hasNext = function () {
  return this.peekLength() &lt; Infinity;
};

Iterator.prototype.next = function (length) {
  if (!length) length = Infinity;
  var nextOp = this.ops[this.index];
  if (nextOp) {
    var offset = this.offset;
    var opLength = lib.length(nextOp)
    if (length &gt;= opLength - offset) {
      length = opLength - offset;
      this.index += 1;
      this.offset = 0;
    } else {
      this.offset += length;
    }
    if (typeof nextOp['delete'] === 'number') {
      return { 'delete': length };
    } else {
      var retOp = {};
      if (nextOp.attributes) {
        retOp.attributes = nextOp.attributes;
      }
      if (typeof nextOp.retain === 'number') {
        retOp.retain = length;
      } else if (typeof nextOp.insert === 'string') {
        retOp.insert = nextOp.insert.substr(offset, length);
      } else {
        // offset should === 0, length should === 1
        retOp.insert = nextOp.insert;
      }
      return retOp;
    }
  } else {
    return { retain: Infinity };
  }
};

Iterator.prototype.peek = function () {
  return this.ops[this.index];
};

Iterator.prototype.peekLength = function () {
  if (this.ops[this.index]) {
    // Should never return 0 if our index is being managed correctly
    return lib.length(this.ops[this.index]) - this.offset;
  } else {
    return Infinity;
  }
};

Iterator.prototype.peekType = function () {
  if (this.ops[this.index]) {
    if (typeof this.ops[this.index]['delete'] === 'number') {
      return 'delete';
    } else if (typeof this.ops[this.index].retain === 'number') {
      return 'retain';
    } else {
      return 'insert';
    }
  }
  return 'retain';
};

Iterator.prototype.rest = function () {
  if (!this.hasNext()) {
    return [];
  } else if (this.offset === 0) {
    return this.ops.slice(this.index);
  } else {
    var offset = this.offset;
    var index = this.index;
    var next = this.next();
    var rest = this.ops.slice(this.index);
    this.offset = offset;
    this.index = index;
    return [next].concat(rest);
  }
};


module.exports = lib;


/***/ }),
/* 21 */
/***/ (function(module, exports) {

var clone = (function() {
'use strict';

function _instanceof(obj, type) {
  return type != null &amp;&amp; obj instanceof type;
}

var nativeMap;
try {
  nativeMap = Map;
} catch(_) {
  // maybe a reference error because no `Map`. Give it a dummy value that no
  // value will ever be an instanceof.
  nativeMap = function() {};
}

var nativeSet;
try {
  nativeSet = Set;
} catch(_) {
  nativeSet = function() {};
}

var nativePromise;
try {
  nativePromise = Promise;
} catch(_) {
  nativePromise = function() {};
}

/**
 * Clones (copies) an Object using deep copying.
 *
 * This function supports circular references by default, but if you are certain
 * there are no circular references in your object, you can save some CPU time
 * by calling clone(obj, false).
 *
 * Caution: if `circular` is false and `parent` contains circular references,
 * your program may enter an infinite loop and crash.
 *
 * @param `parent` - the object to be cloned
 * @param `circular` - set to true if the object to be cloned may contain
 *    circular references. (optional - true by default)
 * @param `depth` - set to a number if the object is only to be cloned to
 *    a particular depth. (optional - defaults to Infinity)
 * @param `prototype` - sets the prototype to be used when cloning an object.
 *    (optional - defaults to parent prototype).
 * @param `includeNonEnumerable` - set to true if the non-enumerable properties
 *    should be cloned as well. Non-enumerable properties on the prototype
 *    chain will be ignored. (optional - false by default)
*/
function clone(parent, circular, depth, prototype, includeNonEnumerable) {
  if (typeof circular === 'object') {
    depth = circular.depth;
    prototype = circular.prototype;
    includeNonEnumerable = circular.includeNonEnumerable;
    circular = circular.circular;
  }
  // maintain two arrays for circular references, where corresponding parents
  // and children have the same index
  var allParents = [];
  var allChildren = [];

  var useBuffer = typeof Buffer != 'undefined';

  if (typeof circular == 'undefined')
    circular = true;

  if (typeof depth == 'undefined')
    depth = Infinity;

  // recurse this function so we don't reset allParents and allChildren
  function _clone(parent, depth) {
    // cloning null always returns null
    if (parent === null)
      return null;

    if (depth === 0)
      return parent;

    var child;
    var proto;
    if (typeof parent != 'object') {
      return parent;
    }

    if (_instanceof(parent, nativeMap)) {
      child = new nativeMap();
    } else if (_instanceof(parent, nativeSet)) {
      child = new nativeSet();
    } else if (_instanceof(parent, nativePromise)) {
      child = new nativePromise(function (resolve, reject) {
        parent.then(function(value) {
          resolve(_clone(value, depth - 1));
        }, function(err) {
          reject(_clone(err, depth - 1));
        });
      });
    } else if (clone.__isArray(parent)) {
      child = [];
    } else if (clone.__isRegExp(parent)) {
      child = new RegExp(parent.source, __getRegExpFlags(parent));
      if (parent.lastIndex) child.lastIndex = parent.lastIndex;
    } else if (clone.__isDate(parent)) {
      child = new Date(parent.getTime());
    } else if (useBuffer &amp;&amp; Buffer.isBuffer(parent)) {
      if (Buffer.allocUnsafe) {
        // Node.js &gt;= 4.5.0
        child = Buffer.allocUnsafe(parent.length);
      } else {
        // Older Node.js versions
        child = new Buffer(parent.length);
      }
      parent.copy(child);
      return child;
    } else if (_instanceof(parent, Error)) {
      child = Object.create(parent);
    } else {
      if (typeof prototype == 'undefined') {
        proto = Object.getPrototypeOf(parent);
        child = Object.create(proto);
      }
      else {
        child = Object.create(prototype);
        proto = prototype;
      }
    }

    if (circular) {
      var index = allParents.indexOf(parent);

      if (index != -1) {
        return allChildren[index];
      }
      allParents.push(parent);
      allChildren.push(child);
    }

    if (_instanceof(parent, nativeMap)) {
      parent.forEach(function(value, key) {
        var keyChild = _clone(key, depth - 1);
        var valueChild = _clone(value, depth - 1);
        child.set(keyChild, valueChild);
      });
    }
    if (_instanceof(parent, nativeSet)) {
      parent.forEach(function(value) {
        var entryChild = _clone(value, depth - 1);
        child.add(entryChild);
      });
    }

    for (var i in parent) {
      var attrs;
      if (proto) {
        attrs = Object.getOwnPropertyDescriptor(proto, i);
      }

      if (attrs &amp;&amp; attrs.set == null) {
        continue;
      }
      child[i] = _clone(parent[i], depth - 1);
    }

    if (Object.getOwnPropertySymbols) {
      var symbols = Object.getOwnPropertySymbols(parent);
      for (var i = 0; i &lt; symbols.length; i++) {
        // Don't need to worry about cloning a symbol because it is a primitive,
        // like a number or string.
        var symbol = symbols[i];
        var descriptor = Object.getOwnPropertyDescriptor(parent, symbol);
        if (descriptor &amp;&amp; !descriptor.enumerable &amp;&amp; !includeNonEnumerable) {
          continue;
        }
        child[symbol] = _clone(parent[symbol], depth - 1);
        if (!descriptor.enumerable) {
          Object.defineProperty(child, symbol, {
            enumerable: false
          });
        }
      }
    }

    if (includeNonEnumerable) {
      var allPropertyNames = Object.getOwnPropertyNames(parent);
      for (var i = 0; i &lt; allPropertyNames.length; i++) {
        var propertyName = allPropertyNames[i];
        var descriptor = Object.getOwnPropertyDescriptor(parent, propertyName);
        if (descriptor &amp;&amp; descriptor.enumerable) {
          continue;
        }
        child[propertyName] = _clone(parent[propertyName], depth - 1);
        Object.defineProperty(child, propertyName, {
          enumerable: false
        });
      }
    }

    return child;
  }

  return _clone(parent, depth);
}

/**
 * Simple flat clone using prototype, accepts only objects, usefull for property
 * override on FLAT configuration object (no nested props).
 *
 * USE WITH CAUTION! This may not behave as you wish if you do not know how this
 * works.
 */
clone.clonePrototype = function clonePrototype(parent) {
  if (parent === null)
    return null;

  var c = function () {};
  c.prototype = parent;
  return new c();
};

// private utility functions

function __objToStr(o) {
  return Object.prototype.toString.call(o);
}
clone.__objToStr = __objToStr;

function __isDate(o) {
  return typeof o === 'object' &amp;&amp; __objToStr(o) === '[object Date]';
}
clone.__isDate = __isDate;

function __isArray(o) {
  return typeof o === 'object' &amp;&amp; __objToStr(o) === '[object Array]';
}
clone.__isArray = __isArray;

function __isRegExp(o) {
  return typeof o === 'object' &amp;&amp; __objToStr(o) === '[object RegExp]';
}
clone.__isRegExp = __isRegExp;

function __getRegExpFlags(re) {
  var flags = '';
  if (re.global) flags += 'g';
  if (re.ignoreCase) flags += 'i';
  if (re.multiline) flags += 'm';
  return flags;
}
clone.__getRegExpFlags = __getRegExpFlags;

return clone;
})();

if (typeof module === 'object' &amp;&amp; module.exports) {
  module.exports = clone;
}


/***/ }),
/* 22 */
/***/ (function(module, exports, __nested_webpack_require_146497__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _parchment = __nested_webpack_require_146497__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _emitter = __nested_webpack_require_146497__(8);

var _emitter2 = _interopRequireDefault(_emitter);

var _block = __nested_webpack_require_146497__(4);

var _block2 = _interopRequireDefault(_block);

var _break = __nested_webpack_require_146497__(16);

var _break2 = _interopRequireDefault(_break);

var _code = __nested_webpack_require_146497__(13);

var _code2 = _interopRequireDefault(_code);

var _container = __nested_webpack_require_146497__(25);

var _container2 = _interopRequireDefault(_container);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

function isLine(blot) {
  return blot instanceof _block2.default || blot instanceof _block.BlockEmbed;
}

var Scroll = function (_Parchment$Scroll) {
  _inherits(Scroll, _Parchment$Scroll);

  function Scroll(domNode, config) {
    _classCallCheck(this, Scroll);

    var _this = _possibleConstructorReturn(this, (Scroll.__proto__ || Object.getPrototypeOf(Scroll)).call(this, domNode));

    _this.emitter = config.emitter;
    if (Array.isArray(config.whitelist)) {
      _this.whitelist = config.whitelist.reduce(function (whitelist, format) {
        whitelist[format] = true;
        return whitelist;
      }, {});
    }
    // Some reason fixes composition issues with character languages in Windows/Chrome, Safari
    _this.domNode.addEventListener('DOMNodeInserted', function () {});
    _this.optimize();
    _this.enable();
    return _this;
  }

  _createClass(Scroll, [{
    key: 'batchStart',
    value: function batchStart() {
      this.batch = true;
    }
  }, {
    key: 'batchEnd',
    value: function batchEnd() {
      this.batch = false;
      this.optimize();
    }
  }, {
    key: 'deleteAt',
    value: function deleteAt(index, length) {
      var _line = this.line(index),
          _line2 = _slicedToArray(_line, 2),
          first = _line2[0],
          offset = _line2[1];

      var _line3 = this.line(index + length),
          _line4 = _slicedToArray(_line3, 1),
          last = _line4[0];

      _get(Scroll.prototype.__proto__ || Object.getPrototypeOf(Scroll.prototype), 'deleteAt', this).call(this, index, length);
      if (last != null &amp;&amp; first !== last &amp;&amp; offset &gt; 0) {
        if (first instanceof _block.BlockEmbed || last instanceof _block.BlockEmbed) {
          this.optimize();
          return;
        }
        if (first instanceof _code2.default) {
          var newlineIndex = first.newlineIndex(first.length(), true);
          if (newlineIndex &gt; -1) {
            first = first.split(newlineIndex + 1);
            if (first === last) {
              this.optimize();
              return;
            }
          }
        } else if (last instanceof _code2.default) {
          var _newlineIndex = last.newlineIndex(0);
          if (_newlineIndex &gt; -1) {
            last.split(_newlineIndex + 1);
          }
        }
        var ref = last.children.head instanceof _break2.default ? null : last.children.head;
        first.moveChildren(last, ref);
        first.remove();
      }
      this.optimize();
    }
  }, {
    key: 'enable',
    value: function enable() {
      var enabled = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : true;

      this.domNode.setAttribute('contenteditable', enabled);
    }
  }, {
    key: 'formatAt',
    value: function formatAt(index, length, format, value) {
      if (this.whitelist != null &amp;&amp; !this.whitelist[format]) return;
      _get(Scroll.prototype.__proto__ || Object.getPrototypeOf(Scroll.prototype), 'formatAt', this).call(this, index, length, format, value);
      this.optimize();
    }
  }, {
    key: 'insertAt',
    value: function insertAt(index, value, def) {
      if (def != null &amp;&amp; this.whitelist != null &amp;&amp; !this.whitelist[value]) return;
      if (index &gt;= this.length()) {
        if (def == null || _parchment2.default.query(value, _parchment2.default.Scope.BLOCK) == null) {
          var blot = _parchment2.default.create(this.statics.defaultChild);
          this.appendChild(blot);
          if (def == null &amp;&amp; value.endsWith('\n')) {
            value = value.slice(0, -1);
          }
          blot.insertAt(0, value, def);
        } else {
          var embed = _parchment2.default.create(value, def);
          this.appendChild(embed);
        }
      } else {
        _get(Scroll.prototype.__proto__ || Object.getPrototypeOf(Scroll.prototype), 'insertAt', this).call(this, index, value, def);
      }
      this.optimize();
    }
  }, {
    key: 'insertBefore',
    value: function insertBefore(blot, ref) {
      if (blot.statics.scope === _parchment2.default.Scope.INLINE_BLOT) {
        var wrapper = _parchment2.default.create(this.statics.defaultChild);
        wrapper.appendChild(blot);
        blot = wrapper;
      }
      _get(Scroll.prototype.__proto__ || Object.getPrototypeOf(Scroll.prototype), 'insertBefore', this).call(this, blot, ref);
    }
  }, {
    key: 'leaf',
    value: function leaf(index) {
      return this.path(index).pop() || [null, -1];
    }
  }, {
    key: 'line',
    value: function line(index) {
      if (index === this.length()) {
        return this.line(index - 1);
      }
      return this.descendant(isLine, index);
    }
  }, {
    key: 'lines',
    value: function lines() {
      var index = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 0;
      var length = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : Number.MAX_VALUE;

      var getLines = function getLines(blot, index, length) {
        var lines = [],
            lengthLeft = length;
        blot.children.forEachAt(index, length, function (child, index, length) {
          if (isLine(child)) {
            lines.push(child);
          } else if (child instanceof _parchment2.default.Container) {
            lines = lines.concat(getLines(child, index, lengthLeft));
          }
          lengthLeft -= length;
        });
        return lines;
      };
      return getLines(this, index, length);
    }
  }, {
    key: 'optimize',
    value: function optimize() {
      var mutations = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : [];
      var context = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};

      if (this.batch === true) return;
      _get(Scroll.prototype.__proto__ || Object.getPrototypeOf(Scroll.prototype), 'optimize', this).call(this, mutations, context);
      if (mutations.length &gt; 0) {
        this.emitter.emit(_emitter2.default.events.SCROLL_OPTIMIZE, mutations, context);
      }
    }
  }, {
    key: 'path',
    value: function path(index) {
      return _get(Scroll.prototype.__proto__ || Object.getPrototypeOf(Scroll.prototype), 'path', this).call(this, index).slice(1); // Exclude self
    }
  }, {
    key: 'update',
    value: function update(mutations) {
      if (this.batch === true) return;
      var source = _emitter2.default.sources.USER;
      if (typeof mutations === 'string') {
        source = mutations;
      }
      if (!Array.isArray(mutations)) {
        mutations = this.observer.takeRecords();
      }
      if (mutations.length &gt; 0) {
        this.emitter.emit(_emitter2.default.events.SCROLL_BEFORE_UPDATE, source, mutations);
      }
      _get(Scroll.prototype.__proto__ || Object.getPrototypeOf(Scroll.prototype), 'update', this).call(this, mutations.concat([])); // pass copy
      if (mutations.length &gt; 0) {
        this.emitter.emit(_emitter2.default.events.SCROLL_UPDATE, source, mutations);
      }
    }
  }]);

  return Scroll;
}(_parchment2.default.Scroll);

Scroll.blotName = 'scroll';
Scroll.className = 'ql-editor';
Scroll.tagName = 'DIV';
Scroll.defaultChild = 'block';
Scroll.allowedChildren = [_block2.default, _block.BlockEmbed, _container2.default];

exports.default = Scroll;

/***/ }),
/* 23 */
/***/ (function(module, exports, __nested_webpack_require_157111__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.SHORTKEY = exports.default = undefined;

var _typeof = typeof Symbol === "function" &amp;&amp; typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj &amp;&amp; typeof Symbol === "function" &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj; };

var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _clone = __nested_webpack_require_157111__(21);

var _clone2 = _interopRequireDefault(_clone);

var _deepEqual = __nested_webpack_require_157111__(11);

var _deepEqual2 = _interopRequireDefault(_deepEqual);

var _extend = __nested_webpack_require_157111__(3);

var _extend2 = _interopRequireDefault(_extend);

var _quillDelta = __nested_webpack_require_157111__(2);

var _quillDelta2 = _interopRequireDefault(_quillDelta);

var _op = __nested_webpack_require_157111__(20);

var _op2 = _interopRequireDefault(_op);

var _parchment = __nested_webpack_require_157111__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _quill = __nested_webpack_require_157111__(5);

var _quill2 = _interopRequireDefault(_quill);

var _logger = __nested_webpack_require_157111__(10);

var _logger2 = _interopRequireDefault(_logger);

var _module = __nested_webpack_require_157111__(9);

var _module2 = _interopRequireDefault(_module);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var debug = (0, _logger2.default)('quill:keyboard');

var SHORTKEY = /Mac/i.test(navigator.platform) ? 'metaKey' : 'ctrlKey';

var Keyboard = function (_Module) {
  _inherits(Keyboard, _Module);

  _createClass(Keyboard, null, [{
    key: 'match',
    value: function match(evt, binding) {
      binding = normalize(binding);
      if (['altKey', 'ctrlKey', 'metaKey', 'shiftKey'].some(function (key) {
        return !!binding[key] !== evt[key] &amp;&amp; binding[key] !== null;
      })) {
        return false;
      }
      return binding.key === (evt.which || evt.keyCode);
    }
  }]);

  function Keyboard(quill, options) {
    _classCallCheck(this, Keyboard);

    var _this = _possibleConstructorReturn(this, (Keyboard.__proto__ || Object.getPrototypeOf(Keyboard)).call(this, quill, options));

    _this.bindings = {};
    Object.keys(_this.options.bindings).forEach(function (name) {
      if (name === 'list autofill' &amp;&amp; quill.scroll.whitelist != null &amp;&amp; !quill.scroll.whitelist['list']) {
        return;
      }
      if (_this.options.bindings[name]) {
        _this.addBinding(_this.options.bindings[name]);
      }
    });
    _this.addBinding({ key: Keyboard.keys.ENTER, shiftKey: null }, handleEnter);
    _this.addBinding({ key: Keyboard.keys.ENTER, metaKey: null, ctrlKey: null, altKey: null }, function () {});
    if (/Firefox/i.test(navigator.userAgent)) {
      // Need to handle delete and backspace for Firefox in the general case #1171
      _this.addBinding({ key: Keyboard.keys.BACKSPACE }, { collapsed: true }, handleBackspace);
      _this.addBinding({ key: Keyboard.keys.DELETE }, { collapsed: true }, handleDelete);
    } else {
      _this.addBinding({ key: Keyboard.keys.BACKSPACE }, { collapsed: true, prefix: /^.?$/ }, handleBackspace);
      _this.addBinding({ key: Keyboard.keys.DELETE }, { collapsed: true, suffix: /^.?$/ }, handleDelete);
    }
    _this.addBinding({ key: Keyboard.keys.BACKSPACE }, { collapsed: false }, handleDeleteRange);
    _this.addBinding({ key: Keyboard.keys.DELETE }, { collapsed: false }, handleDeleteRange);
    _this.addBinding({ key: Keyboard.keys.BACKSPACE, altKey: null, ctrlKey: null, metaKey: null, shiftKey: null }, { collapsed: true, offset: 0 }, handleBackspace);
    _this.listen();
    return _this;
  }

  _createClass(Keyboard, [{
    key: 'addBinding',
    value: function addBinding(key) {
      var context = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : {};
      var handler = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : {};

      var binding = normalize(key);
      if (binding == null || binding.key == null) {
        return debug.warn('Attempted to add invalid keyboard binding', binding);
      }
      if (typeof context === 'function') {
        context = { handler: context };
      }
      if (typeof handler === 'function') {
        handler = { handler: handler };
      }
      binding = (0, _extend2.default)(binding, context, handler);
      this.bindings[binding.key] = this.bindings[binding.key] || [];
      this.bindings[binding.key].push(binding);
    }
  }, {
    key: 'listen',
    value: function listen() {
      var _this2 = this;

      this.quill.root.addEventListener('keydown', function (evt) {
        if (evt.defaultPrevented) return;
        var which = evt.which || evt.keyCode;
        var bindings = (_this2.bindings[which] || []).filter(function (binding) {
          return Keyboard.match(evt, binding);
        });
        if (bindings.length === 0) return;
        var range = _this2.quill.getSelection();
        if (range == null || !_this2.quill.hasFocus()) return;

        var _quill$getLine = _this2.quill.getLine(range.index),
            _quill$getLine2 = _slicedToArray(_quill$getLine, 2),
            line = _quill$getLine2[0],
            offset = _quill$getLine2[1];

        var _quill$getLeaf = _this2.quill.getLeaf(range.index),
            _quill$getLeaf2 = _slicedToArray(_quill$getLeaf, 2),
            leafStart = _quill$getLeaf2[0],
            offsetStart = _quill$getLeaf2[1];

        var _ref = range.length === 0 ? [leafStart, offsetStart] : _this2.quill.getLeaf(range.index + range.length),
            _ref2 = _slicedToArray(_ref, 2),
            leafEnd = _ref2[0],
            offsetEnd = _ref2[1];

        var prefixText = leafStart instanceof _parchment2.default.Text ? leafStart.value().slice(0, offsetStart) : '';
        var suffixText = leafEnd instanceof _parchment2.default.Text ? leafEnd.value().slice(offsetEnd) : '';
        var curContext = {
          collapsed: range.length === 0,
          empty: range.length === 0 &amp;&amp; line.length() &lt;= 1,
          format: _this2.quill.getFormat(range),
          offset: offset,
          prefix: prefixText,
          suffix: suffixText
        };
        var prevented = bindings.some(function (binding) {
          if (binding.collapsed != null &amp;&amp; binding.collapsed !== curContext.collapsed) return false;
          if (binding.empty != null &amp;&amp; binding.empty !== curContext.empty) return false;
          if (binding.offset != null &amp;&amp; binding.offset !== curContext.offset) return false;
          if (Array.isArray(binding.format)) {
            // any format is present
            if (binding.format.every(function (name) {
              return curContext.format[name] == null;
            })) {
              return false;
            }
          } else if (_typeof(binding.format) === 'object') {
            // all formats must match
            if (!Object.keys(binding.format).every(function (name) {
              if (binding.format[name] === true) return curContext.format[name] != null;
              if (binding.format[name] === false) return curContext.format[name] == null;
              return (0, _deepEqual2.default)(binding.format[name], curContext.format[name]);
            })) {
              return false;
            }
          }
          if (binding.prefix != null &amp;&amp; !binding.prefix.test(curContext.prefix)) return false;
          if (binding.suffix != null &amp;&amp; !binding.suffix.test(curContext.suffix)) return false;
          return binding.handler.call(_this2, range, curContext) !== true;
        });
        if (prevented) {
          evt.preventDefault();
        }
      });
    }
  }]);

  return Keyboard;
}(_module2.default);

Keyboard.keys = {
  BACKSPACE: 8,
  TAB: 9,
  ENTER: 13,
  ESCAPE: 27,
  LEFT: 37,
  UP: 38,
  RIGHT: 39,
  DOWN: 40,
  DELETE: 46
};

Keyboard.DEFAULTS = {
  bindings: {
    'bold': makeFormatHandler('bold'),
    'italic': makeFormatHandler('italic'),
    'underline': makeFormatHandler('underline'),
    'indent': {
      // highlight tab or tab at beginning of list, indent or blockquote
      key: Keyboard.keys.TAB,
      format: ['blockquote', 'indent', 'list'],
      handler: function handler(range, context) {
        if (context.collapsed &amp;&amp; context.offset !== 0) return true;
        this.quill.format('indent', '+1', _quill2.default.sources.USER);
      }
    },
    'outdent': {
      key: Keyboard.keys.TAB,
      shiftKey: true,
      format: ['blockquote', 'indent', 'list'],
      // highlight tab or tab at beginning of list, indent or blockquote
      handler: function handler(range, context) {
        if (context.collapsed &amp;&amp; context.offset !== 0) return true;
        this.quill.format('indent', '-1', _quill2.default.sources.USER);
      }
    },
    'outdent backspace': {
      key: Keyboard.keys.BACKSPACE,
      collapsed: true,
      shiftKey: null,
      metaKey: null,
      ctrlKey: null,
      altKey: null,
      format: ['indent', 'list'],
      offset: 0,
      handler: function handler(range, context) {
        if (context.format.indent != null) {
          this.quill.format('indent', '-1', _quill2.default.sources.USER);
        } else if (context.format.list != null) {
          this.quill.format('list', false, _quill2.default.sources.USER);
        }
      }
    },
    'indent code-block': makeCodeBlockHandler(true),
    'outdent code-block': makeCodeBlockHandler(false),
    'remove tab': {
      key: Keyboard.keys.TAB,
      shiftKey: true,
      collapsed: true,
      prefix: /\t$/,
      handler: function handler(range) {
        this.quill.deleteText(range.index - 1, 1, _quill2.default.sources.USER);
      }
    },
    'tab': {
      key: Keyboard.keys.TAB,
      handler: function handler(range) {
        this.quill.history.cutoff();
        var delta = new _quillDelta2.default().retain(range.index).delete(range.length).insert('\t');
        this.quill.updateContents(delta, _quill2.default.sources.USER);
        this.quill.history.cutoff();
        this.quill.setSelection(range.index + 1, _quill2.default.sources.SILENT);
      }
    },
    'list empty enter': {
      key: Keyboard.keys.ENTER,
      collapsed: true,
      format: ['list'],
      empty: true,
      handler: function handler(range, context) {
        this.quill.format('list', false, _quill2.default.sources.USER);
        if (context.format.indent) {
          this.quill.format('indent', false, _quill2.default.sources.USER);
        }
      }
    },
    'checklist enter': {
      key: Keyboard.keys.ENTER,
      collapsed: true,
      format: { list: 'checked' },
      handler: function handler(range) {
        var _quill$getLine3 = this.quill.getLine(range.index),
            _quill$getLine4 = _slicedToArray(_quill$getLine3, 2),
            line = _quill$getLine4[0],
            offset = _quill$getLine4[1];

        var formats = (0, _extend2.default)({}, line.formats(), { list: 'checked' });
        var delta = new _quillDelta2.default().retain(range.index).insert('\n', formats).retain(line.length() - offset - 1).retain(1, { list: 'unchecked' });
        this.quill.updateContents(delta, _quill2.default.sources.USER);
        this.quill.setSelection(range.index + 1, _quill2.default.sources.SILENT);
        this.quill.scrollIntoView();
      }
    },
    'header enter': {
      key: Keyboard.keys.ENTER,
      collapsed: true,
      format: ['header'],
      suffix: /^$/,
      handler: function handler(range, context) {
        var _quill$getLine5 = this.quill.getLine(range.index),
            _quill$getLine6 = _slicedToArray(_quill$getLine5, 2),
            line = _quill$getLine6[0],
            offset = _quill$getLine6[1];

        var delta = new _quillDelta2.default().retain(range.index).insert('\n', context.format).retain(line.length() - offset - 1).retain(1, { header: null });
        this.quill.updateContents(delta, _quill2.default.sources.USER);
        this.quill.setSelection(range.index + 1, _quill2.default.sources.SILENT);
        this.quill.scrollIntoView();
      }
    },
    'list autofill': {
      key: ' ',
      collapsed: true,
      format: { list: false },
      prefix: /^\s*?(\d+\.|-|\*|\[ ?\]|\[x\])$/,
      handler: function handler(range, context) {
        var length = context.prefix.length;

        var _quill$getLine7 = this.quill.getLine(range.index),
            _quill$getLine8 = _slicedToArray(_quill$getLine7, 2),
            line = _quill$getLine8[0],
            offset = _quill$getLine8[1];

        if (offset &gt; length) return true;
        var value = void 0;
        switch (context.prefix.trim()) {
          case '[]':case '[ ]':
            value = 'unchecked';
            break;
          case '[x]':
            value = 'checked';
            break;
          case '-':case '*':
            value = 'bullet';
            break;
          default:
            value = 'ordered';
        }
        this.quill.insertText(range.index, ' ', _quill2.default.sources.USER);
        this.quill.history.cutoff();
        var delta = new _quillDelta2.default().retain(range.index - offset).delete(length + 1).retain(line.length() - 2 - offset).retain(1, { list: value });
        this.quill.updateContents(delta, _quill2.default.sources.USER);
        this.quill.history.cutoff();
        this.quill.setSelection(range.index - length, _quill2.default.sources.SILENT);
      }
    },
    'code exit': {
      key: Keyboard.keys.ENTER,
      collapsed: true,
      format: ['code-block'],
      prefix: /\n\n$/,
      suffix: /^\s+$/,
      handler: function handler(range) {
        var _quill$getLine9 = this.quill.getLine(range.index),
            _quill$getLine10 = _slicedToArray(_quill$getLine9, 2),
            line = _quill$getLine10[0],
            offset = _quill$getLine10[1];

        var delta = new _quillDelta2.default().retain(range.index + line.length() - offset - 2).retain(1, { 'code-block': null }).delete(1);
        this.quill.updateContents(delta, _quill2.default.sources.USER);
      }
    },
    'embed left': makeEmbedArrowHandler(Keyboard.keys.LEFT, false),
    'embed left shift': makeEmbedArrowHandler(Keyboard.keys.LEFT, true),
    'embed right': makeEmbedArrowHandler(Keyboard.keys.RIGHT, false),
    'embed right shift': makeEmbedArrowHandler(Keyboard.keys.RIGHT, true)
  }
};

function makeEmbedArrowHandler(key, shiftKey) {
  var _ref3;

  var where = key === Keyboard.keys.LEFT ? 'prefix' : 'suffix';
  return _ref3 = {
    key: key,
    shiftKey: shiftKey,
    altKey: null
  }, _defineProperty(_ref3, where, /^$/), _defineProperty(_ref3, 'handler', function handler(range) {
    var index = range.index;
    if (key === Keyboard.keys.RIGHT) {
      index += range.length + 1;
    }

    var _quill$getLeaf3 = this.quill.getLeaf(index),
        _quill$getLeaf4 = _slicedToArray(_quill$getLeaf3, 1),
        leaf = _quill$getLeaf4[0];

    if (!(leaf instanceof _parchment2.default.Embed)) return true;
    if (key === Keyboard.keys.LEFT) {
      if (shiftKey) {
        this.quill.setSelection(range.index - 1, range.length + 1, _quill2.default.sources.USER);
      } else {
        this.quill.setSelection(range.index - 1, _quill2.default.sources.USER);
      }
    } else {
      if (shiftKey) {
        this.quill.setSelection(range.index, range.length + 1, _quill2.default.sources.USER);
      } else {
        this.quill.setSelection(range.index + range.length + 1, _quill2.default.sources.USER);
      }
    }
    return false;
  }), _ref3;
}

function handleBackspace(range, context) {
  if (range.index === 0 || this.quill.getLength() &lt;= 1) return;

  var _quill$getLine11 = this.quill.getLine(range.index),
      _quill$getLine12 = _slicedToArray(_quill$getLine11, 1),
      line = _quill$getLine12[0];

  var formats = {};
  if (context.offset === 0) {
    var _quill$getLine13 = this.quill.getLine(range.index - 1),
        _quill$getLine14 = _slicedToArray(_quill$getLine13, 1),
        prev = _quill$getLine14[0];

    if (prev != null &amp;&amp; prev.length() &gt; 1) {
      var curFormats = line.formats();
      var prevFormats = this.quill.getFormat(range.index - 1, 1);
      formats = _op2.default.attributes.diff(curFormats, prevFormats) || {};
    }
  }
  // Check for astral symbols
  var length = /[\uD800-\uDBFF][\uDC00-\uDFFF]$/.test(context.prefix) ? 2 : 1;
  this.quill.deleteText(range.index - length, length, _quill2.default.sources.USER);
  if (Object.keys(formats).length &gt; 0) {
    this.quill.formatLine(range.index - length, length, formats, _quill2.default.sources.USER);
  }
  this.quill.focus();
}

function handleDelete(range, context) {
  // Check for astral symbols
  var length = /^[\uD800-\uDBFF][\uDC00-\uDFFF]/.test(context.suffix) ? 2 : 1;
  if (range.index &gt;= this.quill.getLength() - length) return;
  var formats = {},
      nextLength = 0;

  var _quill$getLine15 = this.quill.getLine(range.index),
      _quill$getLine16 = _slicedToArray(_quill$getLine15, 1),
      line = _quill$getLine16[0];

  if (context.offset &gt;= line.length() - 1) {
    var _quill$getLine17 = this.quill.getLine(range.index + 1),
        _quill$getLine18 = _slicedToArray(_quill$getLine17, 1),
        next = _quill$getLine18[0];

    if (next) {
      var curFormats = line.formats();
      var nextFormats = this.quill.getFormat(range.index, 1);
      formats = _op2.default.attributes.diff(curFormats, nextFormats) || {};
      nextLength = next.length();
    }
  }
  this.quill.deleteText(range.index, length, _quill2.default.sources.USER);
  if (Object.keys(formats).length &gt; 0) {
    this.quill.formatLine(range.index + nextLength - 1, length, formats, _quill2.default.sources.USER);
  }
}

function handleDeleteRange(range) {
  var lines = this.quill.getLines(range);
  var formats = {};
  if (lines.length &gt; 1) {
    var firstFormats = lines[0].formats();
    var lastFormats = lines[lines.length - 1].formats();
    formats = _op2.default.attributes.diff(lastFormats, firstFormats) || {};
  }
  this.quill.deleteText(range, _quill2.default.sources.USER);
  if (Object.keys(formats).length &gt; 0) {
    this.quill.formatLine(range.index, 1, formats, _quill2.default.sources.USER);
  }
  this.quill.setSelection(range.index, _quill2.default.sources.SILENT);
  this.quill.focus();
}

function handleEnter(range, context) {
  var _this3 = this;

  if (range.length &gt; 0) {
    this.quill.scroll.deleteAt(range.index, range.length); // So we do not trigger text-change
  }
  var lineFormats = Object.keys(context.format).reduce(function (lineFormats, format) {
    if (_parchment2.default.query(format, _parchment2.default.Scope.BLOCK) &amp;&amp; !Array.isArray(context.format[format])) {
      lineFormats[format] = context.format[format];
    }
    return lineFormats;
  }, {});
  this.quill.insertText(range.index, '\n', lineFormats, _quill2.default.sources.USER);
  // Earlier scroll.deleteAt might have messed up our selection,
  // so insertText's built in selection preservation is not reliable
  this.quill.setSelection(range.index + 1, _quill2.default.sources.SILENT);
  this.quill.focus();
  Object.keys(context.format).forEach(function (name) {
    if (lineFormats[name] != null) return;
    if (Array.isArray(context.format[name])) return;
    if (name === 'link') return;
    _this3.quill.format(name, context.format[name], _quill2.default.sources.USER);
  });
}

function makeCodeBlockHandler(indent) {
  return {
    key: Keyboard.keys.TAB,
    shiftKey: !indent,
    format: { 'code-block': true },
    handler: function handler(range) {
      var CodeBlock = _parchment2.default.query('code-block');
      var index = range.index,
          length = range.length;

      var _quill$scroll$descend = this.quill.scroll.descendant(CodeBlock, index),
          _quill$scroll$descend2 = _slicedToArray(_quill$scroll$descend, 2),
          block = _quill$scroll$descend2[0],
          offset = _quill$scroll$descend2[1];

      if (block == null) return;
      var scrollIndex = this.quill.getIndex(block);
      var start = block.newlineIndex(offset, true) + 1;
      var end = block.newlineIndex(scrollIndex + offset + length);
      var lines = block.domNode.textContent.slice(start, end).split('\n');
      offset = 0;
      lines.forEach(function (line, i) {
        if (indent) {
          block.insertAt(start + offset, CodeBlock.TAB);
          offset += CodeBlock.TAB.length;
          if (i === 0) {
            index += CodeBlock.TAB.length;
          } else {
            length += CodeBlock.TAB.length;
          }
        } else if (line.startsWith(CodeBlock.TAB)) {
          block.deleteAt(start + offset, CodeBlock.TAB.length);
          offset -= CodeBlock.TAB.length;
          if (i === 0) {
            index -= CodeBlock.TAB.length;
          } else {
            length -= CodeBlock.TAB.length;
          }
        }
        offset += line.length + 1;
      });
      this.quill.update(_quill2.default.sources.USER);
      this.quill.setSelection(index, length, _quill2.default.sources.SILENT);
    }
  };
}

function makeFormatHandler(format) {
  return {
    key: format[0].toUpperCase(),
    shortKey: true,
    handler: function handler(range, context) {
      this.quill.format(format, !context.format[format], _quill2.default.sources.USER);
    }
  };
}

function normalize(binding) {
  if (typeof binding === 'string' || typeof binding === 'number') {
    return normalize({ key: binding });
  }
  if ((typeof binding === 'undefined' ? 'undefined' : _typeof(binding)) === 'object') {
    binding = (0, _clone2.default)(binding, false);
  }
  if (typeof binding.key === 'string') {
    if (Keyboard.keys[binding.key.toUpperCase()] != null) {
      binding.key = Keyboard.keys[binding.key.toUpperCase()];
    } else if (binding.key.length === 1) {
      binding.key = binding.key.toUpperCase().charCodeAt(0);
    } else {
      return null;
    }
  }
  if (binding.shortKey) {
    binding[SHORTKEY] = binding.shortKey;
    delete binding.shortKey;
  }
  return binding;
}

exports.default = Keyboard;
exports.SHORTKEY = SHORTKEY;

/***/ }),
/* 24 */
/***/ (function(module, exports, __nested_webpack_require_181454__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _parchment = __nested_webpack_require_181454__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _text = __nested_webpack_require_181454__(7);

var _text2 = _interopRequireDefault(_text);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Cursor = function (_Parchment$Embed) {
  _inherits(Cursor, _Parchment$Embed);

  _createClass(Cursor, null, [{
    key: 'value',
    value: function value() {
      return undefined;
    }
  }]);

  function Cursor(domNode, selection) {
    _classCallCheck(this, Cursor);

    var _this = _possibleConstructorReturn(this, (Cursor.__proto__ || Object.getPrototypeOf(Cursor)).call(this, domNode));

    _this.selection = selection;
    _this.textNode = document.createTextNode(Cursor.CONTENTS);
    _this.domNode.appendChild(_this.textNode);
    _this._length = 0;
    return _this;
  }

  _createClass(Cursor, [{
    key: 'detach',
    value: function detach() {
      // super.detach() will also clear domNode.__blot
      if (this.parent != null) this.parent.removeChild(this);
    }
  }, {
    key: 'format',
    value: function format(name, value) {
      if (this._length !== 0) {
        return _get(Cursor.prototype.__proto__ || Object.getPrototypeOf(Cursor.prototype), 'format', this).call(this, name, value);
      }
      var target = this,
          index = 0;
      while (target != null &amp;&amp; target.statics.scope !== _parchment2.default.Scope.BLOCK_BLOT) {
        index += target.offset(target.parent);
        target = target.parent;
      }
      if (target != null) {
        this._length = Cursor.CONTENTS.length;
        target.optimize();
        target.formatAt(index, Cursor.CONTENTS.length, name, value);
        this._length = 0;
      }
    }
  }, {
    key: 'index',
    value: function index(node, offset) {
      if (node === this.textNode) return 0;
      return _get(Cursor.prototype.__proto__ || Object.getPrototypeOf(Cursor.prototype), 'index', this).call(this, node, offset);
    }
  }, {
    key: 'length',
    value: function length() {
      return this._length;
    }
  }, {
    key: 'position',
    value: function position() {
      return [this.textNode, this.textNode.data.length];
    }
  }, {
    key: 'remove',
    value: function remove() {
      _get(Cursor.prototype.__proto__ || Object.getPrototypeOf(Cursor.prototype), 'remove', this).call(this);
      this.parent = null;
    }
  }, {
    key: 'restore',
    value: function restore() {
      if (this.selection.composing || this.parent == null) return;
      var textNode = this.textNode;
      var range = this.selection.getNativeRange();
      var restoreText = void 0,
          start = void 0,
          end = void 0;
      if (range != null &amp;&amp; range.start.node === textNode &amp;&amp; range.end.node === textNode) {
        var _ref = [textNode, range.start.offset, range.end.offset];
        restoreText = _ref[0];
        start = _ref[1];
        end = _ref[2];
      }
      // Link format will insert text outside of anchor tag
      while (this.domNode.lastChild != null &amp;&amp; this.domNode.lastChild !== this.textNode) {
        this.domNode.parentNode.insertBefore(this.domNode.lastChild, this.domNode);
      }
      if (this.textNode.data !== Cursor.CONTENTS) {
        var text = this.textNode.data.split(Cursor.CONTENTS).join('');
        if (this.next instanceof _text2.default) {
          restoreText = this.next.domNode;
          this.next.insertAt(0, text);
          this.textNode.data = Cursor.CONTENTS;
        } else {
          this.textNode.data = text;
          this.parent.insertBefore(_parchment2.default.create(this.textNode), this);
          this.textNode = document.createTextNode(Cursor.CONTENTS);
          this.domNode.appendChild(this.textNode);
        }
      }
      this.remove();
      if (start != null) {
        var _map = [start, end].map(function (offset) {
          return Math.max(0, Math.min(restoreText.data.length, offset - 1));
        });

        var _map2 = _slicedToArray(_map, 2);

        start = _map2[0];
        end = _map2[1];

        return {
          startNode: restoreText,
          startOffset: start,
          endNode: restoreText,
          endOffset: end
        };
      }
    }
  }, {
    key: 'update',
    value: function update(mutations, context) {
      var _this2 = this;

      if (mutations.some(function (mutation) {
        return mutation.type === 'characterData' &amp;&amp; mutation.target === _this2.textNode;
      })) {
        var range = this.restore();
        if (range) context.range = range;
      }
    }
  }, {
    key: 'value',
    value: function value() {
      return '';
    }
  }]);

  return Cursor;
}(_parchment2.default.Embed);

Cursor.blotName = 'cursor';
Cursor.className = 'ql-cursor';
Cursor.tagName = 'span';
Cursor.CONTENTS = '\uFEFF'; // Zero width no break space


exports.default = Cursor;

/***/ }),
/* 25 */
/***/ (function(module, exports, __nested_webpack_require_189100__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _parchment = __nested_webpack_require_189100__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _block = __nested_webpack_require_189100__(4);

var _block2 = _interopRequireDefault(_block);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Container = function (_Parchment$Container) {
  _inherits(Container, _Parchment$Container);

  function Container() {
    _classCallCheck(this, Container);

    return _possibleConstructorReturn(this, (Container.__proto__ || Object.getPrototypeOf(Container)).apply(this, arguments));
  }

  return Container;
}(_parchment2.default.Container);

Container.allowedChildren = [_block2.default, _block.BlockEmbed, Container];

exports.default = Container;

/***/ }),
/* 26 */
/***/ (function(module, exports, __nested_webpack_require_190886__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.ColorStyle = exports.ColorClass = exports.ColorAttributor = undefined;

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _parchment = __nested_webpack_require_190886__(0);

var _parchment2 = _interopRequireDefault(_parchment);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var ColorAttributor = function (_Parchment$Attributor) {
  _inherits(ColorAttributor, _Parchment$Attributor);

  function ColorAttributor() {
    _classCallCheck(this, ColorAttributor);

    return _possibleConstructorReturn(this, (ColorAttributor.__proto__ || Object.getPrototypeOf(ColorAttributor)).apply(this, arguments));
  }

  _createClass(ColorAttributor, [{
    key: 'value',
    value: function value(domNode) {
      var value = _get(ColorAttributor.prototype.__proto__ || Object.getPrototypeOf(ColorAttributor.prototype), 'value', this).call(this, domNode);
      if (!value.startsWith('rgb(')) return value;
      value = value.replace(/^[^\d]+/, '').replace(/[^\d]+$/, '');
      return '#' + value.split(',').map(function (component) {
        return ('00' + parseInt(component).toString(16)).slice(-2);
      }).join('');
    }
  }]);

  return ColorAttributor;
}(_parchment2.default.Attributor.Style);

var ColorClass = new _parchment2.default.Attributor.Class('color', 'ql-color', {
  scope: _parchment2.default.Scope.INLINE
});
var ColorStyle = new ColorAttributor('color', 'color', {
  scope: _parchment2.default.Scope.INLINE
});

exports.ColorAttributor = ColorAttributor;
exports.ColorClass = ColorClass;
exports.ColorStyle = ColorStyle;

/***/ }),
/* 27 */
/***/ (function(module, exports, __nested_webpack_require_194529__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.sanitize = exports.default = undefined;

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _inline = __nested_webpack_require_194529__(6);

var _inline2 = _interopRequireDefault(_inline);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Link = function (_Inline) {
  _inherits(Link, _Inline);

  function Link() {
    _classCallCheck(this, Link);

    return _possibleConstructorReturn(this, (Link.__proto__ || Object.getPrototypeOf(Link)).apply(this, arguments));
  }

  _createClass(Link, [{
    key: 'format',
    value: function format(name, value) {
      if (name !== this.statics.blotName || !value) return _get(Link.prototype.__proto__ || Object.getPrototypeOf(Link.prototype), 'format', this).call(this, name, value);
      value = this.constructor.sanitize(value);
      this.domNode.setAttribute('href', value);
    }
  }], [{
    key: 'create',
    value: function create(value) {
      var node = _get(Link.__proto__ || Object.getPrototypeOf(Link), 'create', this).call(this, value);
      value = this.sanitize(value);
      node.setAttribute('href', value);
      node.setAttribute('rel', 'noopener noreferrer');
      node.setAttribute('target', '_blank');
      return node;
    }
  }, {
    key: 'formats',
    value: function formats(domNode) {
      return domNode.getAttribute('href');
    }
  }, {
    key: 'sanitize',
    value: function sanitize(url) {
      return _sanitize(url, this.PROTOCOL_WHITELIST) ? url : this.SANITIZED_URL;
    }
  }]);

  return Link;
}(_inline2.default);

Link.blotName = 'link';
Link.tagName = 'A';
Link.SANITIZED_URL = 'about:blank';
Link.PROTOCOL_WHITELIST = ['http', 'https', 'mailto', 'tel'];

function _sanitize(url, protocols) {
  var anchor = document.createElement('a');
  anchor.href = url;
  var protocol = anchor.href.slice(0, anchor.href.indexOf(':'));
  return protocols.indexOf(protocol) &gt; -1;
}

exports.default = Link;
exports.sanitize = _sanitize;

/***/ }),
/* 28 */
/***/ (function(module, exports, __nested_webpack_require_198559__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _typeof = typeof Symbol === "function" &amp;&amp; typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj &amp;&amp; typeof Symbol === "function" &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj; };

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _keyboard = __nested_webpack_require_198559__(23);

var _keyboard2 = _interopRequireDefault(_keyboard);

var _dropdown = __nested_webpack_require_198559__(107);

var _dropdown2 = _interopRequireDefault(_dropdown);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

var optionsCounter = 0;

function toggleAriaAttribute(element, attribute) {
  element.setAttribute(attribute, !(element.getAttribute(attribute) === 'true'));
}

var Picker = function () {
  function Picker(select) {
    var _this = this;

    _classCallCheck(this, Picker);

    this.select = select;
    this.container = document.createElement('span');
    this.buildPicker();
    this.select.style.display = 'none';
    this.select.parentNode.insertBefore(this.container, this.select);

    this.label.addEventListener('mousedown', function () {
      _this.togglePicker();
    });
    this.label.addEventListener('keydown', function (event) {
      switch (event.keyCode) {
        // Allows the "Enter" key to open the picker
        case _keyboard2.default.keys.ENTER:
          _this.togglePicker();
          break;

        // Allows the "Escape" key to close the picker
        case _keyboard2.default.keys.ESCAPE:
          _this.escape();
          event.preventDefault();
          break;
        default:
      }
    });
    this.select.addEventListener('change', this.update.bind(this));
  }

  _createClass(Picker, [{
    key: 'togglePicker',
    value: function togglePicker() {
      this.container.classList.toggle('ql-expanded');
      // Toggle aria-expanded and aria-hidden to make the picker accessible
      toggleAriaAttribute(this.label, 'aria-expanded');
      toggleAriaAttribute(this.options, 'aria-hidden');
    }
  }, {
    key: 'buildItem',
    value: function buildItem(option) {
      var _this2 = this;

      var item = document.createElement('span');
      item.tabIndex = '0';
      item.setAttribute('role', 'button');

      item.classList.add('ql-picker-item');
      if (option.hasAttribute('value')) {
        item.setAttribute('data-value', option.getAttribute('value'));
      }
      if (option.textContent) {
        item.setAttribute('data-label', option.textContent);
      }
      item.addEventListener('click', function () {
        _this2.selectItem(item, true);
      });
      item.addEventListener('keydown', function (event) {
        switch (event.keyCode) {
          // Allows the "Enter" key to select an item
          case _keyboard2.default.keys.ENTER:
            _this2.selectItem(item, true);
            event.preventDefault();
            break;

          // Allows the "Escape" key to close the picker
          case _keyboard2.default.keys.ESCAPE:
            _this2.escape();
            event.preventDefault();
            break;
          default:
        }
      });

      return item;
    }
  }, {
    key: 'buildLabel',
    value: function buildLabel() {
      var label = document.createElement('span');
      label.classList.add('ql-picker-label');
      label.innerHTML = _dropdown2.default;
      label.tabIndex = '0';
      label.setAttribute('role', 'button');
      label.setAttribute('aria-expanded', 'false');
      this.container.appendChild(label);
      return label;
    }
  }, {
    key: 'buildOptions',
    value: function buildOptions() {
      var _this3 = this;

      var options = document.createElement('span');
      options.classList.add('ql-picker-options');

      // Don't want screen readers to read this until options are visible
      options.setAttribute('aria-hidden', 'true');
      options.tabIndex = '-1';

      // Need a unique id for aria-controls
      options.id = 'ql-picker-options-' + optionsCounter;
      optionsCounter += 1;
      this.label.setAttribute('aria-controls', options.id);

      this.options = options;

      [].slice.call(this.select.options).forEach(function (option) {
        var item = _this3.buildItem(option);
        options.appendChild(item);
        if (option.selected === true) {
          _this3.selectItem(item);
        }
      });
      this.container.appendChild(options);
    }
  }, {
    key: 'buildPicker',
    value: function buildPicker() {
      var _this4 = this;

      [].slice.call(this.select.attributes).forEach(function (item) {
        _this4.container.setAttribute(item.name, item.value);
      });
      this.container.classList.add('ql-picker');
      this.label = this.buildLabel();
      this.buildOptions();
    }
  }, {
    key: 'escape',
    value: function escape() {
      var _this5 = this;

      // Close menu and return focus to trigger label
      this.close();
      // Need setTimeout for accessibility to ensure that the browser executes
      // focus on the next process thread and after any DOM content changes
      setTimeout(function () {
        return _this5.label.focus();
      }, 1);
    }
  }, {
    key: 'close',
    value: function close() {
      this.container.classList.remove('ql-expanded');
      this.label.setAttribute('aria-expanded', 'false');
      this.options.setAttribute('aria-hidden', 'true');
    }
  }, {
    key: 'selectItem',
    value: function selectItem(item) {
      var trigger = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : false;

      var selected = this.container.querySelector('.ql-selected');
      if (item === selected) return;
      if (selected != null) {
        selected.classList.remove('ql-selected');
      }
      if (item == null) return;
      item.classList.add('ql-selected');
      this.select.selectedIndex = [].indexOf.call(item.parentNode.children, item);
      if (item.hasAttribute('data-value')) {
        this.label.setAttribute('data-value', item.getAttribute('data-value'));
      } else {
        this.label.removeAttribute('data-value');
      }
      if (item.hasAttribute('data-label')) {
        this.label.setAttribute('data-label', item.getAttribute('data-label'));
      } else {
        this.label.removeAttribute('data-label');
      }
      if (trigger) {
        if (typeof Event === 'function') {
          this.select.dispatchEvent(new Event('change'));
        } else if ((typeof Event === 'undefined' ? 'undefined' : _typeof(Event)) === 'object') {
          // IE11
          var event = document.createEvent('Event');
          event.initEvent('change', true, true);
          this.select.dispatchEvent(event);
        }
        this.close();
      }
    }
  }, {
    key: 'update',
    value: function update() {
      var option = void 0;
      if (this.select.selectedIndex &gt; -1) {
        var item = this.container.querySelector('.ql-picker-options').children[this.select.selectedIndex];
        option = this.select.options[this.select.selectedIndex];
        this.selectItem(item);
      } else {
        this.selectItem(null);
      }
      var isActive = option != null &amp;&amp; option !== this.select.querySelector('option[selected]');
      this.label.classList.toggle('ql-active', isActive);
    }
  }]);

  return Picker;
}();

exports.default = Picker;

/***/ }),
/* 29 */
/***/ (function(module, exports, __nested_webpack_require_206753__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _parchment = __nested_webpack_require_206753__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _quill = __nested_webpack_require_206753__(5);

var _quill2 = _interopRequireDefault(_quill);

var _block = __nested_webpack_require_206753__(4);

var _block2 = _interopRequireDefault(_block);

var _break = __nested_webpack_require_206753__(16);

var _break2 = _interopRequireDefault(_break);

var _container = __nested_webpack_require_206753__(25);

var _container2 = _interopRequireDefault(_container);

var _cursor = __nested_webpack_require_206753__(24);

var _cursor2 = _interopRequireDefault(_cursor);

var _embed = __nested_webpack_require_206753__(35);

var _embed2 = _interopRequireDefault(_embed);

var _inline = __nested_webpack_require_206753__(6);

var _inline2 = _interopRequireDefault(_inline);

var _scroll = __nested_webpack_require_206753__(22);

var _scroll2 = _interopRequireDefault(_scroll);

var _text = __nested_webpack_require_206753__(7);

var _text2 = _interopRequireDefault(_text);

var _clipboard = __nested_webpack_require_206753__(55);

var _clipboard2 = _interopRequireDefault(_clipboard);

var _history = __nested_webpack_require_206753__(42);

var _history2 = _interopRequireDefault(_history);

var _keyboard = __nested_webpack_require_206753__(23);

var _keyboard2 = _interopRequireDefault(_keyboard);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

_quill2.default.register({
  'blots/block': _block2.default,
  'blots/block/embed': _block.BlockEmbed,
  'blots/break': _break2.default,
  'blots/container': _container2.default,
  'blots/cursor': _cursor2.default,
  'blots/embed': _embed2.default,
  'blots/inline': _inline2.default,
  'blots/scroll': _scroll2.default,
  'blots/text': _text2.default,

  'modules/clipboard': _clipboard2.default,
  'modules/history': _history2.default,
  'modules/keyboard': _keyboard2.default
});

_parchment2.default.register(_block2.default, _break2.default, _cursor2.default, _inline2.default, _scroll2.default, _text2.default);

exports.default = _quill2.default;

/***/ }),
/* 30 */
/***/ (function(module, exports, __nested_webpack_require_208833__) {

"use strict";

Object.defineProperty(exports, "__esModule", { value: true });
var Registry = __nested_webpack_require_208833__(1);
var ShadowBlot = /** @class */ (function () {
    function ShadowBlot(domNode) {
        this.domNode = domNode;
        // @ts-ignore
        this.domNode[Registry.DATA_KEY] = { blot: this };
    }
    Object.defineProperty(ShadowBlot.prototype, "statics", {
        // Hack for accessing inherited static methods
        get: function () {
            return this.constructor;
        },
        enumerable: true,
        configurable: true
    });
    ShadowBlot.create = function (value) {
        if (this.tagName == null) {
            throw new Registry.ParchmentError('Blot definition missing tagName');
        }
        var node;
        if (Array.isArray(this.tagName)) {
            if (typeof value === 'string') {
                value = value.toUpperCase();
                if (parseInt(value).toString() === value) {
                    value = parseInt(value);
                }
            }
            if (typeof value === 'number') {
                node = document.createElement(this.tagName[value - 1]);
            }
            else if (this.tagName.indexOf(value) &gt; -1) {
                node = document.createElement(value);
            }
            else {
                node = document.createElement(this.tagName[0]);
            }
        }
        else {
            node = document.createElement(this.tagName);
        }
        if (this.className) {
            node.classList.add(this.className);
        }
        return node;
    };
    ShadowBlot.prototype.attach = function () {
        if (this.parent != null) {
            this.scroll = this.parent.scroll;
        }
    };
    ShadowBlot.prototype.clone = function () {
        var domNode = this.domNode.cloneNode(false);
        return Registry.create(domNode);
    };
    ShadowBlot.prototype.detach = function () {
        if (this.parent != null)
            this.parent.removeChild(this);
        // @ts-ignore
        delete this.domNode[Registry.DATA_KEY];
    };
    ShadowBlot.prototype.deleteAt = function (index, length) {
        var blot = this.isolate(index, length);
        blot.remove();
    };
    ShadowBlot.prototype.formatAt = function (index, length, name, value) {
        var blot = this.isolate(index, length);
        if (Registry.query(name, Registry.Scope.BLOT) != null &amp;&amp; value) {
            blot.wrap(name, value);
        }
        else if (Registry.query(name, Registry.Scope.ATTRIBUTE) != null) {
            var parent = Registry.create(this.statics.scope);
            blot.wrap(parent);
            parent.format(name, value);
        }
    };
    ShadowBlot.prototype.insertAt = function (index, value, def) {
        var blot = def == null ? Registry.create('text', value) : Registry.create(value, def);
        var ref = this.split(index);
        this.parent.insertBefore(blot, ref);
    };
    ShadowBlot.prototype.insertInto = function (parentBlot, refBlot) {
        if (refBlot === void 0) { refBlot = null; }
        if (this.parent != null) {
            this.parent.children.remove(this);
        }
        var refDomNode = null;
        parentBlot.children.insertBefore(this, refBlot);
        if (refBlot != null) {
            refDomNode = refBlot.domNode;
        }
        if (this.domNode.parentNode != parentBlot.domNode ||
            this.domNode.nextSibling != refDomNode) {
            parentBlot.domNode.insertBefore(this.domNode, refDomNode);
        }
        this.parent = parentBlot;
        this.attach();
    };
    ShadowBlot.prototype.isolate = function (index, length) {
        var target = this.split(index);
        target.split(length);
        return target;
    };
    ShadowBlot.prototype.length = function () {
        return 1;
    };
    ShadowBlot.prototype.offset = function (root) {
        if (root === void 0) { root = this.parent; }
        if (this.parent == null || this == root)
            return 0;
        return this.parent.children.offset(this) + this.parent.offset(root);
    };
    ShadowBlot.prototype.optimize = function (context) {
        // TODO clean up once we use WeakMap
        // @ts-ignore
        if (this.domNode[Registry.DATA_KEY] != null) {
            // @ts-ignore
            delete this.domNode[Registry.DATA_KEY].mutations;
        }
    };
    ShadowBlot.prototype.remove = function () {
        if (this.domNode.parentNode != null) {
            this.domNode.parentNode.removeChild(this.domNode);
        }
        this.detach();
    };
    ShadowBlot.prototype.replace = function (target) {
        if (target.parent == null)
            return;
        target.parent.insertBefore(this, target.next);
        target.remove();
    };
    ShadowBlot.prototype.replaceWith = function (name, value) {
        var replacement = typeof name === 'string' ? Registry.create(name, value) : name;
        replacement.replace(this);
        return replacement;
    };
    ShadowBlot.prototype.split = function (index, force) {
        return index === 0 ? this : this.next;
    };
    ShadowBlot.prototype.update = function (mutations, context) {
        // Nothing to do by default
    };
    ShadowBlot.prototype.wrap = function (name, value) {
        var wrapper = typeof name === 'string' ? Registry.create(name, value) : name;
        if (this.parent != null) {
            this.parent.insertBefore(wrapper, this.next);
        }
        wrapper.appendChild(this);
        return wrapper;
    };
    ShadowBlot.blotName = 'abstract';
    return ShadowBlot;
}());
exports.default = ShadowBlot;


/***/ }),
/* 31 */
/***/ (function(module, exports, __nested_webpack_require_214530__) {

"use strict";

Object.defineProperty(exports, "__esModule", { value: true });
var attributor_1 = __nested_webpack_require_214530__(12);
var class_1 = __nested_webpack_require_214530__(32);
var style_1 = __nested_webpack_require_214530__(33);
var Registry = __nested_webpack_require_214530__(1);
var AttributorStore = /** @class */ (function () {
    function AttributorStore(domNode) {
        this.attributes = {};
        this.domNode = domNode;
        this.build();
    }
    AttributorStore.prototype.attribute = function (attribute, value) {
        // verb
        if (value) {
            if (attribute.add(this.domNode, value)) {
                if (attribute.value(this.domNode) != null) {
                    this.attributes[attribute.attrName] = attribute;
                }
                else {
                    delete this.attributes[attribute.attrName];
                }
            }
        }
        else {
            attribute.remove(this.domNode);
            delete this.attributes[attribute.attrName];
        }
    };
    AttributorStore.prototype.build = function () {
        var _this = this;
        this.attributes = {};
        var attributes = attributor_1.default.keys(this.domNode);
        var classes = class_1.default.keys(this.domNode);
        var styles = style_1.default.keys(this.domNode);
        attributes
            .concat(classes)
            .concat(styles)
            .forEach(function (name) {
            var attr = Registry.query(name, Registry.Scope.ATTRIBUTE);
            if (attr instanceof attributor_1.default) {
                _this.attributes[attr.attrName] = attr;
            }
        });
    };
    AttributorStore.prototype.copy = function (target) {
        var _this = this;
        Object.keys(this.attributes).forEach(function (key) {
            var value = _this.attributes[key].value(_this.domNode);
            target.format(key, value);
        });
    };
    AttributorStore.prototype.move = function (target) {
        var _this = this;
        this.copy(target);
        Object.keys(this.attributes).forEach(function (key) {
            _this.attributes[key].remove(_this.domNode);
        });
        this.attributes = {};
    };
    AttributorStore.prototype.values = function () {
        var _this = this;
        return Object.keys(this.attributes).reduce(function (attributes, name) {
            attributes[name] = _this.attributes[name].value(_this.domNode);
            return attributes;
        }, {});
    };
    return AttributorStore;
}());
exports.default = AttributorStore;


/***/ }),
/* 32 */
/***/ (function(module, exports, __nested_webpack_require_217128__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var attributor_1 = __nested_webpack_require_217128__(12);
function match(node, prefix) {
    var className = node.getAttribute('class') || '';
    return className.split(/\s+/).filter(function (name) {
        return name.indexOf(prefix + "-") === 0;
    });
}
var ClassAttributor = /** @class */ (function (_super) {
    __extends(ClassAttributor, _super);
    function ClassAttributor() {
        return _super !== null &amp;&amp; _super.apply(this, arguments) || this;
    }
    ClassAttributor.keys = function (node) {
        return (node.getAttribute('class') || '').split(/\s+/).map(function (name) {
            return name
                .split('-')
                .slice(0, -1)
                .join('-');
        });
    };
    ClassAttributor.prototype.add = function (node, value) {
        if (!this.canAdd(node, value))
            return false;
        this.remove(node);
        node.classList.add(this.keyName + "-" + value);
        return true;
    };
    ClassAttributor.prototype.remove = function (node) {
        var matches = match(node, this.keyName);
        matches.forEach(function (name) {
            node.classList.remove(name);
        });
        if (node.classList.length === 0) {
            node.removeAttribute('class');
        }
    };
    ClassAttributor.prototype.value = function (node) {
        var result = match(node, this.keyName)[0] || '';
        var value = result.slice(this.keyName.length + 1); // +1 for hyphen
        return this.canAdd(node, value) ? value : '';
    };
    return ClassAttributor;
}(attributor_1.default));
exports.default = ClassAttributor;


/***/ }),
/* 33 */
/***/ (function(module, exports, __nested_webpack_require_219372__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var attributor_1 = __nested_webpack_require_219372__(12);
function camelize(name) {
    var parts = name.split('-');
    var rest = parts
        .slice(1)
        .map(function (part) {
        return part[0].toUpperCase() + part.slice(1);
    })
        .join('');
    return parts[0] + rest;
}
var StyleAttributor = /** @class */ (function (_super) {
    __extends(StyleAttributor, _super);
    function StyleAttributor() {
        return _super !== null &amp;&amp; _super.apply(this, arguments) || this;
    }
    StyleAttributor.keys = function (node) {
        return (node.getAttribute('style') || '').split(';').map(function (value) {
            var arr = value.split(':');
            return arr[0].trim();
        });
    };
    StyleAttributor.prototype.add = function (node, value) {
        if (!this.canAdd(node, value))
            return false;
        // @ts-ignore
        node.style[camelize(this.keyName)] = value;
        return true;
    };
    StyleAttributor.prototype.remove = function (node) {
        // @ts-ignore
        node.style[camelize(this.keyName)] = '';
        if (!node.getAttribute('style')) {
            node.removeAttribute('style');
        }
    };
    StyleAttributor.prototype.value = function (node) {
        // @ts-ignore
        var value = node.style[camelize(this.keyName)];
        return this.canAdd(node, value) ? value : '';
    };
    return StyleAttributor;
}(attributor_1.default));
exports.default = StyleAttributor;


/***/ }),
/* 34 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

var Theme = function () {
  function Theme(quill, options) {
    _classCallCheck(this, Theme);

    this.quill = quill;
    this.options = options;
    this.modules = {};
  }

  _createClass(Theme, [{
    key: 'init',
    value: function init() {
      var _this = this;

      Object.keys(this.options.modules).forEach(function (name) {
        if (_this.modules[name] == null) {
          _this.addModule(name);
        }
      });
    }
  }, {
    key: 'addModule',
    value: function addModule(name) {
      var moduleClass = this.quill.constructor.import('modules/' + name);
      this.modules[name] = new moduleClass(this.quill, this.options.modules[name] || {});
      return this.modules[name];
    }
  }]);

  return Theme;
}();

Theme.DEFAULTS = {
  modules: {}
};
Theme.themes = {
  'default': Theme
};

exports.default = Theme;

/***/ }),
/* 35 */
/***/ (function(module, exports, __nested_webpack_require_223199__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _parchment = __nested_webpack_require_223199__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _text = __nested_webpack_require_223199__(7);

var _text2 = _interopRequireDefault(_text);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var GUARD_TEXT = '\uFEFF';

var Embed = function (_Parchment$Embed) {
  _inherits(Embed, _Parchment$Embed);

  function Embed(node) {
    _classCallCheck(this, Embed);

    var _this = _possibleConstructorReturn(this, (Embed.__proto__ || Object.getPrototypeOf(Embed)).call(this, node));

    _this.contentNode = document.createElement('span');
    _this.contentNode.setAttribute('contenteditable', false);
    [].slice.call(_this.domNode.childNodes).forEach(function (childNode) {
      _this.contentNode.appendChild(childNode);
    });
    _this.leftGuard = document.createTextNode(GUARD_TEXT);
    _this.rightGuard = document.createTextNode(GUARD_TEXT);
    _this.domNode.appendChild(_this.leftGuard);
    _this.domNode.appendChild(_this.contentNode);
    _this.domNode.appendChild(_this.rightGuard);
    return _this;
  }

  _createClass(Embed, [{
    key: 'index',
    value: function index(node, offset) {
      if (node === this.leftGuard) return 0;
      if (node === this.rightGuard) return 1;
      return _get(Embed.prototype.__proto__ || Object.getPrototypeOf(Embed.prototype), 'index', this).call(this, node, offset);
    }
  }, {
    key: 'restore',
    value: function restore(node) {
      var range = void 0,
          textNode = void 0;
      var text = node.data.split(GUARD_TEXT).join('');
      if (node === this.leftGuard) {
        if (this.prev instanceof _text2.default) {
          var prevLength = this.prev.length();
          this.prev.insertAt(prevLength, text);
          range = {
            startNode: this.prev.domNode,
            startOffset: prevLength + text.length
          };
        } else {
          textNode = document.createTextNode(text);
          this.parent.insertBefore(_parchment2.default.create(textNode), this);
          range = {
            startNode: textNode,
            startOffset: text.length
          };
        }
      } else if (node === this.rightGuard) {
        if (this.next instanceof _text2.default) {
          this.next.insertAt(0, text);
          range = {
            startNode: this.next.domNode,
            startOffset: text.length
          };
        } else {
          textNode = document.createTextNode(text);
          this.parent.insertBefore(_parchment2.default.create(textNode), this.next);
          range = {
            startNode: textNode,
            startOffset: text.length
          };
        }
      }
      node.data = GUARD_TEXT;
      return range;
    }
  }, {
    key: 'update',
    value: function update(mutations, context) {
      var _this2 = this;

      mutations.forEach(function (mutation) {
        if (mutation.type === 'characterData' &amp;&amp; (mutation.target === _this2.leftGuard || mutation.target === _this2.rightGuard)) {
          var range = _this2.restore(mutation.target);
          if (range) context.range = range;
        }
      });
    }
  }]);

  return Embed;
}(_parchment2.default.Embed);

exports.default = Embed;

/***/ }),
/* 36 */
/***/ (function(module, exports, __nested_webpack_require_228527__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.AlignStyle = exports.AlignClass = exports.AlignAttribute = undefined;

var _parchment = __nested_webpack_require_228527__(0);

var _parchment2 = _interopRequireDefault(_parchment);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

var config = {
  scope: _parchment2.default.Scope.BLOCK,
  whitelist: ['right', 'center', 'justify']
};

var AlignAttribute = new _parchment2.default.Attributor.Attribute('align', 'align', config);
var AlignClass = new _parchment2.default.Attributor.Class('align', 'ql-align', config);
var AlignStyle = new _parchment2.default.Attributor.Style('align', 'text-align', config);

exports.AlignAttribute = AlignAttribute;
exports.AlignClass = AlignClass;
exports.AlignStyle = AlignStyle;

/***/ }),
/* 37 */
/***/ (function(module, exports, __nested_webpack_require_229442__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.BackgroundStyle = exports.BackgroundClass = undefined;

var _parchment = __nested_webpack_require_229442__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _color = __nested_webpack_require_229442__(26);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

var BackgroundClass = new _parchment2.default.Attributor.Class('background', 'ql-bg', {
  scope: _parchment2.default.Scope.INLINE
});
var BackgroundStyle = new _color.ColorAttributor('background', 'background-color', {
  scope: _parchment2.default.Scope.INLINE
});

exports.BackgroundClass = BackgroundClass;
exports.BackgroundStyle = BackgroundStyle;

/***/ }),
/* 38 */
/***/ (function(module, exports, __nested_webpack_require_230249__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.DirectionStyle = exports.DirectionClass = exports.DirectionAttribute = undefined;

var _parchment = __nested_webpack_require_230249__(0);

var _parchment2 = _interopRequireDefault(_parchment);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

var config = {
  scope: _parchment2.default.Scope.BLOCK,
  whitelist: ['rtl']
};

var DirectionAttribute = new _parchment2.default.Attributor.Attribute('direction', 'dir', config);
var DirectionClass = new _parchment2.default.Attributor.Class('direction', 'ql-direction', config);
var DirectionStyle = new _parchment2.default.Attributor.Style('direction', 'direction', config);

exports.DirectionAttribute = DirectionAttribute;
exports.DirectionClass = DirectionClass;
exports.DirectionStyle = DirectionStyle;

/***/ }),
/* 39 */
/***/ (function(module, exports, __nested_webpack_require_231202__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.FontClass = exports.FontStyle = undefined;

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _parchment = __nested_webpack_require_231202__(0);

var _parchment2 = _interopRequireDefault(_parchment);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var config = {
  scope: _parchment2.default.Scope.INLINE,
  whitelist: ['serif', 'monospace']
};

var FontClass = new _parchment2.default.Attributor.Class('font', 'ql-font', config);

var FontStyleAttributor = function (_Parchment$Attributor) {
  _inherits(FontStyleAttributor, _Parchment$Attributor);

  function FontStyleAttributor() {
    _classCallCheck(this, FontStyleAttributor);

    return _possibleConstructorReturn(this, (FontStyleAttributor.__proto__ || Object.getPrototypeOf(FontStyleAttributor)).apply(this, arguments));
  }

  _createClass(FontStyleAttributor, [{
    key: 'value',
    value: function value(node) {
      return _get(FontStyleAttributor.prototype.__proto__ || Object.getPrototypeOf(FontStyleAttributor.prototype), 'value', this).call(this, node).replace(/["']/g, '');
    }
  }]);

  return FontStyleAttributor;
}(_parchment2.default.Attributor.Style);

var FontStyle = new FontStyleAttributor('font', 'font-family', config);

exports.FontStyle = FontStyle;
exports.FontClass = FontClass;

/***/ }),
/* 40 */
/***/ (function(module, exports, __nested_webpack_require_234578__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.SizeStyle = exports.SizeClass = undefined;

var _parchment = __nested_webpack_require_234578__(0);

var _parchment2 = _interopRequireDefault(_parchment);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

var SizeClass = new _parchment2.default.Attributor.Class('size', 'ql-size', {
  scope: _parchment2.default.Scope.INLINE,
  whitelist: ['small', 'large', 'huge']
});
var SizeStyle = new _parchment2.default.Attributor.Style('size', 'font-size', {
  scope: _parchment2.default.Scope.INLINE,
  whitelist: ['10px', '18px', '32px']
});

exports.SizeClass = SizeClass;
exports.SizeStyle = SizeStyle;

/***/ }),
/* 41 */
/***/ (function(module, exports, __nested_webpack_require_235375__) {

"use strict";


module.exports = {
  'align': {
    '': __nested_webpack_require_235375__(76),
    'center': __nested_webpack_require_235375__(77),
    'right': __nested_webpack_require_235375__(78),
    'justify': __nested_webpack_require_235375__(79)
  },
  'background': __nested_webpack_require_235375__(80),
  'blockquote': __nested_webpack_require_235375__(81),
  'bold': __nested_webpack_require_235375__(82),
  'clean': __nested_webpack_require_235375__(83),
  'code': __nested_webpack_require_235375__(58),
  'code-block': __nested_webpack_require_235375__(58),
  'color': __nested_webpack_require_235375__(84),
  'direction': {
    '': __nested_webpack_require_235375__(85),
    'rtl': __nested_webpack_require_235375__(86)
  },
  'float': {
    'center': __nested_webpack_require_235375__(87),
    'full': __nested_webpack_require_235375__(88),
    'left': __nested_webpack_require_235375__(89),
    'right': __nested_webpack_require_235375__(90)
  },
  'formula': __nested_webpack_require_235375__(91),
  'header': {
    '1': __nested_webpack_require_235375__(92),
    '2': __nested_webpack_require_235375__(93)
  },
  'italic': __nested_webpack_require_235375__(94),
  'image': __nested_webpack_require_235375__(95),
  'indent': {
    '+1': __nested_webpack_require_235375__(96),
    '-1': __nested_webpack_require_235375__(97)
  },
  'link': __nested_webpack_require_235375__(98),
  'list': {
    'ordered': __nested_webpack_require_235375__(99),
    'bullet': __nested_webpack_require_235375__(100),
    'check': __nested_webpack_require_235375__(101)
  },
  'script': {
    'sub': __nested_webpack_require_235375__(102),
    'super': __nested_webpack_require_235375__(103)
  },
  'strike': __nested_webpack_require_235375__(104),
  'underline': __nested_webpack_require_235375__(105),
  'video': __nested_webpack_require_235375__(106)
};

/***/ }),
/* 42 */
/***/ (function(module, exports, __nested_webpack_require_236844__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.getLastChangeIndex = exports.default = undefined;

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _parchment = __nested_webpack_require_236844__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _quill = __nested_webpack_require_236844__(5);

var _quill2 = _interopRequireDefault(_quill);

var _module = __nested_webpack_require_236844__(9);

var _module2 = _interopRequireDefault(_module);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var History = function (_Module) {
  _inherits(History, _Module);

  function History(quill, options) {
    _classCallCheck(this, History);

    var _this = _possibleConstructorReturn(this, (History.__proto__ || Object.getPrototypeOf(History)).call(this, quill, options));

    _this.lastRecorded = 0;
    _this.ignoreChange = false;
    _this.clear();
    _this.quill.on(_quill2.default.events.EDITOR_CHANGE, function (eventName, delta, oldDelta, source) {
      if (eventName !== _quill2.default.events.TEXT_CHANGE || _this.ignoreChange) return;
      if (!_this.options.userOnly || source === _quill2.default.sources.USER) {
        _this.record(delta, oldDelta);
      } else {
        _this.transform(delta);
      }
    });
    _this.quill.keyboard.addBinding({ key: 'Z', shortKey: true }, _this.undo.bind(_this));
    _this.quill.keyboard.addBinding({ key: 'Z', shortKey: true, shiftKey: true }, _this.redo.bind(_this));
    if (/Win/i.test(navigator.platform)) {
      _this.quill.keyboard.addBinding({ key: 'Y', shortKey: true }, _this.redo.bind(_this));
    }
    return _this;
  }

  _createClass(History, [{
    key: 'change',
    value: function change(source, dest) {
      if (this.stack[source].length === 0) return;
      var delta = this.stack[source].pop();
      this.stack[dest].push(delta);
      this.lastRecorded = 0;
      this.ignoreChange = true;
      this.quill.updateContents(delta[source], _quill2.default.sources.USER);
      this.ignoreChange = false;
      var index = getLastChangeIndex(delta[source]);
      this.quill.setSelection(index);
    }
  }, {
    key: 'clear',
    value: function clear() {
      this.stack = { undo: [], redo: [] };
    }
  }, {
    key: 'cutoff',
    value: function cutoff() {
      this.lastRecorded = 0;
    }
  }, {
    key: 'record',
    value: function record(changeDelta, oldDelta) {
      if (changeDelta.ops.length === 0) return;
      this.stack.redo = [];
      var undoDelta = this.quill.getContents().diff(oldDelta);
      var timestamp = Date.now();
      if (this.lastRecorded + this.options.delay &gt; timestamp &amp;&amp; this.stack.undo.length &gt; 0) {
        var delta = this.stack.undo.pop();
        undoDelta = undoDelta.compose(delta.undo);
        changeDelta = delta.redo.compose(changeDelta);
      } else {
        this.lastRecorded = timestamp;
      }
      this.stack.undo.push({
        redo: changeDelta,
        undo: undoDelta
      });
      if (this.stack.undo.length &gt; this.options.maxStack) {
        this.stack.undo.shift();
      }
    }
  }, {
    key: 'redo',
    value: function redo() {
      this.change('redo', 'undo');
    }
  }, {
    key: 'transform',
    value: function transform(delta) {
      this.stack.undo.forEach(function (change) {
        change.undo = delta.transform(change.undo, true);
        change.redo = delta.transform(change.redo, true);
      });
      this.stack.redo.forEach(function (change) {
        change.undo = delta.transform(change.undo, true);
        change.redo = delta.transform(change.redo, true);
      });
    }
  }, {
    key: 'undo',
    value: function undo() {
      this.change('undo', 'redo');
    }
  }]);

  return History;
}(_module2.default);

History.DEFAULTS = {
  delay: 1000,
  maxStack: 100,
  userOnly: false
};

function endsWithNewlineChange(delta) {
  var lastOp = delta.ops[delta.ops.length - 1];
  if (lastOp == null) return false;
  if (lastOp.insert != null) {
    return typeof lastOp.insert === 'string' &amp;&amp; lastOp.insert.endsWith('\n');
  }
  if (lastOp.attributes != null) {
    return Object.keys(lastOp.attributes).some(function (attr) {
      return _parchment2.default.query(attr, _parchment2.default.Scope.BLOCK) != null;
    });
  }
  return false;
}

function getLastChangeIndex(delta) {
  var deleteLength = delta.reduce(function (length, op) {
    length += op.delete || 0;
    return length;
  }, 0);
  var changeIndex = delta.length() - deleteLength;
  if (endsWithNewlineChange(delta)) {
    changeIndex -= 1;
  }
  return changeIndex;
}

exports.default = History;
exports.getLastChangeIndex = getLastChangeIndex;

/***/ }),
/* 43 */
/***/ (function(module, exports, __nested_webpack_require_242979__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.default = exports.BaseTooltip = undefined;

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _extend = __nested_webpack_require_242979__(3);

var _extend2 = _interopRequireDefault(_extend);

var _quillDelta = __nested_webpack_require_242979__(2);

var _quillDelta2 = _interopRequireDefault(_quillDelta);

var _emitter = __nested_webpack_require_242979__(8);

var _emitter2 = _interopRequireDefault(_emitter);

var _keyboard = __nested_webpack_require_242979__(23);

var _keyboard2 = _interopRequireDefault(_keyboard);

var _theme = __nested_webpack_require_242979__(34);

var _theme2 = _interopRequireDefault(_theme);

var _colorPicker = __nested_webpack_require_242979__(59);

var _colorPicker2 = _interopRequireDefault(_colorPicker);

var _iconPicker = __nested_webpack_require_242979__(60);

var _iconPicker2 = _interopRequireDefault(_iconPicker);

var _picker = __nested_webpack_require_242979__(28);

var _picker2 = _interopRequireDefault(_picker);

var _tooltip = __nested_webpack_require_242979__(61);

var _tooltip2 = _interopRequireDefault(_tooltip);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var ALIGNS = [false, 'center', 'right', 'justify'];

var COLORS = ["#000000", "#e60000", "#ff9900", "#ffff00", "#008a00", "#0066cc", "#9933ff", "#ffffff", "#facccc", "#ffebcc", "#ffffcc", "#cce8cc", "#cce0f5", "#ebd6ff", "#bbbbbb", "#f06666", "#ffc266", "#ffff66", "#66b966", "#66a3e0", "#c285ff", "#888888", "#a10000", "#b26b00", "#b2b200", "#006100", "#0047b2", "#6b24b2", "#444444", "#5c0000", "#663d00", "#666600", "#003700", "#002966", "#3d1466"];

var FONTS = [false, 'serif', 'monospace'];

var HEADERS = ['1', '2', '3', false];

var SIZES = ['small', false, 'large', 'huge'];

var BaseTheme = function (_Theme) {
  _inherits(BaseTheme, _Theme);

  function BaseTheme(quill, options) {
    _classCallCheck(this, BaseTheme);

    var _this = _possibleConstructorReturn(this, (BaseTheme.__proto__ || Object.getPrototypeOf(BaseTheme)).call(this, quill, options));

    var listener = function listener(e) {
      if (!document.body.contains(quill.root)) {
        return document.body.removeEventListener('click', listener);
      }
      if (_this.tooltip != null &amp;&amp; !_this.tooltip.root.contains(e.target) &amp;&amp; document.activeElement !== _this.tooltip.textbox &amp;&amp; !_this.quill.hasFocus()) {
        _this.tooltip.hide();
      }
      if (_this.pickers != null) {
        _this.pickers.forEach(function (picker) {
          if (!picker.container.contains(e.target)) {
            picker.close();
          }
        });
      }
    };
    quill.emitter.listenDOM('click', document.body, listener);
    return _this;
  }

  _createClass(BaseTheme, [{
    key: 'addModule',
    value: function addModule(name) {
      var module = _get(BaseTheme.prototype.__proto__ || Object.getPrototypeOf(BaseTheme.prototype), 'addModule', this).call(this, name);
      if (name === 'toolbar') {
        this.extendToolbar(module);
      }
      return module;
    }
  }, {
    key: 'buildButtons',
    value: function buildButtons(buttons, icons) {
      buttons.forEach(function (button) {
        var className = button.getAttribute('class') || '';
        className.split(/\s+/).forEach(function (name) {
          if (!name.startsWith('ql-')) return;
          name = name.slice('ql-'.length);
          if (icons[name] == null) return;
          if (name === 'direction') {
            button.innerHTML = icons[name][''] + icons[name]['rtl'];
          } else if (typeof icons[name] === 'string') {
            button.innerHTML = icons[name];
          } else {
            var value = button.value || '';
            if (value != null &amp;&amp; icons[name][value]) {
              button.innerHTML = icons[name][value];
            }
          }
        });
      });
    }
  }, {
    key: 'buildPickers',
    value: function buildPickers(selects, icons) {
      var _this2 = this;

      this.pickers = selects.map(function (select) {
        if (select.classList.contains('ql-align')) {
          if (select.querySelector('option') == null) {
            fillSelect(select, ALIGNS);
          }
          return new _iconPicker2.default(select, icons.align);
        } else if (select.classList.contains('ql-background') || select.classList.contains('ql-color')) {
          var format = select.classList.contains('ql-background') ? 'background' : 'color';
          if (select.querySelector('option') == null) {
            fillSelect(select, COLORS, format === 'background' ? '#ffffff' : '#000000');
          }
          return new _colorPicker2.default(select, icons[format]);
        } else {
          if (select.querySelector('option') == null) {
            if (select.classList.contains('ql-font')) {
              fillSelect(select, FONTS);
            } else if (select.classList.contains('ql-header')) {
              fillSelect(select, HEADERS);
            } else if (select.classList.contains('ql-size')) {
              fillSelect(select, SIZES);
            }
          }
          return new _picker2.default(select);
        }
      });
      var update = function update() {
        _this2.pickers.forEach(function (picker) {
          picker.update();
        });
      };
      this.quill.on(_emitter2.default.events.EDITOR_CHANGE, update);
    }
  }]);

  return BaseTheme;
}(_theme2.default);

BaseTheme.DEFAULTS = (0, _extend2.default)(true, {}, _theme2.default.DEFAULTS, {
  modules: {
    toolbar: {
      handlers: {
        formula: function formula() {
          this.quill.theme.tooltip.edit('formula');
        },
        image: function image() {
          var _this3 = this;

          var fileInput = this.container.querySelector('input.ql-image[type=file]');
          if (fileInput == null) {
            fileInput = document.createElement('input');
            fileInput.setAttribute('type', 'file');
            fileInput.setAttribute('accept', 'image/png, image/gif, image/jpeg, image/bmp, image/x-icon');
            fileInput.classList.add('ql-image');
            fileInput.addEventListener('change', function () {
              if (fileInput.files != null &amp;&amp; fileInput.files[0] != null) {
                var reader = new FileReader();
                reader.onload = function (e) {
                  var range = _this3.quill.getSelection(true);
                  _this3.quill.updateContents(new _quillDelta2.default().retain(range.index).delete(range.length).insert({ image: e.target.result }), _emitter2.default.sources.USER);
                  _this3.quill.setSelection(range.index + 1, _emitter2.default.sources.SILENT);
                  fileInput.value = "";
                };
                reader.readAsDataURL(fileInput.files[0]);
              }
            });
            this.container.appendChild(fileInput);
          }
          fileInput.click();
        },
        video: function video() {
          this.quill.theme.tooltip.edit('video');
        }
      }
    }
  }
});

var BaseTooltip = function (_Tooltip) {
  _inherits(BaseTooltip, _Tooltip);

  function BaseTooltip(quill, boundsContainer) {
    _classCallCheck(this, BaseTooltip);

    var _this4 = _possibleConstructorReturn(this, (BaseTooltip.__proto__ || Object.getPrototypeOf(BaseTooltip)).call(this, quill, boundsContainer));

    _this4.textbox = _this4.root.querySelector('input[type="text"]');
    _this4.listen();
    return _this4;
  }

  _createClass(BaseTooltip, [{
    key: 'listen',
    value: function listen() {
      var _this5 = this;

      this.textbox.addEventListener('keydown', function (event) {
        if (_keyboard2.default.match(event, 'enter')) {
          _this5.save();
          event.preventDefault();
        } else if (_keyboard2.default.match(event, 'escape')) {
          _this5.cancel();
          event.preventDefault();
        }
      });
    }
  }, {
    key: 'cancel',
    value: function cancel() {
      this.hide();
    }
  }, {
    key: 'edit',
    value: function edit() {
      var mode = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 'link';
      var preview = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : null;

      this.root.classList.remove('ql-hidden');
      this.root.classList.add('ql-editing');
      if (preview != null) {
        this.textbox.value = preview;
      } else if (mode !== this.root.getAttribute('data-mode')) {
        this.textbox.value = '';
      }
      this.position(this.quill.getBounds(this.quill.selection.savedRange));
      this.textbox.select();
      this.textbox.setAttribute('placeholder', this.textbox.getAttribute('data-' + mode) || '');
      this.root.setAttribute('data-mode', mode);
    }
  }, {
    key: 'restoreFocus',
    value: function restoreFocus() {
      var scrollTop = this.quill.scrollingContainer.scrollTop;
      this.quill.focus();
      this.quill.scrollingContainer.scrollTop = scrollTop;
    }
  }, {
    key: 'save',
    value: function save() {
      var value = this.textbox.value;
      switch (this.root.getAttribute('data-mode')) {
        case 'link':
          {
            var scrollTop = this.quill.root.scrollTop;
            if (this.linkRange) {
              this.quill.formatText(this.linkRange, 'link', value, _emitter2.default.sources.USER);
              delete this.linkRange;
            } else {
              this.restoreFocus();
              this.quill.format('link', value, _emitter2.default.sources.USER);
            }
            this.quill.root.scrollTop = scrollTop;
            break;
          }
        case 'video':
          {
            value = extractVideoUrl(value);
          } // eslint-disable-next-line no-fallthrough
        case 'formula':
          {
            if (!value) break;
            var range = this.quill.getSelection(true);
            if (range != null) {
              var index = range.index + range.length;
              this.quill.insertEmbed(index, this.root.getAttribute('data-mode'), value, _emitter2.default.sources.USER);
              if (this.root.getAttribute('data-mode') === 'formula') {
                this.quill.insertText(index + 1, ' ', _emitter2.default.sources.USER);
              }
              this.quill.setSelection(index + 2, _emitter2.default.sources.USER);
            }
            break;
          }
        default:
      }
      this.textbox.value = '';
      this.hide();
    }
  }]);

  return BaseTooltip;
}(_tooltip2.default);

function extractVideoUrl(url) {
  var match = url.match(/^(?:(https?):\/\/)?(?:(?:www|m)\.)?youtube\.com\/watch.*v=([a-zA-Z0-9_-]+)/) || url.match(/^(?:(https?):\/\/)?(?:(?:www|m)\.)?youtu\.be\/([a-zA-Z0-9_-]+)/);
  if (match) {
    return (match[1] || 'https') + '://www.youtube.com/embed/' + match[2] + '?showinfo=0';
  }
  if (match = url.match(/^(?:(https?):\/\/)?(?:www\.)?vimeo\.com\/(\d+)/)) {
    // eslint-disable-line no-cond-assign
    return (match[1] || 'https') + '://player.vimeo.com/video/' + match[2] + '/';
  }
  return url;
}

function fillSelect(select, values) {
  var defaultValue = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : false;

  values.forEach(function (value) {
    var option = document.createElement('option');
    if (value === defaultValue) {
      option.setAttribute('selected', 'selected');
    } else {
      option.setAttribute('value', value);
    }
    select.appendChild(option);
  });
}

exports.BaseTooltip = BaseTooltip;
exports.default = BaseTheme;

/***/ }),
/* 44 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";

Object.defineProperty(exports, "__esModule", { value: true });
var LinkedList = /** @class */ (function () {
    function LinkedList() {
        this.head = this.tail = null;
        this.length = 0;
    }
    LinkedList.prototype.append = function () {
        var nodes = [];
        for (var _i = 0; _i &lt; arguments.length; _i++) {
            nodes[_i] = arguments[_i];
        }
        this.insertBefore(nodes[0], null);
        if (nodes.length &gt; 1) {
            this.append.apply(this, nodes.slice(1));
        }
    };
    LinkedList.prototype.contains = function (node) {
        var cur, next = this.iterator();
        while ((cur = next())) {
            if (cur === node)
                return true;
        }
        return false;
    };
    LinkedList.prototype.insertBefore = function (node, refNode) {
        if (!node)
            return;
        node.next = refNode;
        if (refNode != null) {
            node.prev = refNode.prev;
            if (refNode.prev != null) {
                refNode.prev.next = node;
            }
            refNode.prev = node;
            if (refNode === this.head) {
                this.head = node;
            }
        }
        else if (this.tail != null) {
            this.tail.next = node;
            node.prev = this.tail;
            this.tail = node;
        }
        else {
            node.prev = null;
            this.head = this.tail = node;
        }
        this.length += 1;
    };
    LinkedList.prototype.offset = function (target) {
        var index = 0, cur = this.head;
        while (cur != null) {
            if (cur === target)
                return index;
            index += cur.length();
            cur = cur.next;
        }
        return -1;
    };
    LinkedList.prototype.remove = function (node) {
        if (!this.contains(node))
            return;
        if (node.prev != null)
            node.prev.next = node.next;
        if (node.next != null)
            node.next.prev = node.prev;
        if (node === this.head)
            this.head = node.next;
        if (node === this.tail)
            this.tail = node.prev;
        this.length -= 1;
    };
    LinkedList.prototype.iterator = function (curNode) {
        if (curNode === void 0) { curNode = this.head; }
        // TODO use yield when we can
        return function () {
            var ret = curNode;
            if (curNode != null)
                curNode = curNode.next;
            return ret;
        };
    };
    LinkedList.prototype.find = function (index, inclusive) {
        if (inclusive === void 0) { inclusive = false; }
        var cur, next = this.iterator();
        while ((cur = next())) {
            var length = cur.length();
            if (index &lt; length ||
                (inclusive &amp;&amp; index === length &amp;&amp; (cur.next == null || cur.next.length() !== 0))) {
                return [cur, index];
            }
            index -= length;
        }
        return [null, 0];
    };
    LinkedList.prototype.forEach = function (callback) {
        var cur, next = this.iterator();
        while ((cur = next())) {
            callback(cur);
        }
    };
    LinkedList.prototype.forEachAt = function (index, length, callback) {
        if (length &lt;= 0)
            return;
        var _a = this.find(index), startNode = _a[0], offset = _a[1];
        var cur, curIndex = index - offset, next = this.iterator(startNode);
        while ((cur = next()) &amp;&amp; curIndex &lt; index + length) {
            var curLength = cur.length();
            if (index &gt; curIndex) {
                callback(cur, index - curIndex, Math.min(length, curIndex + curLength - index));
            }
            else {
                callback(cur, 0, Math.min(curLength, index + length - curIndex));
            }
            curIndex += curLength;
        }
    };
    LinkedList.prototype.map = function (callback) {
        return this.reduce(function (memo, cur) {
            memo.push(callback(cur));
            return memo;
        }, []);
    };
    LinkedList.prototype.reduce = function (callback, memo) {
        var cur, next = this.iterator();
        while ((cur = next())) {
            memo = callback(memo, cur);
        }
        return memo;
    };
    return LinkedList;
}());
exports.default = LinkedList;


/***/ }),
/* 45 */
/***/ (function(module, exports, __nested_webpack_require_260796__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var container_1 = __nested_webpack_require_260796__(17);
var Registry = __nested_webpack_require_260796__(1);
var OBSERVER_CONFIG = {
    attributes: true,
    characterData: true,
    characterDataOldValue: true,
    childList: true,
    subtree: true,
};
var MAX_OPTIMIZE_ITERATIONS = 100;
var ScrollBlot = /** @class */ (function (_super) {
    __extends(ScrollBlot, _super);
    function ScrollBlot(node) {
        var _this = _super.call(this, node) || this;
        _this.scroll = _this;
        _this.observer = new MutationObserver(function (mutations) {
            _this.update(mutations);
        });
        _this.observer.observe(_this.domNode, OBSERVER_CONFIG);
        _this.attach();
        return _this;
    }
    ScrollBlot.prototype.detach = function () {
        _super.prototype.detach.call(this);
        this.observer.disconnect();
    };
    ScrollBlot.prototype.deleteAt = function (index, length) {
        this.update();
        if (index === 0 &amp;&amp; length === this.length()) {
            this.children.forEach(function (child) {
                child.remove();
            });
        }
        else {
            _super.prototype.deleteAt.call(this, index, length);
        }
    };
    ScrollBlot.prototype.formatAt = function (index, length, name, value) {
        this.update();
        _super.prototype.formatAt.call(this, index, length, name, value);
    };
    ScrollBlot.prototype.insertAt = function (index, value, def) {
        this.update();
        _super.prototype.insertAt.call(this, index, value, def);
    };
    ScrollBlot.prototype.optimize = function (mutations, context) {
        var _this = this;
        if (mutations === void 0) { mutations = []; }
        if (context === void 0) { context = {}; }
        _super.prototype.optimize.call(this, context);
        // We must modify mutations directly, cannot make copy and then modify
        var records = [].slice.call(this.observer.takeRecords());
        // Array.push currently seems to be implemented by a non-tail recursive function
        // so we cannot just mutations.push.apply(mutations, this.observer.takeRecords());
        while (records.length &gt; 0)
            mutations.push(records.pop());
        // TODO use WeakMap
        var mark = function (blot, markParent) {
            if (markParent === void 0) { markParent = true; }
            if (blot == null || blot === _this)
                return;
            if (blot.domNode.parentNode == null)
                return;
            // @ts-ignore
            if (blot.domNode[Registry.DATA_KEY].mutations == null) {
                // @ts-ignore
                blot.domNode[Registry.DATA_KEY].mutations = [];
            }
            if (markParent)
                mark(blot.parent);
        };
        var optimize = function (blot) {
            // Post-order traversal
            if (
            // @ts-ignore
            blot.domNode[Registry.DATA_KEY] == null ||
                // @ts-ignore
                blot.domNode[Registry.DATA_KEY].mutations == null) {
                return;
            }
            if (blot instanceof container_1.default) {
                blot.children.forEach(optimize);
            }
            blot.optimize(context);
        };
        var remaining = mutations;
        for (var i = 0; remaining.length &gt; 0; i += 1) {
            if (i &gt;= MAX_OPTIMIZE_ITERATIONS) {
                throw new Error('[Parchment] Maximum optimize iterations reached');
            }
            remaining.forEach(function (mutation) {
                var blot = Registry.find(mutation.target, true);
                if (blot == null)
                    return;
                if (blot.domNode === mutation.target) {
                    if (mutation.type === 'childList') {
                        mark(Registry.find(mutation.previousSibling, false));
                        [].forEach.call(mutation.addedNodes, function (node) {
                            var child = Registry.find(node, false);
                            mark(child, false);
                            if (child instanceof container_1.default) {
                                child.children.forEach(function (grandChild) {
                                    mark(grandChild, false);
                                });
                            }
                        });
                    }
                    else if (mutation.type === 'attributes') {
                        mark(blot.prev);
                    }
                }
                mark(blot);
            });
            this.children.forEach(optimize);
            remaining = [].slice.call(this.observer.takeRecords());
            records = remaining.slice();
            while (records.length &gt; 0)
                mutations.push(records.pop());
        }
    };
    ScrollBlot.prototype.update = function (mutations, context) {
        var _this = this;
        if (context === void 0) { context = {}; }
        mutations = mutations || this.observer.takeRecords();
        // TODO use WeakMap
        mutations
            .map(function (mutation) {
            var blot = Registry.find(mutation.target, true);
            if (blot == null)
                return null;
            // @ts-ignore
            if (blot.domNode[Registry.DATA_KEY].mutations == null) {
                // @ts-ignore
                blot.domNode[Registry.DATA_KEY].mutations = [mutation];
                return blot;
            }
            else {
                // @ts-ignore
                blot.domNode[Registry.DATA_KEY].mutations.push(mutation);
                return null;
            }
        })
            .forEach(function (blot) {
            if (blot == null ||
                blot === _this ||
                //@ts-ignore
                blot.domNode[Registry.DATA_KEY] == null)
                return;
            // @ts-ignore
            blot.update(blot.domNode[Registry.DATA_KEY].mutations || [], context);
        });
        // @ts-ignore
        if (this.domNode[Registry.DATA_KEY].mutations != null) {
            // @ts-ignore
            _super.prototype.update.call(this, this.domNode[Registry.DATA_KEY].mutations, context);
        }
        this.optimize(mutations, context);
    };
    ScrollBlot.blotName = 'scroll';
    ScrollBlot.defaultChild = 'block';
    ScrollBlot.scope = Registry.Scope.BLOCK_BLOT;
    ScrollBlot.tagName = 'DIV';
    return ScrollBlot;
}(container_1.default));
exports.default = ScrollBlot;


/***/ }),
/* 46 */
/***/ (function(module, exports, __nested_webpack_require_267910__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var format_1 = __nested_webpack_require_267910__(18);
var Registry = __nested_webpack_require_267910__(1);
// Shallow object comparison
function isEqual(obj1, obj2) {
    if (Object.keys(obj1).length !== Object.keys(obj2).length)
        return false;
    // @ts-ignore
    for (var prop in obj1) {
        // @ts-ignore
        if (obj1[prop] !== obj2[prop])
            return false;
    }
    return true;
}
var InlineBlot = /** @class */ (function (_super) {
    __extends(InlineBlot, _super);
    function InlineBlot() {
        return _super !== null &amp;&amp; _super.apply(this, arguments) || this;
    }
    InlineBlot.formats = function (domNode) {
        if (domNode.tagName === InlineBlot.tagName)
            return undefined;
        return _super.formats.call(this, domNode);
    };
    InlineBlot.prototype.format = function (name, value) {
        var _this = this;
        if (name === this.statics.blotName &amp;&amp; !value) {
            this.children.forEach(function (child) {
                if (!(child instanceof format_1.default)) {
                    child = child.wrap(InlineBlot.blotName, true);
                }
                _this.attributes.copy(child);
            });
            this.unwrap();
        }
        else {
            _super.prototype.format.call(this, name, value);
        }
    };
    InlineBlot.prototype.formatAt = function (index, length, name, value) {
        if (this.formats()[name] != null || Registry.query(name, Registry.Scope.ATTRIBUTE)) {
            var blot = this.isolate(index, length);
            blot.format(name, value);
        }
        else {
            _super.prototype.formatAt.call(this, index, length, name, value);
        }
    };
    InlineBlot.prototype.optimize = function (context) {
        _super.prototype.optimize.call(this, context);
        var formats = this.formats();
        if (Object.keys(formats).length === 0) {
            return this.unwrap(); // unformatted span
        }
        var next = this.next;
        if (next instanceof InlineBlot &amp;&amp; next.prev === this &amp;&amp; isEqual(formats, next.formats())) {
            next.moveChildren(this);
            next.remove();
        }
    };
    InlineBlot.blotName = 'inline';
    InlineBlot.scope = Registry.Scope.INLINE_BLOT;
    InlineBlot.tagName = 'SPAN';
    return InlineBlot;
}(format_1.default));
exports.default = InlineBlot;


/***/ }),
/* 47 */
/***/ (function(module, exports, __nested_webpack_require_270902__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var format_1 = __nested_webpack_require_270902__(18);
var Registry = __nested_webpack_require_270902__(1);
var BlockBlot = /** @class */ (function (_super) {
    __extends(BlockBlot, _super);
    function BlockBlot() {
        return _super !== null &amp;&amp; _super.apply(this, arguments) || this;
    }
    BlockBlot.formats = function (domNode) {
        var tagName = Registry.query(BlockBlot.blotName).tagName;
        if (domNode.tagName === tagName)
            return undefined;
        return _super.formats.call(this, domNode);
    };
    BlockBlot.prototype.format = function (name, value) {
        if (Registry.query(name, Registry.Scope.BLOCK) == null) {
            return;
        }
        else if (name === this.statics.blotName &amp;&amp; !value) {
            this.replaceWith(BlockBlot.blotName);
        }
        else {
            _super.prototype.format.call(this, name, value);
        }
    };
    BlockBlot.prototype.formatAt = function (index, length, name, value) {
        if (Registry.query(name, Registry.Scope.BLOCK) != null) {
            this.format(name, value);
        }
        else {
            _super.prototype.formatAt.call(this, index, length, name, value);
        }
    };
    BlockBlot.prototype.insertAt = function (index, value, def) {
        if (def == null || Registry.query(value, Registry.Scope.INLINE) != null) {
            // Insert text or inline
            _super.prototype.insertAt.call(this, index, value, def);
        }
        else {
            var after = this.split(index);
            var blot = Registry.create(value, def);
            after.parent.insertBefore(blot, after);
        }
    };
    BlockBlot.prototype.update = function (mutations, context) {
        if (navigator.userAgent.match(/Trident/)) {
            this.build();
        }
        else {
            _super.prototype.update.call(this, mutations, context);
        }
    };
    BlockBlot.blotName = 'block';
    BlockBlot.scope = Registry.Scope.BLOCK_BLOT;
    BlockBlot.tagName = 'P';
    return BlockBlot;
}(format_1.default));
exports.default = BlockBlot;


/***/ }),
/* 48 */
/***/ (function(module, exports, __nested_webpack_require_273610__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var leaf_1 = __nested_webpack_require_273610__(19);
var EmbedBlot = /** @class */ (function (_super) {
    __extends(EmbedBlot, _super);
    function EmbedBlot() {
        return _super !== null &amp;&amp; _super.apply(this, arguments) || this;
    }
    EmbedBlot.formats = function (domNode) {
        return undefined;
    };
    EmbedBlot.prototype.format = function (name, value) {
        // super.formatAt wraps, which is what we want in general,
        // but this allows subclasses to overwrite for formats
        // that just apply to particular embeds
        _super.prototype.formatAt.call(this, 0, this.length(), name, value);
    };
    EmbedBlot.prototype.formatAt = function (index, length, name, value) {
        if (index === 0 &amp;&amp; length === this.length()) {
            this.format(name, value);
        }
        else {
            _super.prototype.formatAt.call(this, index, length, name, value);
        }
    };
    EmbedBlot.prototype.formats = function () {
        return this.statics.formats(this.domNode);
    };
    return EmbedBlot;
}(leaf_1.default));
exports.default = EmbedBlot;


/***/ }),
/* 49 */
/***/ (function(module, exports, __nested_webpack_require_275351__) {

"use strict";

var __extends = (this &amp;&amp; this.__extends) || (function () {
    var extendStatics = Object.setPrototypeOf ||
        ({ __proto__: [] } instanceof Array &amp;&amp; function (d, b) { d.__proto__ = b; }) ||
        function (d, b) { for (var p in b) if (b.hasOwnProperty(p)) d[p] = b[p]; };
    return function (d, b) {
        extendStatics(d, b);
        function __() { this.constructor = d; }
        d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
    };
})();
Object.defineProperty(exports, "__esModule", { value: true });
var leaf_1 = __nested_webpack_require_275351__(19);
var Registry = __nested_webpack_require_275351__(1);
var TextBlot = /** @class */ (function (_super) {
    __extends(TextBlot, _super);
    function TextBlot(node) {
        var _this = _super.call(this, node) || this;
        _this.text = _this.statics.value(_this.domNode);
        return _this;
    }
    TextBlot.create = function (value) {
        return document.createTextNode(value);
    };
    TextBlot.value = function (domNode) {
        var text = domNode.data;
        // @ts-ignore
        if (text['normalize'])
            text = text['normalize']();
        return text;
    };
    TextBlot.prototype.deleteAt = function (index, length) {
        this.domNode.data = this.text = this.text.slice(0, index) + this.text.slice(index + length);
    };
    TextBlot.prototype.index = function (node, offset) {
        if (this.domNode === node) {
            return offset;
        }
        return -1;
    };
    TextBlot.prototype.insertAt = function (index, value, def) {
        if (def == null) {
            this.text = this.text.slice(0, index) + value + this.text.slice(index);
            this.domNode.data = this.text;
        }
        else {
            _super.prototype.insertAt.call(this, index, value, def);
        }
    };
    TextBlot.prototype.length = function () {
        return this.text.length;
    };
    TextBlot.prototype.optimize = function (context) {
        _super.prototype.optimize.call(this, context);
        this.text = this.statics.value(this.domNode);
        if (this.text.length === 0) {
            this.remove();
        }
        else if (this.next instanceof TextBlot &amp;&amp; this.next.prev === this) {
            this.insertAt(this.length(), this.next.value());
            this.next.remove();
        }
    };
    TextBlot.prototype.position = function (index, inclusive) {
        if (inclusive === void 0) { inclusive = false; }
        return [this.domNode, index];
    };
    TextBlot.prototype.split = function (index, force) {
        if (force === void 0) { force = false; }
        if (!force) {
            if (index === 0)
                return this;
            if (index === this.length())
                return this.next;
        }
        var after = Registry.create(this.domNode.splitText(index));
        this.parent.insertBefore(after, this.next);
        this.text = this.statics.value(this.domNode);
        return after;
    };
    TextBlot.prototype.update = function (mutations, context) {
        var _this = this;
        if (mutations.some(function (mutation) {
            return mutation.type === 'characterData' &amp;&amp; mutation.target === _this.domNode;
        })) {
            this.text = this.statics.value(this.domNode);
        }
    };
    TextBlot.prototype.value = function () {
        return this.text;
    };
    TextBlot.blotName = 'text';
    TextBlot.scope = Registry.Scope.INLINE_BLOT;
    return TextBlot;
}(leaf_1.default));
exports.default = TextBlot;


/***/ }),
/* 50 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";


var elem = document.createElement('div');
elem.classList.toggle('test-class', false);
if (elem.classList.contains('test-class')) {
  var _toggle = DOMTokenList.prototype.toggle;
  DOMTokenList.prototype.toggle = function (token, force) {
    if (arguments.length &gt; 1 &amp;&amp; !this.contains(token) === !force) {
      return force;
    } else {
      return _toggle.call(this, token);
    }
  };
}

if (!String.prototype.startsWith) {
  String.prototype.startsWith = function (searchString, position) {
    position = position || 0;
    return this.substr(position, searchString.length) === searchString;
  };
}

if (!String.prototype.endsWith) {
  String.prototype.endsWith = function (searchString, position) {
    var subjectString = this.toString();
    if (typeof position !== 'number' || !isFinite(position) || Math.floor(position) !== position || position &gt; subjectString.length) {
      position = subjectString.length;
    }
    position -= searchString.length;
    var lastIndex = subjectString.indexOf(searchString, position);
    return lastIndex !== -1 &amp;&amp; lastIndex === position;
  };
}

if (!Array.prototype.find) {
  Object.defineProperty(Array.prototype, "find", {
    value: function value(predicate) {
      if (this === null) {
        throw new TypeError('Array.prototype.find called on null or undefined');
      }
      if (typeof predicate !== 'function') {
        throw new TypeError('predicate must be a function');
      }
      var list = Object(this);
      var length = list.length &gt;&gt;&gt; 0;
      var thisArg = arguments[1];
      var value;

      for (var i = 0; i &lt; length; i++) {
        value = list[i];
        if (predicate.call(thisArg, value, i, list)) {
          return value;
        }
      }
      return undefined;
    }
  });
}

document.addEventListener("DOMContentLoaded", function () {
  // Disable resizing in Firefox
  document.execCommand("enableObjectResizing", false, false);
  // Disable automatic linkifying in IE11
  document.execCommand("autoUrlDetect", false, false);
});

/***/ }),
/* 51 */
/***/ (function(module, exports) {

/**
 * This library modifies the diff-patch-match library by Neil Fraser
 * by removing the patch and match functionality and certain advanced
 * options in the diff function. The original license is as follows:
 *
 * ===
 *
 * Diff Match and Patch
 *
 * Copyright 2006 Google Inc.
 * http://code.google.com/p/google-diff-match-patch/
 *
 * Licensed under the Apache License, Version 2.0 (the "License");
 * you may not use this file except in compliance with the License.
 * You may obtain a copy of the License at
 *
 *   http://www.apache.org/licenses/LICENSE-2.0
 *
 * Unless required by applicable law or agreed to in writing, software
 * distributed under the License is distributed on an "AS IS" BASIS,
 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
 * See the License for the specific language governing permissions and
 * limitations under the License.
 */


/**
 * The data structure representing a diff is an array of tuples:
 * [[DIFF_DELETE, 'Hello'], [DIFF_INSERT, 'Goodbye'], [DIFF_EQUAL, ' world.']]
 * which means: delete 'Hello', add 'Goodbye' and keep ' world.'
 */
var DIFF_DELETE = -1;
var DIFF_INSERT = 1;
var DIFF_EQUAL = 0;


/**
 * Find the differences between two texts.  Simplifies the problem by stripping
 * any common prefix or suffix off the texts before diffing.
 * @param {string} text1 Old string to be diffed.
 * @param {string} text2 New string to be diffed.
 * @param {Int} cursor_pos Expected edit position in text1 (optional)
 * @return {Array} Array of diff tuples.
 */
function diff_main(text1, text2, cursor_pos) {
  // Check for equality (speedup).
  if (text1 == text2) {
    if (text1) {
      return [[DIFF_EQUAL, text1]];
    }
    return [];
  }

  // Check cursor_pos within bounds
  if (cursor_pos &lt; 0 || text1.length &lt; cursor_pos) {
    cursor_pos = null;
  }

  // Trim off common prefix (speedup).
  var commonlength = diff_commonPrefix(text1, text2);
  var commonprefix = text1.substring(0, commonlength);
  text1 = text1.substring(commonlength);
  text2 = text2.substring(commonlength);

  // Trim off common suffix (speedup).
  commonlength = diff_commonSuffix(text1, text2);
  var commonsuffix = text1.substring(text1.length - commonlength);
  text1 = text1.substring(0, text1.length - commonlength);
  text2 = text2.substring(0, text2.length - commonlength);

  // Compute the diff on the middle block.
  var diffs = diff_compute_(text1, text2);

  // Restore the prefix and suffix.
  if (commonprefix) {
    diffs.unshift([DIFF_EQUAL, commonprefix]);
  }
  if (commonsuffix) {
    diffs.push([DIFF_EQUAL, commonsuffix]);
  }
  diff_cleanupMerge(diffs);
  if (cursor_pos != null) {
    diffs = fix_cursor(diffs, cursor_pos);
  }
  diffs = fix_emoji(diffs);
  return diffs;
};


/**
 * Find the differences between two texts.  Assumes that the texts do not
 * have any common prefix or suffix.
 * @param {string} text1 Old string to be diffed.
 * @param {string} text2 New string to be diffed.
 * @return {Array} Array of diff tuples.
 */
function diff_compute_(text1, text2) {
  var diffs;

  if (!text1) {
    // Just add some text (speedup).
    return [[DIFF_INSERT, text2]];
  }

  if (!text2) {
    // Just delete some text (speedup).
    return [[DIFF_DELETE, text1]];
  }

  var longtext = text1.length &gt; text2.length ? text1 : text2;
  var shorttext = text1.length &gt; text2.length ? text2 : text1;
  var i = longtext.indexOf(shorttext);
  if (i != -1) {
    // Shorter text is inside the longer text (speedup).
    diffs = [[DIFF_INSERT, longtext.substring(0, i)],
             [DIFF_EQUAL, shorttext],
             [DIFF_INSERT, longtext.substring(i + shorttext.length)]];
    // Swap insertions for deletions if diff is reversed.
    if (text1.length &gt; text2.length) {
      diffs[0][0] = diffs[2][0] = DIFF_DELETE;
    }
    return diffs;
  }

  if (shorttext.length == 1) {
    // Single character string.
    // After the previous speedup, the character can't be an equality.
    return [[DIFF_DELETE, text1], [DIFF_INSERT, text2]];
  }

  // Check to see if the problem can be split in two.
  var hm = diff_halfMatch_(text1, text2);
  if (hm) {
    // A half-match was found, sort out the return data.
    var text1_a = hm[0];
    var text1_b = hm[1];
    var text2_a = hm[2];
    var text2_b = hm[3];
    var mid_common = hm[4];
    // Send both pairs off for separate processing.
    var diffs_a = diff_main(text1_a, text2_a);
    var diffs_b = diff_main(text1_b, text2_b);
    // Merge the results.
    return diffs_a.concat([[DIFF_EQUAL, mid_common]], diffs_b);
  }

  return diff_bisect_(text1, text2);
};


/**
 * Find the 'middle snake' of a diff, split the problem in two
 * and return the recursively constructed diff.
 * See Myers 1986 paper: An O(ND) Difference Algorithm and Its Variations.
 * @param {string} text1 Old string to be diffed.
 * @param {string} text2 New string to be diffed.
 * @return {Array} Array of diff tuples.
 * @private
 */
function diff_bisect_(text1, text2) {
  // Cache the text lengths to prevent multiple calls.
  var text1_length = text1.length;
  var text2_length = text2.length;
  var max_d = Math.ceil((text1_length + text2_length) / 2);
  var v_offset = max_d;
  var v_length = 2 * max_d;
  var v1 = new Array(v_length);
  var v2 = new Array(v_length);
  // Setting all elements to -1 is faster in Chrome &amp; Firefox than mixing
  // integers and undefined.
  for (var x = 0; x &lt; v_length; x++) {
    v1[x] = -1;
    v2[x] = -1;
  }
  v1[v_offset + 1] = 0;
  v2[v_offset + 1] = 0;
  var delta = text1_length - text2_length;
  // If the total number of characters is odd, then the front path will collide
  // with the reverse path.
  var front = (delta % 2 != 0);
  // Offsets for start and end of k loop.
  // Prevents mapping of space beyond the grid.
  var k1start = 0;
  var k1end = 0;
  var k2start = 0;
  var k2end = 0;
  for (var d = 0; d &lt; max_d; d++) {
    // Walk the front path one step.
    for (var k1 = -d + k1start; k1 &lt;= d - k1end; k1 += 2) {
      var k1_offset = v_offset + k1;
      var x1;
      if (k1 == -d || (k1 != d &amp;&amp; v1[k1_offset - 1] &lt; v1[k1_offset + 1])) {
        x1 = v1[k1_offset + 1];
      } else {
        x1 = v1[k1_offset - 1] + 1;
      }
      var y1 = x1 - k1;
      while (x1 &lt; text1_length &amp;&amp; y1 &lt; text2_length &amp;&amp;
             text1.charAt(x1) == text2.charAt(y1)) {
        x1++;
        y1++;
      }
      v1[k1_offset] = x1;
      if (x1 &gt; text1_length) {
        // Ran off the right of the graph.
        k1end += 2;
      } else if (y1 &gt; text2_length) {
        // Ran off the bottom of the graph.
        k1start += 2;
      } else if (front) {
        var k2_offset = v_offset + delta - k1;
        if (k2_offset &gt;= 0 &amp;&amp; k2_offset &lt; v_length &amp;&amp; v2[k2_offset] != -1) {
          // Mirror x2 onto top-left coordinate system.
          var x2 = text1_length - v2[k2_offset];
          if (x1 &gt;= x2) {
            // Overlap detected.
            return diff_bisectSplit_(text1, text2, x1, y1);
          }
        }
      }
    }

    // Walk the reverse path one step.
    for (var k2 = -d + k2start; k2 &lt;= d - k2end; k2 += 2) {
      var k2_offset = v_offset + k2;
      var x2;
      if (k2 == -d || (k2 != d &amp;&amp; v2[k2_offset - 1] &lt; v2[k2_offset + 1])) {
        x2 = v2[k2_offset + 1];
      } else {
        x2 = v2[k2_offset - 1] + 1;
      }
      var y2 = x2 - k2;
      while (x2 &lt; text1_length &amp;&amp; y2 &lt; text2_length &amp;&amp;
             text1.charAt(text1_length - x2 - 1) ==
             text2.charAt(text2_length - y2 - 1)) {
        x2++;
        y2++;
      }
      v2[k2_offset] = x2;
      if (x2 &gt; text1_length) {
        // Ran off the left of the graph.
        k2end += 2;
      } else if (y2 &gt; text2_length) {
        // Ran off the top of the graph.
        k2start += 2;
      } else if (!front) {
        var k1_offset = v_offset + delta - k2;
        if (k1_offset &gt;= 0 &amp;&amp; k1_offset &lt; v_length &amp;&amp; v1[k1_offset] != -1) {
          var x1 = v1[k1_offset];
          var y1 = v_offset + x1 - k1_offset;
          // Mirror x2 onto top-left coordinate system.
          x2 = text1_length - x2;
          if (x1 &gt;= x2) {
            // Overlap detected.
            return diff_bisectSplit_(text1, text2, x1, y1);
          }
        }
      }
    }
  }
  // Diff took too long and hit the deadline or
  // number of diffs equals number of characters, no commonality at all.
  return [[DIFF_DELETE, text1], [DIFF_INSERT, text2]];
};


/**
 * Given the location of the 'middle snake', split the diff in two parts
 * and recurse.
 * @param {string} text1 Old string to be diffed.
 * @param {string} text2 New string to be diffed.
 * @param {number} x Index of split point in text1.
 * @param {number} y Index of split point in text2.
 * @return {Array} Array of diff tuples.
 */
function diff_bisectSplit_(text1, text2, x, y) {
  var text1a = text1.substring(0, x);
  var text2a = text2.substring(0, y);
  var text1b = text1.substring(x);
  var text2b = text2.substring(y);

  // Compute both diffs serially.
  var diffs = diff_main(text1a, text2a);
  var diffsb = diff_main(text1b, text2b);

  return diffs.concat(diffsb);
};


/**
 * Determine the common prefix of two strings.
 * @param {string} text1 First string.
 * @param {string} text2 Second string.
 * @return {number} The number of characters common to the start of each
 *     string.
 */
function diff_commonPrefix(text1, text2) {
  // Quick check for common null cases.
  if (!text1 || !text2 || text1.charAt(0) != text2.charAt(0)) {
    return 0;
  }
  // Binary search.
  // Performance analysis: http://neil.fraser.name/news/2007/10/09/
  var pointermin = 0;
  var pointermax = Math.min(text1.length, text2.length);
  var pointermid = pointermax;
  var pointerstart = 0;
  while (pointermin &lt; pointermid) {
    if (text1.substring(pointerstart, pointermid) ==
        text2.substring(pointerstart, pointermid)) {
      pointermin = pointermid;
      pointerstart = pointermin;
    } else {
      pointermax = pointermid;
    }
    pointermid = Math.floor((pointermax - pointermin) / 2 + pointermin);
  }
  return pointermid;
};


/**
 * Determine the common suffix of two strings.
 * @param {string} text1 First string.
 * @param {string} text2 Second string.
 * @return {number} The number of characters common to the end of each string.
 */
function diff_commonSuffix(text1, text2) {
  // Quick check for common null cases.
  if (!text1 || !text2 ||
      text1.charAt(text1.length - 1) != text2.charAt(text2.length - 1)) {
    return 0;
  }
  // Binary search.
  // Performance analysis: http://neil.fraser.name/news/2007/10/09/
  var pointermin = 0;
  var pointermax = Math.min(text1.length, text2.length);
  var pointermid = pointermax;
  var pointerend = 0;
  while (pointermin &lt; pointermid) {
    if (text1.substring(text1.length - pointermid, text1.length - pointerend) ==
        text2.substring(text2.length - pointermid, text2.length - pointerend)) {
      pointermin = pointermid;
      pointerend = pointermin;
    } else {
      pointermax = pointermid;
    }
    pointermid = Math.floor((pointermax - pointermin) / 2 + pointermin);
  }
  return pointermid;
};


/**
 * Do the two texts share a substring which is at least half the length of the
 * longer text?
 * This speedup can produce non-minimal diffs.
 * @param {string} text1 First string.
 * @param {string} text2 Second string.
 * @return {Array.&lt;string&gt;} Five element Array, containing the prefix of
 *     text1, the suffix of text1, the prefix of text2, the suffix of
 *     text2 and the common middle.  Or null if there was no match.
 */
function diff_halfMatch_(text1, text2) {
  var longtext = text1.length &gt; text2.length ? text1 : text2;
  var shorttext = text1.length &gt; text2.length ? text2 : text1;
  if (longtext.length &lt; 4 || shorttext.length * 2 &lt; longtext.length) {
    return null;  // Pointless.
  }

  /**
   * Does a substring of shorttext exist within longtext such that the substring
   * is at least half the length of longtext?
   * Closure, but does not reference any external variables.
   * @param {string} longtext Longer string.
   * @param {string} shorttext Shorter string.
   * @param {number} i Start index of quarter length substring within longtext.
   * @return {Array.&lt;string&gt;} Five element Array, containing the prefix of
   *     longtext, the suffix of longtext, the prefix of shorttext, the suffix
   *     of shorttext and the common middle.  Or null if there was no match.
   * @private
   */
  function diff_halfMatchI_(longtext, shorttext, i) {
    // Start with a 1/4 length substring at position i as a seed.
    var seed = longtext.substring(i, i + Math.floor(longtext.length / 4));
    var j = -1;
    var best_common = '';
    var best_longtext_a, best_longtext_b, best_shorttext_a, best_shorttext_b;
    while ((j = shorttext.indexOf(seed, j + 1)) != -1) {
      var prefixLength = diff_commonPrefix(longtext.substring(i),
                                           shorttext.substring(j));
      var suffixLength = diff_commonSuffix(longtext.substring(0, i),
                                           shorttext.substring(0, j));
      if (best_common.length &lt; suffixLength + prefixLength) {
        best_common = shorttext.substring(j - suffixLength, j) +
            shorttext.substring(j, j + prefixLength);
        best_longtext_a = longtext.substring(0, i - suffixLength);
        best_longtext_b = longtext.substring(i + prefixLength);
        best_shorttext_a = shorttext.substring(0, j - suffixLength);
        best_shorttext_b = shorttext.substring(j + prefixLength);
      }
    }
    if (best_common.length * 2 &gt;= longtext.length) {
      return [best_longtext_a, best_longtext_b,
              best_shorttext_a, best_shorttext_b, best_common];
    } else {
      return null;
    }
  }

  // First check if the second quarter is the seed for a half-match.
  var hm1 = diff_halfMatchI_(longtext, shorttext,
                             Math.ceil(longtext.length / 4));
  // Check again based on the third quarter.
  var hm2 = diff_halfMatchI_(longtext, shorttext,
                             Math.ceil(longtext.length / 2));
  var hm;
  if (!hm1 &amp;&amp; !hm2) {
    return null;
  } else if (!hm2) {
    hm = hm1;
  } else if (!hm1) {
    hm = hm2;
  } else {
    // Both matched.  Select the longest.
    hm = hm1[4].length &gt; hm2[4].length ? hm1 : hm2;
  }

  // A half-match was found, sort out the return data.
  var text1_a, text1_b, text2_a, text2_b;
  if (text1.length &gt; text2.length) {
    text1_a = hm[0];
    text1_b = hm[1];
    text2_a = hm[2];
    text2_b = hm[3];
  } else {
    text2_a = hm[0];
    text2_b = hm[1];
    text1_a = hm[2];
    text1_b = hm[3];
  }
  var mid_common = hm[4];
  return [text1_a, text1_b, text2_a, text2_b, mid_common];
};


/**
 * Reorder and merge like edit sections.  Merge equalities.
 * Any edit section can move as long as it doesn't cross an equality.
 * @param {Array} diffs Array of diff tuples.
 */
function diff_cleanupMerge(diffs) {
  diffs.push([DIFF_EQUAL, '']);  // Add a dummy entry at the end.
  var pointer = 0;
  var count_delete = 0;
  var count_insert = 0;
  var text_delete = '';
  var text_insert = '';
  var commonlength;
  while (pointer &lt; diffs.length) {
    switch (diffs[pointer][0]) {
      case DIFF_INSERT:
        count_insert++;
        text_insert += diffs[pointer][1];
        pointer++;
        break;
      case DIFF_DELETE:
        count_delete++;
        text_delete += diffs[pointer][1];
        pointer++;
        break;
      case DIFF_EQUAL:
        // Upon reaching an equality, check for prior redundancies.
        if (count_delete + count_insert &gt; 1) {
          if (count_delete !== 0 &amp;&amp; count_insert !== 0) {
            // Factor out any common prefixies.
            commonlength = diff_commonPrefix(text_insert, text_delete);
            if (commonlength !== 0) {
              if ((pointer - count_delete - count_insert) &gt; 0 &amp;&amp;
                  diffs[pointer - count_delete - count_insert - 1][0] ==
                  DIFF_EQUAL) {
                diffs[pointer - count_delete - count_insert - 1][1] +=
                    text_insert.substring(0, commonlength);
              } else {
                diffs.splice(0, 0, [DIFF_EQUAL,
                                    text_insert.substring(0, commonlength)]);
                pointer++;
              }
              text_insert = text_insert.substring(commonlength);
              text_delete = text_delete.substring(commonlength);
            }
            // Factor out any common suffixies.
            commonlength = diff_commonSuffix(text_insert, text_delete);
            if (commonlength !== 0) {
              diffs[pointer][1] = text_insert.substring(text_insert.length -
                  commonlength) + diffs[pointer][1];
              text_insert = text_insert.substring(0, text_insert.length -
                  commonlength);
              text_delete = text_delete.substring(0, text_delete.length -
                  commonlength);
            }
          }
          // Delete the offending records and add the merged ones.
          if (count_delete === 0) {
            diffs.splice(pointer - count_insert,
                count_delete + count_insert, [DIFF_INSERT, text_insert]);
          } else if (count_insert === 0) {
            diffs.splice(pointer - count_delete,
                count_delete + count_insert, [DIFF_DELETE, text_delete]);
          } else {
            diffs.splice(pointer - count_delete - count_insert,
                count_delete + count_insert, [DIFF_DELETE, text_delete],
                [DIFF_INSERT, text_insert]);
          }
          pointer = pointer - count_delete - count_insert +
                    (count_delete ? 1 : 0) + (count_insert ? 1 : 0) + 1;
        } else if (pointer !== 0 &amp;&amp; diffs[pointer - 1][0] == DIFF_EQUAL) {
          // Merge this equality with the previous one.
          diffs[pointer - 1][1] += diffs[pointer][1];
          diffs.splice(pointer, 1);
        } else {
          pointer++;
        }
        count_insert = 0;
        count_delete = 0;
        text_delete = '';
        text_insert = '';
        break;
    }
  }
  if (diffs[diffs.length - 1][1] === '') {
    diffs.pop();  // Remove the dummy entry at the end.
  }

  // Second pass: look for single edits surrounded on both sides by equalities
  // which can be shifted sideways to eliminate an equality.
  // e.g: A&lt;ins&gt;BA&lt;/ins&gt;C -&gt; &lt;ins&gt;AB&lt;/ins&gt;AC
  var changes = false;
  pointer = 1;
  // Intentionally ignore the first and last element (don't need checking).
  while (pointer &lt; diffs.length - 1) {
    if (diffs[pointer - 1][0] == DIFF_EQUAL &amp;&amp;
        diffs[pointer + 1][0] == DIFF_EQUAL) {
      // This is a single edit surrounded by equalities.
      if (diffs[pointer][1].substring(diffs[pointer][1].length -
          diffs[pointer - 1][1].length) == diffs[pointer - 1][1]) {
        // Shift the edit over the previous equality.
        diffs[pointer][1] = diffs[pointer - 1][1] +
            diffs[pointer][1].substring(0, diffs[pointer][1].length -
                                        diffs[pointer - 1][1].length);
        diffs[pointer + 1][1] = diffs[pointer - 1][1] + diffs[pointer + 1][1];
        diffs.splice(pointer - 1, 1);
        changes = true;
      } else if (diffs[pointer][1].substring(0, diffs[pointer + 1][1].length) ==
          diffs[pointer + 1][1]) {
        // Shift the edit over the next equality.
        diffs[pointer - 1][1] += diffs[pointer + 1][1];
        diffs[pointer][1] =
            diffs[pointer][1].substring(diffs[pointer + 1][1].length) +
            diffs[pointer + 1][1];
        diffs.splice(pointer + 1, 1);
        changes = true;
      }
    }
    pointer++;
  }
  // If shifts were made, the diff needs reordering and another shift sweep.
  if (changes) {
    diff_cleanupMerge(diffs);
  }
};


var diff = diff_main;
diff.INSERT = DIFF_INSERT;
diff.DELETE = DIFF_DELETE;
diff.EQUAL = DIFF_EQUAL;

module.exports = diff;

/*
 * Modify a diff such that the cursor position points to the start of a change:
 * E.g.
 *   cursor_normalize_diff([[DIFF_EQUAL, 'abc']], 1)
 *     =&gt; [1, [[DIFF_EQUAL, 'a'], [DIFF_EQUAL, 'bc']]]
 *   cursor_normalize_diff([[DIFF_INSERT, 'new'], [DIFF_DELETE, 'xyz']], 2)
 *     =&gt; [2, [[DIFF_INSERT, 'new'], [DIFF_DELETE, 'xy'], [DIFF_DELETE, 'z']]]
 *
 * @param {Array} diffs Array of diff tuples
 * @param {Int} cursor_pos Suggested edit position. Must not be out of bounds!
 * @return {Array} A tuple [cursor location in the modified diff, modified diff]
 */
function cursor_normalize_diff (diffs, cursor_pos) {
  if (cursor_pos === 0) {
    return [DIFF_EQUAL, diffs];
  }
  for (var current_pos = 0, i = 0; i &lt; diffs.length; i++) {
    var d = diffs[i];
    if (d[0] === DIFF_DELETE || d[0] === DIFF_EQUAL) {
      var next_pos = current_pos + d[1].length;
      if (cursor_pos === next_pos) {
        return [i + 1, diffs];
      } else if (cursor_pos &lt; next_pos) {
        // copy to prevent side effects
        diffs = diffs.slice();
        // split d into two diff changes
        var split_pos = cursor_pos - current_pos;
        var d_left = [d[0], d[1].slice(0, split_pos)];
        var d_right = [d[0], d[1].slice(split_pos)];
        diffs.splice(i, 1, d_left, d_right);
        return [i + 1, diffs];
      } else {
        current_pos = next_pos;
      }
    }
  }
  throw new Error('cursor_pos is out of bounds!')
}

/*
 * Modify a diff such that the edit position is "shifted" to the proposed edit location (cursor_position).
 *
 * Case 1)
 *   Check if a naive shift is possible:
 *     [0, X], [ 1, Y] -&gt; [ 1, Y], [0, X]    (if X + Y === Y + X)
 *     [0, X], [-1, Y] -&gt; [-1, Y], [0, X]    (if X + Y === Y + X) - holds same result
 * Case 2)
 *   Check if the following shifts are possible:
 *     [0, 'pre'], [ 1, 'prefix'] -&gt; [ 1, 'pre'], [0, 'pre'], [ 1, 'fix']
 *     [0, 'pre'], [-1, 'prefix'] -&gt; [-1, 'pre'], [0, 'pre'], [-1, 'fix']
 *         ^            ^
 *         d          d_next
 *
 * @param {Array} diffs Array of diff tuples
 * @param {Int} cursor_pos Suggested edit position. Must not be out of bounds!
 * @return {Array} Array of diff tuples
 */
function fix_cursor (diffs, cursor_pos) {
  var norm = cursor_normalize_diff(diffs, cursor_pos);
  var ndiffs = norm[1];
  var cursor_pointer = norm[0];
  var d = ndiffs[cursor_pointer];
  var d_next = ndiffs[cursor_pointer + 1];

  if (d == null) {
    // Text was deleted from end of original string,
    // cursor is now out of bounds in new string
    return diffs;
  } else if (d[0] !== DIFF_EQUAL) {
    // A modification happened at the cursor location.
    // This is the expected outcome, so we can return the original diff.
    return diffs;
  } else {
    if (d_next != null &amp;&amp; d[1] + d_next[1] === d_next[1] + d[1]) {
      // Case 1)
      // It is possible to perform a naive shift
      ndiffs.splice(cursor_pointer, 2, d_next, d)
      return merge_tuples(ndiffs, cursor_pointer, 2)
    } else if (d_next != null &amp;&amp; d_next[1].indexOf(d[1]) === 0) {
      // Case 2)
      // d[1] is a prefix of d_next[1]
      // We can assume that d_next[0] !== 0, since d[0] === 0
      // Shift edit locations..
      ndiffs.splice(cursor_pointer, 2, [d_next[0], d[1]], [0, d[1]]);
      var suffix = d_next[1].slice(d[1].length);
      if (suffix.length &gt; 0) {
        ndiffs.splice(cursor_pointer + 2, 0, [d_next[0], suffix]);
      }
      return merge_tuples(ndiffs, cursor_pointer, 3)
    } else {
      // Not possible to perform any modification
      return diffs;
    }
  }
}

/*
 * Check diff did not split surrogate pairs.
 * Ex. [0, '\uD83D'], [-1, '\uDC36'], [1, '\uDC2F'] -&gt; [-1, '\uD83D\uDC36'], [1, '\uD83D\uDC2F']
 *     '\uD83D\uDC36' === 'ðŸ¶', '\uD83D\uDC2F' === 'ðŸ¯'
 *
 * @param {Array} diffs Array of diff tuples
 * @return {Array} Array of diff tuples
 */
function fix_emoji (diffs) {
  var compact = false;
  var starts_with_pair_end = function(str) {
    return str.charCodeAt(0) &gt;= 0xDC00 &amp;&amp; str.charCodeAt(0) &lt;= 0xDFFF;
  }
  var ends_with_pair_start = function(str) {
    return str.charCodeAt(str.length-1) &gt;= 0xD800 &amp;&amp; str.charCodeAt(str.length-1) &lt;= 0xDBFF;
  }
  for (var i = 2; i &lt; diffs.length; i += 1) {
    if (diffs[i-2][0] === DIFF_EQUAL &amp;&amp; ends_with_pair_start(diffs[i-2][1]) &amp;&amp;
        diffs[i-1][0] === DIFF_DELETE &amp;&amp; starts_with_pair_end(diffs[i-1][1]) &amp;&amp;
        diffs[i][0] === DIFF_INSERT &amp;&amp; starts_with_pair_end(diffs[i][1])) {
      compact = true;

      diffs[i-1][1] = diffs[i-2][1].slice(-1) + diffs[i-1][1];
      diffs[i][1] = diffs[i-2][1].slice(-1) + diffs[i][1];

      diffs[i-2][1] = diffs[i-2][1].slice(0, -1);
    }
  }
  if (!compact) {
    return diffs;
  }
  var fixed_diffs = [];
  for (var i = 0; i &lt; diffs.length; i += 1) {
    if (diffs[i][1].length &gt; 0) {
      fixed_diffs.push(diffs[i]);
    }
  }
  return fixed_diffs;
}

/*
 * Try to merge tuples with their neigbors in a given range.
 * E.g. [0, 'a'], [0, 'b'] -&gt; [0, 'ab']
 *
 * @param {Array} diffs Array of diff tuples.
 * @param {Int} start Position of the first element to merge (diffs[start] is also merged with diffs[start - 1]).
 * @param {Int} length Number of consecutive elements to check.
 * @return {Array} Array of merged diff tuples.
 */
function merge_tuples (diffs, start, length) {
  // Check from (start-1) to (start+length).
  for (var i = start + length - 1; i &gt;= 0 &amp;&amp; i &gt;= start - 1; i--) {
    if (i + 1 &lt; diffs.length) {
      var left_d = diffs[i];
      var right_d = diffs[i+1];
      if (left_d[0] === right_d[1]) {
        diffs.splice(i, 2, [left_d[0], left_d[1] + right_d[1]]);
      }
    }
  }
  return diffs;
}


/***/ }),
/* 52 */
/***/ (function(module, exports) {

exports = module.exports = typeof Object.keys === 'function'
  ? Object.keys : shim;

exports.shim = shim;
function shim (obj) {
  var keys = [];
  for (var key in obj) keys.push(key);
  return keys;
}


/***/ }),
/* 53 */
/***/ (function(module, exports) {

var supportsArgumentsClass = (function(){
  return Object.prototype.toString.call(arguments)
})() == '[object Arguments]';

exports = module.exports = supportsArgumentsClass ? supported : unsupported;

exports.supported = supported;
function supported(object) {
  return Object.prototype.toString.call(object) == '[object Arguments]';
};

exports.unsupported = unsupported;
function unsupported(object){
  return object &amp;&amp;
    typeof object == 'object' &amp;&amp;
    typeof object.length == 'number' &amp;&amp;
    Object.prototype.hasOwnProperty.call(object, 'callee') &amp;&amp;
    !Object.prototype.propertyIsEnumerable.call(object, 'callee') ||
    false;
};


/***/ }),
/* 54 */
/***/ (function(module, exports) {

'use strict';

var has = Object.prototype.hasOwnProperty
  , prefix = '~';

/**
 * Constructor to create a storage for our `EE` objects.
 * An `Events` instance is a plain object whose properties are event names.
 *
 * @constructor
 * @api private
 */
function Events() {}

//
// We try to not inherit from `Object.prototype`. In some engines creating an
// instance in this way is faster than calling `Object.create(null)` directly.
// If `Object.create(null)` is not supported we prefix the event names with a
// character to make sure that the built-in object properties are not
// overridden or used as an attack vector.
//
if (Object.create) {
  Events.prototype = Object.create(null);

  //
  // This hack is needed because the `__proto__` property is still inherited in
  // some old browsers like Android 4, iPhone 5.1, Opera 11 and Safari 5.
  //
  if (!new Events().__proto__) prefix = false;
}

/**
 * Representation of a single event listener.
 *
 * @param {Function} fn The listener function.
 * @param {Mixed} context The context to invoke the listener with.
 * @param {Boolean} [once=false] Specify if the listener is a one-time listener.
 * @constructor
 * @api private
 */
function EE(fn, context, once) {
  this.fn = fn;
  this.context = context;
  this.once = once || false;
}

/**
 * Minimal `EventEmitter` interface that is molded against the Node.js
 * `EventEmitter` interface.
 *
 * @constructor
 * @api public
 */
function EventEmitter() {
  this._events = new Events();
  this._eventsCount = 0;
}

/**
 * Return an array listing the events for which the emitter has registered
 * listeners.
 *
 * @returns {Array}
 * @api public
 */
EventEmitter.prototype.eventNames = function eventNames() {
  var names = []
    , events
    , name;

  if (this._eventsCount === 0) return names;

  for (name in (events = this._events)) {
    if (has.call(events, name)) names.push(prefix ? name.slice(1) : name);
  }

  if (Object.getOwnPropertySymbols) {
    return names.concat(Object.getOwnPropertySymbols(events));
  }

  return names;
};

/**
 * Return the listeners registered for a given event.
 *
 * @param {String|Symbol} event The event name.
 * @param {Boolean} exists Only check if there are listeners.
 * @returns {Array|Boolean}
 * @api public
 */
EventEmitter.prototype.listeners = function listeners(event, exists) {
  var evt = prefix ? prefix + event : event
    , available = this._events[evt];

  if (exists) return !!available;
  if (!available) return [];
  if (available.fn) return [available.fn];

  for (var i = 0, l = available.length, ee = new Array(l); i &lt; l; i++) {
    ee[i] = available[i].fn;
  }

  return ee;
};

/**
 * Calls each of the listeners registered for a given event.
 *
 * @param {String|Symbol} event The event name.
 * @returns {Boolean} `true` if the event had listeners, else `false`.
 * @api public
 */
EventEmitter.prototype.emit = function emit(event, a1, a2, a3, a4, a5) {
  var evt = prefix ? prefix + event : event;

  if (!this._events[evt]) return false;

  var listeners = this._events[evt]
    , len = arguments.length
    , args
    , i;

  if (listeners.fn) {
    if (listeners.once) this.removeListener(event, listeners.fn, undefined, true);

    switch (len) {
      case 1: return listeners.fn.call(listeners.context), true;
      case 2: return listeners.fn.call(listeners.context, a1), true;
      case 3: return listeners.fn.call(listeners.context, a1, a2), true;
      case 4: return listeners.fn.call(listeners.context, a1, a2, a3), true;
      case 5: return listeners.fn.call(listeners.context, a1, a2, a3, a4), true;
      case 6: return listeners.fn.call(listeners.context, a1, a2, a3, a4, a5), true;
    }

    for (i = 1, args = new Array(len -1); i &lt; len; i++) {
      args[i - 1] = arguments[i];
    }

    listeners.fn.apply(listeners.context, args);
  } else {
    var length = listeners.length
      , j;

    for (i = 0; i &lt; length; i++) {
      if (listeners[i].once) this.removeListener(event, listeners[i].fn, undefined, true);

      switch (len) {
        case 1: listeners[i].fn.call(listeners[i].context); break;
        case 2: listeners[i].fn.call(listeners[i].context, a1); break;
        case 3: listeners[i].fn.call(listeners[i].context, a1, a2); break;
        case 4: listeners[i].fn.call(listeners[i].context, a1, a2, a3); break;
        default:
          if (!args) for (j = 1, args = new Array(len -1); j &lt; len; j++) {
            args[j - 1] = arguments[j];
          }

          listeners[i].fn.apply(listeners[i].context, args);
      }
    }
  }

  return true;
};

/**
 * Add a listener for a given event.
 *
 * @param {String|Symbol} event The event name.
 * @param {Function} fn The listener function.
 * @param {Mixed} [context=this] The context to invoke the listener with.
 * @returns {EventEmitter} `this`.
 * @api public
 */
EventEmitter.prototype.on = function on(event, fn, context) {
  var listener = new EE(fn, context || this)
    , evt = prefix ? prefix + event : event;

  if (!this._events[evt]) this._events[evt] = listener, this._eventsCount++;
  else if (!this._events[evt].fn) this._events[evt].push(listener);
  else this._events[evt] = [this._events[evt], listener];

  return this;
};

/**
 * Add a one-time listener for a given event.
 *
 * @param {String|Symbol} event The event name.
 * @param {Function} fn The listener function.
 * @param {Mixed} [context=this] The context to invoke the listener with.
 * @returns {EventEmitter} `this`.
 * @api public
 */
EventEmitter.prototype.once = function once(event, fn, context) {
  var listener = new EE(fn, context || this, true)
    , evt = prefix ? prefix + event : event;

  if (!this._events[evt]) this._events[evt] = listener, this._eventsCount++;
  else if (!this._events[evt].fn) this._events[evt].push(listener);
  else this._events[evt] = [this._events[evt], listener];

  return this;
};

/**
 * Remove the listeners of a given event.
 *
 * @param {String|Symbol} event The event name.
 * @param {Function} fn Only remove the listeners that match this function.
 * @param {Mixed} context Only remove the listeners that have this context.
 * @param {Boolean} once Only remove one-time listeners.
 * @returns {EventEmitter} `this`.
 * @api public
 */
EventEmitter.prototype.removeListener = function removeListener(event, fn, context, once) {
  var evt = prefix ? prefix + event : event;

  if (!this._events[evt]) return this;
  if (!fn) {
    if (--this._eventsCount === 0) this._events = new Events();
    else delete this._events[evt];
    return this;
  }

  var listeners = this._events[evt];

  if (listeners.fn) {
    if (
         listeners.fn === fn
      &amp;&amp; (!once || listeners.once)
      &amp;&amp; (!context || listeners.context === context)
    ) {
      if (--this._eventsCount === 0) this._events = new Events();
      else delete this._events[evt];
    }
  } else {
    for (var i = 0, events = [], length = listeners.length; i &lt; length; i++) {
      if (
           listeners[i].fn !== fn
        || (once &amp;&amp; !listeners[i].once)
        || (context &amp;&amp; listeners[i].context !== context)
      ) {
        events.push(listeners[i]);
      }
    }

    //
    // Reset the array, or remove it completely if we have no more listeners.
    //
    if (events.length) this._events[evt] = events.length === 1 ? events[0] : events;
    else if (--this._eventsCount === 0) this._events = new Events();
    else delete this._events[evt];
  }

  return this;
};

/**
 * Remove all listeners, or those of the specified event.
 *
 * @param {String|Symbol} [event] The event name.
 * @returns {EventEmitter} `this`.
 * @api public
 */
EventEmitter.prototype.removeAllListeners = function removeAllListeners(event) {
  var evt;

  if (event) {
    evt = prefix ? prefix + event : event;
    if (this._events[evt]) {
      if (--this._eventsCount === 0) this._events = new Events();
      else delete this._events[evt];
    }
  } else {
    this._events = new Events();
    this._eventsCount = 0;
  }

  return this;
};

//
// Alias methods names because people roll like that.
//
EventEmitter.prototype.off = EventEmitter.prototype.removeListener;
EventEmitter.prototype.addListener = EventEmitter.prototype.on;

//
// This function doesn't apply anymore.
//
EventEmitter.prototype.setMaxListeners = function setMaxListeners() {
  return this;
};

//
// Expose the prefix.
//
EventEmitter.prefixed = prefix;

//
// Allow `EventEmitter` to be imported as module namespace.
//
EventEmitter.EventEmitter = EventEmitter;

//
// Expose the module.
//
if ('undefined' !== typeof module) {
  module.exports = EventEmitter;
}


/***/ }),
/* 55 */
/***/ (function(module, exports, __nested_webpack_require_316416__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.matchText = exports.matchSpacing = exports.matchNewline = exports.matchBlot = exports.matchAttributor = exports.default = undefined;

var _typeof = typeof Symbol === "function" &amp;&amp; typeof Symbol.iterator === "symbol" ? function (obj) { return typeof obj; } : function (obj) { return obj &amp;&amp; typeof Symbol === "function" &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj; };

var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _extend2 = __nested_webpack_require_316416__(3);

var _extend3 = _interopRequireDefault(_extend2);

var _quillDelta = __nested_webpack_require_316416__(2);

var _quillDelta2 = _interopRequireDefault(_quillDelta);

var _parchment = __nested_webpack_require_316416__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _quill = __nested_webpack_require_316416__(5);

var _quill2 = _interopRequireDefault(_quill);

var _logger = __nested_webpack_require_316416__(10);

var _logger2 = _interopRequireDefault(_logger);

var _module = __nested_webpack_require_316416__(9);

var _module2 = _interopRequireDefault(_module);

var _align = __nested_webpack_require_316416__(36);

var _background = __nested_webpack_require_316416__(37);

var _code = __nested_webpack_require_316416__(13);

var _code2 = _interopRequireDefault(_code);

var _color = __nested_webpack_require_316416__(26);

var _direction = __nested_webpack_require_316416__(38);

var _font = __nested_webpack_require_316416__(39);

var _size = __nested_webpack_require_316416__(40);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var debug = (0, _logger2.default)('quill:clipboard');

var DOM_KEY = '__ql-matcher';

var CLIPBOARD_CONFIG = [[Node.TEXT_NODE, matchText], [Node.TEXT_NODE, matchNewline], ['br', matchBreak], [Node.ELEMENT_NODE, matchNewline], [Node.ELEMENT_NODE, matchBlot], [Node.ELEMENT_NODE, matchSpacing], [Node.ELEMENT_NODE, matchAttributor], [Node.ELEMENT_NODE, matchStyles], ['li', matchIndent], ['b', matchAlias.bind(matchAlias, 'bold')], ['i', matchAlias.bind(matchAlias, 'italic')], ['style', matchIgnore]];

var ATTRIBUTE_ATTRIBUTORS = [_align.AlignAttribute, _direction.DirectionAttribute].reduce(function (memo, attr) {
  memo[attr.keyName] = attr;
  return memo;
}, {});

var STYLE_ATTRIBUTORS = [_align.AlignStyle, _background.BackgroundStyle, _color.ColorStyle, _direction.DirectionStyle, _font.FontStyle, _size.SizeStyle].reduce(function (memo, attr) {
  memo[attr.keyName] = attr;
  return memo;
}, {});

var Clipboard = function (_Module) {
  _inherits(Clipboard, _Module);

  function Clipboard(quill, options) {
    _classCallCheck(this, Clipboard);

    var _this = _possibleConstructorReturn(this, (Clipboard.__proto__ || Object.getPrototypeOf(Clipboard)).call(this, quill, options));

    _this.quill.root.addEventListener('paste', _this.onPaste.bind(_this));
    _this.container = _this.quill.addContainer('ql-clipboard');
    _this.container.setAttribute('contenteditable', true);
    _this.container.setAttribute('tabindex', -1);
    _this.matchers = [];
    CLIPBOARD_CONFIG.concat(_this.options.matchers).forEach(function (_ref) {
      var _ref2 = _slicedToArray(_ref, 2),
          selector = _ref2[0],
          matcher = _ref2[1];

      if (!options.matchVisual &amp;&amp; matcher === matchSpacing) return;
      _this.addMatcher(selector, matcher);
    });
    return _this;
  }

  _createClass(Clipboard, [{
    key: 'addMatcher',
    value: function addMatcher(selector, matcher) {
      this.matchers.push([selector, matcher]);
    }
  }, {
    key: 'convert',
    value: function convert(html) {
      if (typeof html === 'string') {
        this.container.innerHTML = html.replace(/\&gt;\r?\n +\&lt;/g, '&gt;&lt;'); // Remove spaces between tags
        return this.convert();
      }
      var formats = this.quill.getFormat(this.quill.selection.savedRange.index);
      if (formats[_code2.default.blotName]) {
        var text = this.container.innerText;
        this.container.innerHTML = '';
        return new _quillDelta2.default().insert(text, _defineProperty({}, _code2.default.blotName, formats[_code2.default.blotName]));
      }

      var _prepareMatching = this.prepareMatching(),
          _prepareMatching2 = _slicedToArray(_prepareMatching, 2),
          elementMatchers = _prepareMatching2[0],
          textMatchers = _prepareMatching2[1];

      var delta = traverse(this.container, elementMatchers, textMatchers);
      // Remove trailing newline
      if (deltaEndsWith(delta, '\n') &amp;&amp; delta.ops[delta.ops.length - 1].attributes == null) {
        delta = delta.compose(new _quillDelta2.default().retain(delta.length() - 1).delete(1));
      }
      debug.log('convert', this.container.innerHTML, delta);
      this.container.innerHTML = '';
      return delta;
    }
  }, {
    key: 'dangerouslyPasteHTML',
    value: function dangerouslyPasteHTML(index, html) {
      var source = arguments.length &gt; 2 &amp;&amp; arguments[2] !== undefined ? arguments[2] : _quill2.default.sources.API;

      if (typeof index === 'string') {
        this.quill.setContents(this.convert(index), html);
        this.quill.setSelection(0, _quill2.default.sources.SILENT);
      } else {
        var paste = this.convert(html);
        this.quill.updateContents(new _quillDelta2.default().retain(index).concat(paste), source);
        this.quill.setSelection(index + paste.length(), _quill2.default.sources.SILENT);
      }
    }
  }, {
    key: 'onPaste',
    value: function onPaste(e) {
      var _this2 = this;

      if (e.defaultPrevented || !this.quill.isEnabled()) return;
      var range = this.quill.getSelection();
      var delta = new _quillDelta2.default().retain(range.index);
      var scrollTop = this.quill.scrollingContainer.scrollTop;
      this.container.focus();
      this.quill.selection.update(_quill2.default.sources.SILENT);
      setTimeout(function () {
        delta = delta.concat(_this2.convert()).delete(range.length);
        _this2.quill.updateContents(delta, _quill2.default.sources.USER);
        // range.length contributes to delta.length()
        _this2.quill.setSelection(delta.length() - range.length, _quill2.default.sources.SILENT);
        _this2.quill.scrollingContainer.scrollTop = scrollTop;
        _this2.quill.focus();
      }, 1);
    }
  }, {
    key: 'prepareMatching',
    value: function prepareMatching() {
      var _this3 = this;

      var elementMatchers = [],
          textMatchers = [];
      this.matchers.forEach(function (pair) {
        var _pair = _slicedToArray(pair, 2),
            selector = _pair[0],
            matcher = _pair[1];

        switch (selector) {
          case Node.TEXT_NODE:
            textMatchers.push(matcher);
            break;
          case Node.ELEMENT_NODE:
            elementMatchers.push(matcher);
            break;
          default:
            [].forEach.call(_this3.container.querySelectorAll(selector), function (node) {
              // TODO use weakmap
              node[DOM_KEY] = node[DOM_KEY] || [];
              node[DOM_KEY].push(matcher);
            });
            break;
        }
      });
      return [elementMatchers, textMatchers];
    }
  }]);

  return Clipboard;
}(_module2.default);

Clipboard.DEFAULTS = {
  matchers: [],
  matchVisual: true
};

function applyFormat(delta, format, value) {
  if ((typeof format === 'undefined' ? 'undefined' : _typeof(format)) === 'object') {
    return Object.keys(format).reduce(function (delta, key) {
      return applyFormat(delta, key, format[key]);
    }, delta);
  } else {
    return delta.reduce(function (delta, op) {
      if (op.attributes &amp;&amp; op.attributes[format]) {
        return delta.push(op);
      } else {
        return delta.insert(op.insert, (0, _extend3.default)({}, _defineProperty({}, format, value), op.attributes));
      }
    }, new _quillDelta2.default());
  }
}

function computeStyle(node) {
  if (node.nodeType !== Node.ELEMENT_NODE) return {};
  var DOM_KEY = '__ql-computed-style';
  return node[DOM_KEY] || (node[DOM_KEY] = window.getComputedStyle(node));
}

function deltaEndsWith(delta, text) {
  var endText = "";
  for (var i = delta.ops.length - 1; i &gt;= 0 &amp;&amp; endText.length &lt; text.length; --i) {
    var op = delta.ops[i];
    if (typeof op.insert !== 'string') break;
    endText = op.insert + endText;
  }
  return endText.slice(-1 * text.length) === text;
}

function isLine(node) {
  if (node.childNodes.length === 0) return false; // Exclude embed blocks
  var style = computeStyle(node);
  return ['block', 'list-item'].indexOf(style.display) &gt; -1;
}

function traverse(node, elementMatchers, textMatchers) {
  // Post-order
  if (node.nodeType === node.TEXT_NODE) {
    return textMatchers.reduce(function (delta, matcher) {
      return matcher(node, delta);
    }, new _quillDelta2.default());
  } else if (node.nodeType === node.ELEMENT_NODE) {
    return [].reduce.call(node.childNodes || [], function (delta, childNode) {
      var childrenDelta = traverse(childNode, elementMatchers, textMatchers);
      if (childNode.nodeType === node.ELEMENT_NODE) {
        childrenDelta = elementMatchers.reduce(function (childrenDelta, matcher) {
          return matcher(childNode, childrenDelta);
        }, childrenDelta);
        childrenDelta = (childNode[DOM_KEY] || []).reduce(function (childrenDelta, matcher) {
          return matcher(childNode, childrenDelta);
        }, childrenDelta);
      }
      return delta.concat(childrenDelta);
    }, new _quillDelta2.default());
  } else {
    return new _quillDelta2.default();
  }
}

function matchAlias(format, node, delta) {
  return applyFormat(delta, format, true);
}

function matchAttributor(node, delta) {
  var attributes = _parchment2.default.Attributor.Attribute.keys(node);
  var classes = _parchment2.default.Attributor.Class.keys(node);
  var styles = _parchment2.default.Attributor.Style.keys(node);
  var formats = {};
  attributes.concat(classes).concat(styles).forEach(function (name) {
    var attr = _parchment2.default.query(name, _parchment2.default.Scope.ATTRIBUTE);
    if (attr != null) {
      formats[attr.attrName] = attr.value(node);
      if (formats[attr.attrName]) return;
    }
    attr = ATTRIBUTE_ATTRIBUTORS[name];
    if (attr != null &amp;&amp; (attr.attrName === name || attr.keyName === name)) {
      formats[attr.attrName] = attr.value(node) || undefined;
    }
    attr = STYLE_ATTRIBUTORS[name];
    if (attr != null &amp;&amp; (attr.attrName === name || attr.keyName === name)) {
      attr = STYLE_ATTRIBUTORS[name];
      formats[attr.attrName] = attr.value(node) || undefined;
    }
  });
  if (Object.keys(formats).length &gt; 0) {
    delta = applyFormat(delta, formats);
  }
  return delta;
}

function matchBlot(node, delta) {
  var match = _parchment2.default.query(node);
  if (match == null) return delta;
  if (match.prototype instanceof _parchment2.default.Embed) {
    var embed = {};
    var value = match.value(node);
    if (value != null) {
      embed[match.blotName] = value;
      delta = new _quillDelta2.default().insert(embed, match.formats(node));
    }
  } else if (typeof match.formats === 'function') {
    delta = applyFormat(delta, match.blotName, match.formats(node));
  }
  return delta;
}

function matchBreak(node, delta) {
  if (!deltaEndsWith(delta, '\n')) {
    delta.insert('\n');
  }
  return delta;
}

function matchIgnore() {
  return new _quillDelta2.default();
}

function matchIndent(node, delta) {
  var match = _parchment2.default.query(node);
  if (match == null || match.blotName !== 'list-item' || !deltaEndsWith(delta, '\n')) {
    return delta;
  }
  var indent = -1,
      parent = node.parentNode;
  while (!parent.classList.contains('ql-clipboard')) {
    if ((_parchment2.default.query(parent) || {}).blotName === 'list') {
      indent += 1;
    }
    parent = parent.parentNode;
  }
  if (indent &lt;= 0) return delta;
  return delta.compose(new _quillDelta2.default().retain(delta.length() - 1).retain(1, { indent: indent }));
}

function matchNewline(node, delta) {
  if (!deltaEndsWith(delta, '\n')) {
    if (isLine(node) || delta.length() &gt; 0 &amp;&amp; node.nextSibling &amp;&amp; isLine(node.nextSibling)) {
      delta.insert('\n');
    }
  }
  return delta;
}

function matchSpacing(node, delta) {
  if (isLine(node) &amp;&amp; node.nextElementSibling != null &amp;&amp; !deltaEndsWith(delta, '\n\n')) {
    var nodeHeight = node.offsetHeight + parseFloat(computeStyle(node).marginTop) + parseFloat(computeStyle(node).marginBottom);
    if (node.nextElementSibling.offsetTop &gt; node.offsetTop + nodeHeight * 1.5) {
      delta.insert('\n');
    }
  }
  return delta;
}

function matchStyles(node, delta) {
  var formats = {};
  var style = node.style || {};
  if (style.fontStyle &amp;&amp; computeStyle(node).fontStyle === 'italic') {
    formats.italic = true;
  }
  if (style.fontWeight &amp;&amp; (computeStyle(node).fontWeight.startsWith('bold') || parseInt(computeStyle(node).fontWeight) &gt;= 700)) {
    formats.bold = true;
  }
  if (Object.keys(formats).length &gt; 0) {
    delta = applyFormat(delta, formats);
  }
  if (parseFloat(style.textIndent || 0) &gt; 0) {
    // Could be 0.5in
    delta = new _quillDelta2.default().insert('\t').concat(delta);
  }
  return delta;
}

function matchText(node, delta) {
  var text = node.data;
  // Word represents empty line with &lt;o:p&gt;&amp;nbsp;&lt;/o:p&gt;
  if (node.parentNode.tagName === 'O:P') {
    return delta.insert(text.trim());
  }
  if (text.trim().length === 0 &amp;&amp; node.parentNode.classList.contains('ql-clipboard')) {
    return delta;
  }
  if (!computeStyle(node.parentNode).whiteSpace.startsWith('pre')) {
    // eslint-disable-next-line func-style
    var replacer = function replacer(collapse, match) {
      match = match.replace(/[^\u00a0]/g, ''); // \u00a0 is nbsp;
      return match.length &lt; 1 &amp;&amp; collapse ? ' ' : match;
    };
    text = text.replace(/\r\n/g, ' ').replace(/\n/g, ' ');
    text = text.replace(/\s\s+/g, replacer.bind(replacer, true)); // collapse whitespace
    if (node.previousSibling == null &amp;&amp; isLine(node.parentNode) || node.previousSibling != null &amp;&amp; isLine(node.previousSibling)) {
      text = text.replace(/^\s+/, replacer.bind(replacer, false));
    }
    if (node.nextSibling == null &amp;&amp; isLine(node.parentNode) || node.nextSibling != null &amp;&amp; isLine(node.nextSibling)) {
      text = text.replace(/\s+$/, replacer.bind(replacer, false));
    }
  }
  return delta.insert(text);
}

exports.default = Clipboard;
exports.matchAttributor = matchAttributor;
exports.matchBlot = matchBlot;
exports.matchNewline = matchNewline;
exports.matchSpacing = matchSpacing;
exports.matchText = matchText;

/***/ }),
/* 56 */
/***/ (function(module, exports, __nested_webpack_require_333274__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _inline = __nested_webpack_require_333274__(6);

var _inline2 = _interopRequireDefault(_inline);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Bold = function (_Inline) {
  _inherits(Bold, _Inline);

  function Bold() {
    _classCallCheck(this, Bold);

    return _possibleConstructorReturn(this, (Bold.__proto__ || Object.getPrototypeOf(Bold)).apply(this, arguments));
  }

  _createClass(Bold, [{
    key: 'optimize',
    value: function optimize(context) {
      _get(Bold.prototype.__proto__ || Object.getPrototypeOf(Bold.prototype), 'optimize', this).call(this, context);
      if (this.domNode.tagName !== this.statics.tagName[0]) {
        this.replaceWith(this.statics.blotName);
      }
    }
  }], [{
    key: 'create',
    value: function create() {
      return _get(Bold.__proto__ || Object.getPrototypeOf(Bold), 'create', this).call(this);
    }
  }, {
    key: 'formats',
    value: function formats() {
      return true;
    }
  }]);

  return Bold;
}(_inline2.default);

Bold.blotName = 'bold';
Bold.tagName = ['STRONG', 'B'];

exports.default = Bold;

/***/ }),
/* 57 */
/***/ (function(module, exports, __nested_webpack_require_336502__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.addControls = exports.default = undefined;

var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _quillDelta = __nested_webpack_require_336502__(2);

var _quillDelta2 = _interopRequireDefault(_quillDelta);

var _parchment = __nested_webpack_require_336502__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _quill = __nested_webpack_require_336502__(5);

var _quill2 = _interopRequireDefault(_quill);

var _logger = __nested_webpack_require_336502__(10);

var _logger2 = _interopRequireDefault(_logger);

var _module = __nested_webpack_require_336502__(9);

var _module2 = _interopRequireDefault(_module);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var debug = (0, _logger2.default)('quill:toolbar');

var Toolbar = function (_Module) {
  _inherits(Toolbar, _Module);

  function Toolbar(quill, options) {
    _classCallCheck(this, Toolbar);

    var _this = _possibleConstructorReturn(this, (Toolbar.__proto__ || Object.getPrototypeOf(Toolbar)).call(this, quill, options));

    if (Array.isArray(_this.options.container)) {
      var container = document.createElement('div');
      addControls(container, _this.options.container);
      quill.container.parentNode.insertBefore(container, quill.container);
      _this.container = container;
    } else if (typeof _this.options.container === 'string') {
      _this.container = document.querySelector(_this.options.container);
    } else {
      _this.container = _this.options.container;
    }
    if (!(_this.container instanceof HTMLElement)) {
      var _ret;

      return _ret = debug.error('Container required for toolbar', _this.options), _possibleConstructorReturn(_this, _ret);
    }
    _this.container.classList.add('ql-toolbar');
    _this.controls = [];
    _this.handlers = {};
    Object.keys(_this.options.handlers).forEach(function (format) {
      _this.addHandler(format, _this.options.handlers[format]);
    });
    [].forEach.call(_this.container.querySelectorAll('button, select'), function (input) {
      _this.attach(input);
    });
    _this.quill.on(_quill2.default.events.EDITOR_CHANGE, function (type, range) {
      if (type === _quill2.default.events.SELECTION_CHANGE) {
        _this.update(range);
      }
    });
    _this.quill.on(_quill2.default.events.SCROLL_OPTIMIZE, function () {
      var _this$quill$selection = _this.quill.selection.getRange(),
          _this$quill$selection2 = _slicedToArray(_this$quill$selection, 1),
          range = _this$quill$selection2[0]; // quill.getSelection triggers update


      _this.update(range);
    });
    return _this;
  }

  _createClass(Toolbar, [{
    key: 'addHandler',
    value: function addHandler(format, handler) {
      this.handlers[format] = handler;
    }
  }, {
    key: 'attach',
    value: function attach(input) {
      var _this2 = this;

      var format = [].find.call(input.classList, function (className) {
        return className.indexOf('ql-') === 0;
      });
      if (!format) return;
      format = format.slice('ql-'.length);
      if (input.tagName === 'BUTTON') {
        input.setAttribute('type', 'button');
      }
      if (this.handlers[format] == null) {
        if (this.quill.scroll.whitelist != null &amp;&amp; this.quill.scroll.whitelist[format] == null) {
          debug.warn('ignoring attaching to disabled format', format, input);
          return;
        }
        if (_parchment2.default.query(format) == null) {
          debug.warn('ignoring attaching to nonexistent format', format, input);
          return;
        }
      }
      var eventName = input.tagName === 'SELECT' ? 'change' : 'click';
      input.addEventListener(eventName, function (e) {
        var value = void 0;
        if (input.tagName === 'SELECT') {
          if (input.selectedIndex &lt; 0) return;
          var selected = input.options[input.selectedIndex];
          if (selected.hasAttribute('selected')) {
            value = false;
          } else {
            value = selected.value || false;
          }
        } else {
          if (input.classList.contains('ql-active')) {
            value = false;
          } else {
            value = input.value || !input.hasAttribute('value');
          }
          e.preventDefault();
        }
        _this2.quill.focus();

        var _quill$selection$getR = _this2.quill.selection.getRange(),
            _quill$selection$getR2 = _slicedToArray(_quill$selection$getR, 1),
            range = _quill$selection$getR2[0];

        if (_this2.handlers[format] != null) {
          _this2.handlers[format].call(_this2, value);
        } else if (_parchment2.default.query(format).prototype instanceof _parchment2.default.Embed) {
          value = prompt('Enter ' + format);
          if (!value) return;
          _this2.quill.updateContents(new _quillDelta2.default().retain(range.index).delete(range.length).insert(_defineProperty({}, format, value)), _quill2.default.sources.USER);
        } else {
          _this2.quill.format(format, value, _quill2.default.sources.USER);
        }
        _this2.update(range);
      });
      // TODO use weakmap
      this.controls.push([format, input]);
    }
  }, {
    key: 'update',
    value: function update(range) {
      var formats = range == null ? {} : this.quill.getFormat(range);
      this.controls.forEach(function (pair) {
        var _pair = _slicedToArray(pair, 2),
            format = _pair[0],
            input = _pair[1];

        if (input.tagName === 'SELECT') {
          var option = void 0;
          if (range == null) {
            option = null;
          } else if (formats[format] == null) {
            option = input.querySelector('option[selected]');
          } else if (!Array.isArray(formats[format])) {
            var value = formats[format];
            if (typeof value === 'string') {
              value = value.replace(/\"/g, '\\"');
            }
            option = input.querySelector('option[value="' + value + '"]');
          }
          if (option == null) {
            input.value = ''; // TODO make configurable?
            input.selectedIndex = -1;
          } else {
            option.selected = true;
          }
        } else {
          if (range == null) {
            input.classList.remove('ql-active');
          } else if (input.hasAttribute('value')) {
            // both being null should match (default values)
            // '1' should match with 1 (headers)
            var isActive = formats[format] === input.getAttribute('value') || formats[format] != null &amp;&amp; formats[format].toString() === input.getAttribute('value') || formats[format] == null &amp;&amp; !input.getAttribute('value');
            input.classList.toggle('ql-active', isActive);
          } else {
            input.classList.toggle('ql-active', formats[format] != null);
          }
        }
      });
    }
  }]);

  return Toolbar;
}(_module2.default);

Toolbar.DEFAULTS = {};

function addButton(container, format, value) {
  var input = document.createElement('button');
  input.setAttribute('type', 'button');
  input.classList.add('ql-' + format);
  if (value != null) {
    input.value = value;
  }
  container.appendChild(input);
}

function addControls(container, groups) {
  if (!Array.isArray(groups[0])) {
    groups = [groups];
  }
  groups.forEach(function (controls) {
    var group = document.createElement('span');
    group.classList.add('ql-formats');
    controls.forEach(function (control) {
      if (typeof control === 'string') {
        addButton(group, control);
      } else {
        var format = Object.keys(control)[0];
        var value = control[format];
        if (Array.isArray(value)) {
          addSelect(group, format, value);
        } else {
          addButton(group, format, value);
        }
      }
    });
    container.appendChild(group);
  });
}

function addSelect(container, format, values) {
  var input = document.createElement('select');
  input.classList.add('ql-' + format);
  values.forEach(function (value) {
    var option = document.createElement('option');
    if (value !== false) {
      option.setAttribute('value', value);
    } else {
      option.setAttribute('selected', 'selected');
    }
    input.appendChild(option);
  });
  container.appendChild(input);
}

Toolbar.DEFAULTS = {
  container: null,
  handlers: {
    clean: function clean() {
      var _this3 = this;

      var range = this.quill.getSelection();
      if (range == null) return;
      if (range.length == 0) {
        var formats = this.quill.getFormat();
        Object.keys(formats).forEach(function (name) {
          // Clean functionality in existing apps only clean inline formats
          if (_parchment2.default.query(name, _parchment2.default.Scope.INLINE) != null) {
            _this3.quill.format(name, false);
          }
        });
      } else {
        this.quill.removeFormat(range, _quill2.default.sources.USER);
      }
    },
    direction: function direction(value) {
      var align = this.quill.getFormat()['align'];
      if (value === 'rtl' &amp;&amp; align == null) {
        this.quill.format('align', 'right', _quill2.default.sources.USER);
      } else if (!value &amp;&amp; align === 'right') {
        this.quill.format('align', false, _quill2.default.sources.USER);
      }
      this.quill.format('direction', value, _quill2.default.sources.USER);
    },
    indent: function indent(value) {
      var range = this.quill.getSelection();
      var formats = this.quill.getFormat(range);
      var indent = parseInt(formats.indent || 0);
      if (value === '+1' || value === '-1') {
        var modifier = value === '+1' ? 1 : -1;
        if (formats.direction === 'rtl') modifier *= -1;
        this.quill.format('indent', indent + modifier, _quill2.default.sources.USER);
      }
    },
    link: function link(value) {
      if (value === true) {
        value = prompt('Enter link URL:');
      }
      this.quill.format('link', value, _quill2.default.sources.USER);
    },
    list: function list(value) {
      var range = this.quill.getSelection();
      var formats = this.quill.getFormat(range);
      if (value === 'check') {
        if (formats['list'] === 'checked' || formats['list'] === 'unchecked') {
          this.quill.format('list', false, _quill2.default.sources.USER);
        } else {
          this.quill.format('list', 'unchecked', _quill2.default.sources.USER);
        }
      } else {
        this.quill.format('list', value, _quill2.default.sources.USER);
      }
    }
  }
};

exports.default = Toolbar;
exports.addControls = addControls;

/***/ }),
/* 58 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;polyline class=\"ql-even ql-stroke\" points=\"5 7 3 9 5 11\"&gt;&lt;/polyline&gt; &lt;polyline class=\"ql-even ql-stroke\" points=\"13 7 15 9 13 11\"&gt;&lt;/polyline&gt; &lt;line class=ql-stroke x1=10 x2=8 y1=5 y2=13&gt;&lt;/line&gt; &lt;/svg&gt;";

/***/ }),
/* 59 */
/***/ (function(module, exports, __nested_webpack_require_349781__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _picker = __nested_webpack_require_349781__(28);

var _picker2 = _interopRequireDefault(_picker);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var ColorPicker = function (_Picker) {
  _inherits(ColorPicker, _Picker);

  function ColorPicker(select, label) {
    _classCallCheck(this, ColorPicker);

    var _this = _possibleConstructorReturn(this, (ColorPicker.__proto__ || Object.getPrototypeOf(ColorPicker)).call(this, select));

    _this.label.innerHTML = label;
    _this.container.classList.add('ql-color-picker');
    [].slice.call(_this.container.querySelectorAll('.ql-picker-item'), 0, 7).forEach(function (item) {
      item.classList.add('ql-primary');
    });
    return _this;
  }

  _createClass(ColorPicker, [{
    key: 'buildItem',
    value: function buildItem(option) {
      var item = _get(ColorPicker.prototype.__proto__ || Object.getPrototypeOf(ColorPicker.prototype), 'buildItem', this).call(this, option);
      item.style.backgroundColor = option.getAttribute('value') || '';
      return item;
    }
  }, {
    key: 'selectItem',
    value: function selectItem(item, trigger) {
      _get(ColorPicker.prototype.__proto__ || Object.getPrototypeOf(ColorPicker.prototype), 'selectItem', this).call(this, item, trigger);
      var colorLabel = this.label.querySelector('.ql-color-label');
      var value = item ? item.getAttribute('data-value') || '' : '';
      if (colorLabel) {
        if (colorLabel.tagName === 'line') {
          colorLabel.style.stroke = value;
        } else {
          colorLabel.style.fill = value;
        }
      }
    }
  }]);

  return ColorPicker;
}(_picker2.default);

exports.default = ColorPicker;

/***/ }),
/* 60 */
/***/ (function(module, exports, __nested_webpack_require_353592__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _picker = __nested_webpack_require_353592__(28);

var _picker2 = _interopRequireDefault(_picker);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var IconPicker = function (_Picker) {
  _inherits(IconPicker, _Picker);

  function IconPicker(select, icons) {
    _classCallCheck(this, IconPicker);

    var _this = _possibleConstructorReturn(this, (IconPicker.__proto__ || Object.getPrototypeOf(IconPicker)).call(this, select));

    _this.container.classList.add('ql-icon-picker');
    [].forEach.call(_this.container.querySelectorAll('.ql-picker-item'), function (item) {
      item.innerHTML = icons[item.getAttribute('data-value') || ''];
    });
    _this.defaultItem = _this.container.querySelector('.ql-selected');
    _this.selectItem(_this.defaultItem);
    return _this;
  }

  _createClass(IconPicker, [{
    key: 'selectItem',
    value: function selectItem(item, trigger) {
      _get(IconPicker.prototype.__proto__ || Object.getPrototypeOf(IconPicker.prototype), 'selectItem', this).call(this, item, trigger);
      item = item || this.defaultItem;
      this.label.innerHTML = item.innerHTML;
    }
  }]);

  return IconPicker;
}(_picker2.default);

exports.default = IconPicker;

/***/ }),
/* 61 */
/***/ (function(module, exports, __webpack_require__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

var Tooltip = function () {
  function Tooltip(quill, boundsContainer) {
    var _this = this;

    _classCallCheck(this, Tooltip);

    this.quill = quill;
    this.boundsContainer = boundsContainer || document.body;
    this.root = quill.addContainer('ql-tooltip');
    this.root.innerHTML = this.constructor.TEMPLATE;
    if (this.quill.root === this.quill.scrollingContainer) {
      this.quill.root.addEventListener('scroll', function () {
        _this.root.style.marginTop = -1 * _this.quill.root.scrollTop + 'px';
      });
    }
    this.hide();
  }

  _createClass(Tooltip, [{
    key: 'hide',
    value: function hide() {
      this.root.classList.add('ql-hidden');
    }
  }, {
    key: 'position',
    value: function position(reference) {
      var left = reference.left + reference.width / 2 - this.root.offsetWidth / 2;
      // root.scrollTop should be 0 if scrollContainer !== root
      var top = reference.bottom + this.quill.root.scrollTop;
      this.root.style.left = left + 'px';
      this.root.style.top = top + 'px';
      this.root.classList.remove('ql-flip');
      var containerBounds = this.boundsContainer.getBoundingClientRect();
      var rootBounds = this.root.getBoundingClientRect();
      var shift = 0;
      if (rootBounds.right &gt; containerBounds.right) {
        shift = containerBounds.right - rootBounds.right;
        this.root.style.left = left + shift + 'px';
      }
      if (rootBounds.left &lt; containerBounds.left) {
        shift = containerBounds.left - rootBounds.left;
        this.root.style.left = left + shift + 'px';
      }
      if (rootBounds.bottom &gt; containerBounds.bottom) {
        var height = rootBounds.bottom - rootBounds.top;
        var verticalShift = reference.bottom - reference.top + height;
        this.root.style.top = top - verticalShift + 'px';
        this.root.classList.add('ql-flip');
      }
      return shift;
    }
  }, {
    key: 'show',
    value: function show() {
      this.root.classList.remove('ql-editing');
      this.root.classList.remove('ql-hidden');
    }
  }]);

  return Tooltip;
}();

exports.default = Tooltip;

/***/ }),
/* 62 */
/***/ (function(module, exports, __nested_webpack_require_359932__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _slicedToArray = function () { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = undefined; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i &amp;&amp; _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n &amp;&amp; _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function (arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _extend = __nested_webpack_require_359932__(3);

var _extend2 = _interopRequireDefault(_extend);

var _emitter = __nested_webpack_require_359932__(8);

var _emitter2 = _interopRequireDefault(_emitter);

var _base = __nested_webpack_require_359932__(43);

var _base2 = _interopRequireDefault(_base);

var _link = __nested_webpack_require_359932__(27);

var _link2 = _interopRequireDefault(_link);

var _selection = __nested_webpack_require_359932__(15);

var _icons = __nested_webpack_require_359932__(41);

var _icons2 = _interopRequireDefault(_icons);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var TOOLBAR_CONFIG = [[{ header: ['1', '2', '3', false] }], ['bold', 'italic', 'underline', 'link'], [{ list: 'ordered' }, { list: 'bullet' }], ['clean']];

var SnowTheme = function (_BaseTheme) {
  _inherits(SnowTheme, _BaseTheme);

  function SnowTheme(quill, options) {
    _classCallCheck(this, SnowTheme);

    if (options.modules.toolbar != null &amp;&amp; options.modules.toolbar.container == null) {
      options.modules.toolbar.container = TOOLBAR_CONFIG;
    }

    var _this = _possibleConstructorReturn(this, (SnowTheme.__proto__ || Object.getPrototypeOf(SnowTheme)).call(this, quill, options));

    _this.quill.container.classList.add('ql-snow');
    return _this;
  }

  _createClass(SnowTheme, [{
    key: 'extendToolbar',
    value: function extendToolbar(toolbar) {
      toolbar.container.classList.add('ql-snow');
      this.buildButtons([].slice.call(toolbar.container.querySelectorAll('button')), _icons2.default);
      this.buildPickers([].slice.call(toolbar.container.querySelectorAll('select')), _icons2.default);
      this.tooltip = new SnowTooltip(this.quill, this.options.bounds);
      if (toolbar.container.querySelector('.ql-link')) {
        this.quill.keyboard.addBinding({ key: 'K', shortKey: true }, function (range, context) {
          toolbar.handlers['link'].call(toolbar, !context.format.link);
        });
      }
    }
  }]);

  return SnowTheme;
}(_base2.default);

SnowTheme.DEFAULTS = (0, _extend2.default)(true, {}, _base2.default.DEFAULTS, {
  modules: {
    toolbar: {
      handlers: {
        link: function link(value) {
          if (value) {
            var range = this.quill.getSelection();
            if (range == null || range.length == 0) return;
            var preview = this.quill.getText(range);
            if (/^\S+@\S+\.\S+$/.test(preview) &amp;&amp; preview.indexOf('mailto:') !== 0) {
              preview = 'mailto:' + preview;
            }
            var tooltip = this.quill.theme.tooltip;
            tooltip.edit('link', preview);
          } else {
            this.quill.format('link', false);
          }
        }
      }
    }
  }
});

var SnowTooltip = function (_BaseTooltip) {
  _inherits(SnowTooltip, _BaseTooltip);

  function SnowTooltip(quill, bounds) {
    _classCallCheck(this, SnowTooltip);

    var _this2 = _possibleConstructorReturn(this, (SnowTooltip.__proto__ || Object.getPrototypeOf(SnowTooltip)).call(this, quill, bounds));

    _this2.preview = _this2.root.querySelector('a.ql-preview');
    return _this2;
  }

  _createClass(SnowTooltip, [{
    key: 'listen',
    value: function listen() {
      var _this3 = this;

      _get(SnowTooltip.prototype.__proto__ || Object.getPrototypeOf(SnowTooltip.prototype), 'listen', this).call(this);
      this.root.querySelector('a.ql-action').addEventListener('click', function (event) {
        if (_this3.root.classList.contains('ql-editing')) {
          _this3.save();
        } else {
          _this3.edit('link', _this3.preview.textContent);
        }
        event.preventDefault();
      });
      this.root.querySelector('a.ql-remove').addEventListener('click', function (event) {
        if (_this3.linkRange != null) {
          var range = _this3.linkRange;
          _this3.restoreFocus();
          _this3.quill.formatText(range, 'link', false, _emitter2.default.sources.USER);
          delete _this3.linkRange;
        }
        event.preventDefault();
        _this3.hide();
      });
      this.quill.on(_emitter2.default.events.SELECTION_CHANGE, function (range, oldRange, source) {
        if (range == null) return;
        if (range.length === 0 &amp;&amp; source === _emitter2.default.sources.USER) {
          var _quill$scroll$descend = _this3.quill.scroll.descendant(_link2.default, range.index),
              _quill$scroll$descend2 = _slicedToArray(_quill$scroll$descend, 2),
              link = _quill$scroll$descend2[0],
              offset = _quill$scroll$descend2[1];

          if (link != null) {
            _this3.linkRange = new _selection.Range(range.index - offset, link.length());
            var preview = _link2.default.formats(link.domNode);
            _this3.preview.textContent = preview;
            _this3.preview.setAttribute('href', preview);
            _this3.show();
            _this3.position(_this3.quill.getBounds(_this3.linkRange));
            return;
          }
        } else {
          delete _this3.linkRange;
        }
        _this3.hide();
      });
    }
  }, {
    key: 'show',
    value: function show() {
      _get(SnowTooltip.prototype.__proto__ || Object.getPrototypeOf(SnowTooltip.prototype), 'show', this).call(this);
      this.root.removeAttribute('data-mode');
    }
  }]);

  return SnowTooltip;
}(_base.BaseTooltip);

SnowTooltip.TEMPLATE = ['&lt;a class="ql-preview" rel="noopener noreferrer" target="_blank" href="about:blank"&gt;&lt;/a&gt;', '&lt;input type="text" data-formula="e=mc^2" data-link="https://quilljs.com" data-video="Embed URL"&gt;', '&lt;a class="ql-action"&gt;&lt;/a&gt;', '&lt;a class="ql-remove"&gt;&lt;/a&gt;'].join('');

exports.default = SnowTheme;

/***/ }),
/* 63 */
/***/ (function(module, exports, __nested_webpack_require_368316__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _core = __nested_webpack_require_368316__(29);

var _core2 = _interopRequireDefault(_core);

var _align = __nested_webpack_require_368316__(36);

var _direction = __nested_webpack_require_368316__(38);

var _indent = __nested_webpack_require_368316__(64);

var _blockquote = __nested_webpack_require_368316__(65);

var _blockquote2 = _interopRequireDefault(_blockquote);

var _header = __nested_webpack_require_368316__(66);

var _header2 = _interopRequireDefault(_header);

var _list = __nested_webpack_require_368316__(67);

var _list2 = _interopRequireDefault(_list);

var _background = __nested_webpack_require_368316__(37);

var _color = __nested_webpack_require_368316__(26);

var _font = __nested_webpack_require_368316__(39);

var _size = __nested_webpack_require_368316__(40);

var _bold = __nested_webpack_require_368316__(56);

var _bold2 = _interopRequireDefault(_bold);

var _italic = __nested_webpack_require_368316__(68);

var _italic2 = _interopRequireDefault(_italic);

var _link = __nested_webpack_require_368316__(27);

var _link2 = _interopRequireDefault(_link);

var _script = __nested_webpack_require_368316__(69);

var _script2 = _interopRequireDefault(_script);

var _strike = __nested_webpack_require_368316__(70);

var _strike2 = _interopRequireDefault(_strike);

var _underline = __nested_webpack_require_368316__(71);

var _underline2 = _interopRequireDefault(_underline);

var _image = __nested_webpack_require_368316__(72);

var _image2 = _interopRequireDefault(_image);

var _video = __nested_webpack_require_368316__(73);

var _video2 = _interopRequireDefault(_video);

var _code = __nested_webpack_require_368316__(13);

var _code2 = _interopRequireDefault(_code);

var _formula = __nested_webpack_require_368316__(74);

var _formula2 = _interopRequireDefault(_formula);

var _syntax = __nested_webpack_require_368316__(75);

var _syntax2 = _interopRequireDefault(_syntax);

var _toolbar = __nested_webpack_require_368316__(57);

var _toolbar2 = _interopRequireDefault(_toolbar);

var _icons = __nested_webpack_require_368316__(41);

var _icons2 = _interopRequireDefault(_icons);

var _picker = __nested_webpack_require_368316__(28);

var _picker2 = _interopRequireDefault(_picker);

var _colorPicker = __nested_webpack_require_368316__(59);

var _colorPicker2 = _interopRequireDefault(_colorPicker);

var _iconPicker = __nested_webpack_require_368316__(60);

var _iconPicker2 = _interopRequireDefault(_iconPicker);

var _tooltip = __nested_webpack_require_368316__(61);

var _tooltip2 = _interopRequireDefault(_tooltip);

var _bubble = __nested_webpack_require_368316__(108);

var _bubble2 = _interopRequireDefault(_bubble);

var _snow = __nested_webpack_require_368316__(62);

var _snow2 = _interopRequireDefault(_snow);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

_core2.default.register({
  'attributors/attribute/direction': _direction.DirectionAttribute,

  'attributors/class/align': _align.AlignClass,
  'attributors/class/background': _background.BackgroundClass,
  'attributors/class/color': _color.ColorClass,
  'attributors/class/direction': _direction.DirectionClass,
  'attributors/class/font': _font.FontClass,
  'attributors/class/size': _size.SizeClass,

  'attributors/style/align': _align.AlignStyle,
  'attributors/style/background': _background.BackgroundStyle,
  'attributors/style/color': _color.ColorStyle,
  'attributors/style/direction': _direction.DirectionStyle,
  'attributors/style/font': _font.FontStyle,
  'attributors/style/size': _size.SizeStyle
}, true);

_core2.default.register({
  'formats/align': _align.AlignClass,
  'formats/direction': _direction.DirectionClass,
  'formats/indent': _indent.IndentClass,

  'formats/background': _background.BackgroundStyle,
  'formats/color': _color.ColorStyle,
  'formats/font': _font.FontClass,
  'formats/size': _size.SizeClass,

  'formats/blockquote': _blockquote2.default,
  'formats/code-block': _code2.default,
  'formats/header': _header2.default,
  'formats/list': _list2.default,

  'formats/bold': _bold2.default,
  'formats/code': _code.Code,
  'formats/italic': _italic2.default,
  'formats/link': _link2.default,
  'formats/script': _script2.default,
  'formats/strike': _strike2.default,
  'formats/underline': _underline2.default,

  'formats/image': _image2.default,
  'formats/video': _video2.default,

  'formats/list/item': _list.ListItem,

  'modules/formula': _formula2.default,
  'modules/syntax': _syntax2.default,
  'modules/toolbar': _toolbar2.default,

  'themes/bubble': _bubble2.default,
  'themes/snow': _snow2.default,

  'ui/icons': _icons2.default,
  'ui/picker': _picker2.default,
  'ui/icon-picker': _iconPicker2.default,
  'ui/color-picker': _colorPicker2.default,
  'ui/tooltip': _tooltip2.default
}, true);

exports.default = _core2.default;

/***/ }),
/* 64 */
/***/ (function(module, exports, __nested_webpack_require_372903__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.IndentClass = undefined;

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _parchment = __nested_webpack_require_372903__(0);

var _parchment2 = _interopRequireDefault(_parchment);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var IdentAttributor = function (_Parchment$Attributor) {
  _inherits(IdentAttributor, _Parchment$Attributor);

  function IdentAttributor() {
    _classCallCheck(this, IdentAttributor);

    return _possibleConstructorReturn(this, (IdentAttributor.__proto__ || Object.getPrototypeOf(IdentAttributor)).apply(this, arguments));
  }

  _createClass(IdentAttributor, [{
    key: 'add',
    value: function add(node, value) {
      if (value === '+1' || value === '-1') {
        var indent = this.value(node) || 0;
        value = value === '+1' ? indent + 1 : indent - 1;
      }
      if (value === 0) {
        this.remove(node);
        return true;
      } else {
        return _get(IdentAttributor.prototype.__proto__ || Object.getPrototypeOf(IdentAttributor.prototype), 'add', this).call(this, node, value);
      }
    }
  }, {
    key: 'canAdd',
    value: function canAdd(node, value) {
      return _get(IdentAttributor.prototype.__proto__ || Object.getPrototypeOf(IdentAttributor.prototype), 'canAdd', this).call(this, node, value) || _get(IdentAttributor.prototype.__proto__ || Object.getPrototypeOf(IdentAttributor.prototype), 'canAdd', this).call(this, node, parseInt(value));
    }
  }, {
    key: 'value',
    value: function value(node) {
      return parseInt(_get(IdentAttributor.prototype.__proto__ || Object.getPrototypeOf(IdentAttributor.prototype), 'value', this).call(this, node)) || undefined; // Don't return NaN
    }
  }]);

  return IdentAttributor;
}(_parchment2.default.Attributor.Class);

var IndentClass = new IdentAttributor('indent', 'ql-indent', {
  scope: _parchment2.default.Scope.BLOCK,
  whitelist: [1, 2, 3, 4, 5, 6, 7, 8]
});

exports.IndentClass = IndentClass;

/***/ }),
/* 65 */
/***/ (function(module, exports, __nested_webpack_require_376943__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _block = __nested_webpack_require_376943__(4);

var _block2 = _interopRequireDefault(_block);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Blockquote = function (_Block) {
  _inherits(Blockquote, _Block);

  function Blockquote() {
    _classCallCheck(this, Blockquote);

    return _possibleConstructorReturn(this, (Blockquote.__proto__ || Object.getPrototypeOf(Blockquote)).apply(this, arguments));
  }

  return Blockquote;
}(_block2.default);

Blockquote.blotName = 'blockquote';
Blockquote.tagName = 'blockquote';

exports.default = Blockquote;

/***/ }),
/* 66 */
/***/ (function(module, exports, __nested_webpack_require_378592__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _block = __nested_webpack_require_378592__(4);

var _block2 = _interopRequireDefault(_block);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Header = function (_Block) {
  _inherits(Header, _Block);

  function Header() {
    _classCallCheck(this, Header);

    return _possibleConstructorReturn(this, (Header.__proto__ || Object.getPrototypeOf(Header)).apply(this, arguments));
  }

  _createClass(Header, null, [{
    key: 'formats',
    value: function formats(domNode) {
      return this.tagName.indexOf(domNode.tagName) + 1;
    }
  }]);

  return Header;
}(_block2.default);

Header.blotName = 'header';
Header.tagName = ['H1', 'H2', 'H3', 'H4', 'H5', 'H6'];

exports.default = Header;

/***/ }),
/* 67 */
/***/ (function(module, exports, __nested_webpack_require_380948__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.default = exports.ListItem = undefined;

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _parchment = __nested_webpack_require_380948__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _block = __nested_webpack_require_380948__(4);

var _block2 = _interopRequireDefault(_block);

var _container = __nested_webpack_require_380948__(25);

var _container2 = _interopRequireDefault(_container);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var ListItem = function (_Block) {
  _inherits(ListItem, _Block);

  function ListItem() {
    _classCallCheck(this, ListItem);

    return _possibleConstructorReturn(this, (ListItem.__proto__ || Object.getPrototypeOf(ListItem)).apply(this, arguments));
  }

  _createClass(ListItem, [{
    key: 'format',
    value: function format(name, value) {
      if (name === List.blotName &amp;&amp; !value) {
        this.replaceWith(_parchment2.default.create(this.statics.scope));
      } else {
        _get(ListItem.prototype.__proto__ || Object.getPrototypeOf(ListItem.prototype), 'format', this).call(this, name, value);
      }
    }
  }, {
    key: 'remove',
    value: function remove() {
      if (this.prev == null &amp;&amp; this.next == null) {
        this.parent.remove();
      } else {
        _get(ListItem.prototype.__proto__ || Object.getPrototypeOf(ListItem.prototype), 'remove', this).call(this);
      }
    }
  }, {
    key: 'replaceWith',
    value: function replaceWith(name, value) {
      this.parent.isolate(this.offset(this.parent), this.length());
      if (name === this.parent.statics.blotName) {
        this.parent.replaceWith(name, value);
        return this;
      } else {
        this.parent.unwrap();
        return _get(ListItem.prototype.__proto__ || Object.getPrototypeOf(ListItem.prototype), 'replaceWith', this).call(this, name, value);
      }
    }
  }], [{
    key: 'formats',
    value: function formats(domNode) {
      return domNode.tagName === this.tagName ? undefined : _get(ListItem.__proto__ || Object.getPrototypeOf(ListItem), 'formats', this).call(this, domNode);
    }
  }]);

  return ListItem;
}(_block2.default);

ListItem.blotName = 'list-item';
ListItem.tagName = 'LI';

var List = function (_Container) {
  _inherits(List, _Container);

  _createClass(List, null, [{
    key: 'create',
    value: function create(value) {
      var tagName = value === 'ordered' ? 'OL' : 'UL';
      var node = _get(List.__proto__ || Object.getPrototypeOf(List), 'create', this).call(this, tagName);
      if (value === 'checked' || value === 'unchecked') {
        node.setAttribute('data-checked', value === 'checked');
      }
      return node;
    }
  }, {
    key: 'formats',
    value: function formats(domNode) {
      if (domNode.tagName === 'OL') return 'ordered';
      if (domNode.tagName === 'UL') {
        if (domNode.hasAttribute('data-checked')) {
          return domNode.getAttribute('data-checked') === 'true' ? 'checked' : 'unchecked';
        } else {
          return 'bullet';
        }
      }
      return undefined;
    }
  }]);

  function List(domNode) {
    _classCallCheck(this, List);

    var _this2 = _possibleConstructorReturn(this, (List.__proto__ || Object.getPrototypeOf(List)).call(this, domNode));

    var listEventHandler = function listEventHandler(e) {
      if (e.target.parentNode !== domNode) return;
      var format = _this2.statics.formats(domNode);
      var blot = _parchment2.default.find(e.target);
      if (format === 'checked') {
        blot.format('list', 'unchecked');
      } else if (format === 'unchecked') {
        blot.format('list', 'checked');
      }
    };

    domNode.addEventListener('touchstart', listEventHandler);
    domNode.addEventListener('mousedown', listEventHandler);
    return _this2;
  }

  _createClass(List, [{
    key: 'format',
    value: function format(name, value) {
      if (this.children.length &gt; 0) {
        this.children.tail.format(name, value);
      }
    }
  }, {
    key: 'formats',
    value: function formats() {
      // We don't inherit from FormatBlot
      return _defineProperty({}, this.statics.blotName, this.statics.formats(this.domNode));
    }
  }, {
    key: 'insertBefore',
    value: function insertBefore(blot, ref) {
      if (blot instanceof ListItem) {
        _get(List.prototype.__proto__ || Object.getPrototypeOf(List.prototype), 'insertBefore', this).call(this, blot, ref);
      } else {
        var index = ref == null ? this.length() : ref.offset(this);
        var after = this.split(index);
        after.parent.insertBefore(blot, after);
      }
    }
  }, {
    key: 'optimize',
    value: function optimize(context) {
      _get(List.prototype.__proto__ || Object.getPrototypeOf(List.prototype), 'optimize', this).call(this, context);
      var next = this.next;
      if (next != null &amp;&amp; next.prev === this &amp;&amp; next.statics.blotName === this.statics.blotName &amp;&amp; next.domNode.tagName === this.domNode.tagName &amp;&amp; next.domNode.getAttribute('data-checked') === this.domNode.getAttribute('data-checked')) {
        next.moveChildren(this);
        next.remove();
      }
    }
  }, {
    key: 'replace',
    value: function replace(target) {
      if (target.statics.blotName !== this.statics.blotName) {
        var item = _parchment2.default.create(this.statics.defaultChild);
        target.moveChildren(item);
        this.appendChild(item);
      }
      _get(List.prototype.__proto__ || Object.getPrototypeOf(List.prototype), 'replace', this).call(this, target);
    }
  }]);

  return List;
}(_container2.default);

List.blotName = 'list';
List.scope = _parchment2.default.Scope.BLOCK_BLOT;
List.tagName = ['OL', 'UL'];
List.defaultChild = 'list-item';
List.allowedChildren = [ListItem];

exports.ListItem = ListItem;
exports.default = List;

/***/ }),
/* 68 */
/***/ (function(module, exports, __nested_webpack_require_389000__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _bold = __nested_webpack_require_389000__(56);

var _bold2 = _interopRequireDefault(_bold);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Italic = function (_Bold) {
  _inherits(Italic, _Bold);

  function Italic() {
    _classCallCheck(this, Italic);

    return _possibleConstructorReturn(this, (Italic.__proto__ || Object.getPrototypeOf(Italic)).apply(this, arguments));
  }

  return Italic;
}(_bold2.default);

Italic.blotName = 'italic';
Italic.tagName = ['EM', 'I'];

exports.default = Italic;

/***/ }),
/* 69 */
/***/ (function(module, exports, __nested_webpack_require_390599__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _inline = __nested_webpack_require_390599__(6);

var _inline2 = _interopRequireDefault(_inline);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Script = function (_Inline) {
  _inherits(Script, _Inline);

  function Script() {
    _classCallCheck(this, Script);

    return _possibleConstructorReturn(this, (Script.__proto__ || Object.getPrototypeOf(Script)).apply(this, arguments));
  }

  _createClass(Script, null, [{
    key: 'create',
    value: function create(value) {
      if (value === 'super') {
        return document.createElement('sup');
      } else if (value === 'sub') {
        return document.createElement('sub');
      } else {
        return _get(Script.__proto__ || Object.getPrototypeOf(Script), 'create', this).call(this, value);
      }
    }
  }, {
    key: 'formats',
    value: function formats(domNode) {
      if (domNode.tagName === 'SUB') return 'sub';
      if (domNode.tagName === 'SUP') return 'super';
      return undefined;
    }
  }]);

  return Script;
}(_inline2.default);

Script.blotName = 'script';
Script.tagName = ['SUB', 'SUP'];

exports.default = Script;

/***/ }),
/* 70 */
/***/ (function(module, exports, __nested_webpack_require_393860__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _inline = __nested_webpack_require_393860__(6);

var _inline2 = _interopRequireDefault(_inline);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Strike = function (_Inline) {
  _inherits(Strike, _Inline);

  function Strike() {
    _classCallCheck(this, Strike);

    return _possibleConstructorReturn(this, (Strike.__proto__ || Object.getPrototypeOf(Strike)).apply(this, arguments));
  }

  return Strike;
}(_inline2.default);

Strike.blotName = 'strike';
Strike.tagName = 'S';

exports.default = Strike;

/***/ }),
/* 71 */
/***/ (function(module, exports, __nested_webpack_require_395462__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _inline = __nested_webpack_require_395462__(6);

var _inline2 = _interopRequireDefault(_inline);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var Underline = function (_Inline) {
  _inherits(Underline, _Inline);

  function Underline() {
    _classCallCheck(this, Underline);

    return _possibleConstructorReturn(this, (Underline.__proto__ || Object.getPrototypeOf(Underline)).apply(this, arguments));
  }

  return Underline;
}(_inline2.default);

Underline.blotName = 'underline';
Underline.tagName = 'U';

exports.default = Underline;

/***/ }),
/* 72 */
/***/ (function(module, exports, __nested_webpack_require_397097__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _parchment = __nested_webpack_require_397097__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _link = __nested_webpack_require_397097__(27);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var ATTRIBUTES = ['alt', 'height', 'width'];

var Image = function (_Parchment$Embed) {
  _inherits(Image, _Parchment$Embed);

  function Image() {
    _classCallCheck(this, Image);

    return _possibleConstructorReturn(this, (Image.__proto__ || Object.getPrototypeOf(Image)).apply(this, arguments));
  }

  _createClass(Image, [{
    key: 'format',
    value: function format(name, value) {
      if (ATTRIBUTES.indexOf(name) &gt; -1) {
        if (value) {
          this.domNode.setAttribute(name, value);
        } else {
          this.domNode.removeAttribute(name);
        }
      } else {
        _get(Image.prototype.__proto__ || Object.getPrototypeOf(Image.prototype), 'format', this).call(this, name, value);
      }
    }
  }], [{
    key: 'create',
    value: function create(value) {
      var node = _get(Image.__proto__ || Object.getPrototypeOf(Image), 'create', this).call(this, value);
      if (typeof value === 'string') {
        node.setAttribute('src', this.sanitize(value));
      }
      return node;
    }
  }, {
    key: 'formats',
    value: function formats(domNode) {
      return ATTRIBUTES.reduce(function (formats, attribute) {
        if (domNode.hasAttribute(attribute)) {
          formats[attribute] = domNode.getAttribute(attribute);
        }
        return formats;
      }, {});
    }
  }, {
    key: 'match',
    value: function match(url) {
      return (/\.(jpe?g|gif|png)$/.test(url) || /^data:image\/.+;base64/.test(url)
      );
    }
  }, {
    key: 'sanitize',
    value: function sanitize(url) {
      return (0, _link.sanitize)(url, ['http', 'https', 'data']) ? url : '//:0';
    }
  }, {
    key: 'value',
    value: function value(domNode) {
      return domNode.getAttribute('src');
    }
  }]);

  return Image;
}(_parchment2.default.Embed);

Image.blotName = 'image';
Image.tagName = 'IMG';

exports.default = Image;

/***/ }),
/* 73 */
/***/ (function(module, exports, __nested_webpack_require_401311__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _block = __nested_webpack_require_401311__(4);

var _link = __nested_webpack_require_401311__(27);

var _link2 = _interopRequireDefault(_link);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var ATTRIBUTES = ['height', 'width'];

var Video = function (_BlockEmbed) {
  _inherits(Video, _BlockEmbed);

  function Video() {
    _classCallCheck(this, Video);

    return _possibleConstructorReturn(this, (Video.__proto__ || Object.getPrototypeOf(Video)).apply(this, arguments));
  }

  _createClass(Video, [{
    key: 'format',
    value: function format(name, value) {
      if (ATTRIBUTES.indexOf(name) &gt; -1) {
        if (value) {
          this.domNode.setAttribute(name, value);
        } else {
          this.domNode.removeAttribute(name);
        }
      } else {
        _get(Video.prototype.__proto__ || Object.getPrototypeOf(Video.prototype), 'format', this).call(this, name, value);
      }
    }
  }], [{
    key: 'create',
    value: function create(value) {
      var node = _get(Video.__proto__ || Object.getPrototypeOf(Video), 'create', this).call(this, value);
      node.setAttribute('frameborder', '0');
      node.setAttribute('allowfullscreen', true);
      node.setAttribute('src', this.sanitize(value));
      return node;
    }
  }, {
    key: 'formats',
    value: function formats(domNode) {
      return ATTRIBUTES.reduce(function (formats, attribute) {
        if (domNode.hasAttribute(attribute)) {
          formats[attribute] = domNode.getAttribute(attribute);
        }
        return formats;
      }, {});
    }
  }, {
    key: 'sanitize',
    value: function sanitize(url) {
      return _link2.default.sanitize(url);
    }
  }, {
    key: 'value',
    value: function value(domNode) {
      return domNode.getAttribute('src');
    }
  }]);

  return Video;
}(_block.BlockEmbed);

Video.blotName = 'video';
Video.className = 'ql-video';
Video.tagName = 'IFRAME';

exports.default = Video;

/***/ }),
/* 74 */
/***/ (function(module, exports, __nested_webpack_require_405371__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.default = exports.FormulaBlot = undefined;

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _embed = __nested_webpack_require_405371__(35);

var _embed2 = _interopRequireDefault(_embed);

var _quill = __nested_webpack_require_405371__(5);

var _quill2 = _interopRequireDefault(_quill);

var _module = __nested_webpack_require_405371__(9);

var _module2 = _interopRequireDefault(_module);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var FormulaBlot = function (_Embed) {
  _inherits(FormulaBlot, _Embed);

  function FormulaBlot() {
    _classCallCheck(this, FormulaBlot);

    return _possibleConstructorReturn(this, (FormulaBlot.__proto__ || Object.getPrototypeOf(FormulaBlot)).apply(this, arguments));
  }

  _createClass(FormulaBlot, null, [{
    key: 'create',
    value: function create(value) {
      var node = _get(FormulaBlot.__proto__ || Object.getPrototypeOf(FormulaBlot), 'create', this).call(this, value);
      if (typeof value === 'string') {
        window.katex.render(value, node, {
          throwOnError: false,
          errorColor: '#f00'
        });
        node.setAttribute('data-value', value);
      }
      return node;
    }
  }, {
    key: 'value',
    value: function value(domNode) {
      return domNode.getAttribute('data-value');
    }
  }]);

  return FormulaBlot;
}(_embed2.default);

FormulaBlot.blotName = 'formula';
FormulaBlot.className = 'ql-formula';
FormulaBlot.tagName = 'SPAN';

var Formula = function (_Module) {
  _inherits(Formula, _Module);

  _createClass(Formula, null, [{
    key: 'register',
    value: function register() {
      _quill2.default.register(FormulaBlot, true);
    }
  }]);

  function Formula() {
    _classCallCheck(this, Formula);

    var _this2 = _possibleConstructorReturn(this, (Formula.__proto__ || Object.getPrototypeOf(Formula)).call(this));

    if (window.katex == null) {
      throw new Error('Formula module requires KaTeX.');
    }
    return _this2;
  }

  return Formula;
}(_module2.default);

exports.FormulaBlot = FormulaBlot;
exports.default = Formula;

/***/ }),
/* 75 */
/***/ (function(module, exports, __nested_webpack_require_409500__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.default = exports.CodeToken = exports.CodeBlock = undefined;

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _parchment = __nested_webpack_require_409500__(0);

var _parchment2 = _interopRequireDefault(_parchment);

var _quill = __nested_webpack_require_409500__(5);

var _quill2 = _interopRequireDefault(_quill);

var _module = __nested_webpack_require_409500__(9);

var _module2 = _interopRequireDefault(_module);

var _code = __nested_webpack_require_409500__(13);

var _code2 = _interopRequireDefault(_code);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var SyntaxCodeBlock = function (_CodeBlock) {
  _inherits(SyntaxCodeBlock, _CodeBlock);

  function SyntaxCodeBlock() {
    _classCallCheck(this, SyntaxCodeBlock);

    return _possibleConstructorReturn(this, (SyntaxCodeBlock.__proto__ || Object.getPrototypeOf(SyntaxCodeBlock)).apply(this, arguments));
  }

  _createClass(SyntaxCodeBlock, [{
    key: 'replaceWith',
    value: function replaceWith(block) {
      this.domNode.textContent = this.domNode.textContent;
      this.attach();
      _get(SyntaxCodeBlock.prototype.__proto__ || Object.getPrototypeOf(SyntaxCodeBlock.prototype), 'replaceWith', this).call(this, block);
    }
  }, {
    key: 'highlight',
    value: function highlight(_highlight) {
      var text = this.domNode.textContent;
      if (this.cachedText !== text) {
        if (text.trim().length &gt; 0 || this.cachedText == null) {
          this.domNode.innerHTML = _highlight(text);
          this.domNode.normalize();
          this.attach();
        }
        this.cachedText = text;
      }
    }
  }]);

  return SyntaxCodeBlock;
}(_code2.default);

SyntaxCodeBlock.className = 'ql-syntax';

var CodeToken = new _parchment2.default.Attributor.Class('token', 'hljs', {
  scope: _parchment2.default.Scope.INLINE
});

var Syntax = function (_Module) {
  _inherits(Syntax, _Module);

  _createClass(Syntax, null, [{
    key: 'register',
    value: function register() {
      _quill2.default.register(CodeToken, true);
      _quill2.default.register(SyntaxCodeBlock, true);
    }
  }]);

  function Syntax(quill, options) {
    _classCallCheck(this, Syntax);

    var _this2 = _possibleConstructorReturn(this, (Syntax.__proto__ || Object.getPrototypeOf(Syntax)).call(this, quill, options));

    if (typeof _this2.options.highlight !== 'function') {
      throw new Error('Syntax module requires highlight.js. Please include the library on the page before Quill.');
    }
    var timer = null;
    _this2.quill.on(_quill2.default.events.SCROLL_OPTIMIZE, function () {
      clearTimeout(timer);
      timer = setTimeout(function () {
        _this2.highlight();
        timer = null;
      }, _this2.options.interval);
    });
    _this2.highlight();
    return _this2;
  }

  _createClass(Syntax, [{
    key: 'highlight',
    value: function highlight() {
      var _this3 = this;

      if (this.quill.selection.composing) return;
      this.quill.update(_quill2.default.sources.USER);
      var range = this.quill.getSelection();
      this.quill.scroll.descendants(SyntaxCodeBlock).forEach(function (code) {
        code.highlight(_this3.options.highlight);
      });
      this.quill.update(_quill2.default.sources.SILENT);
      if (range != null) {
        this.quill.setSelection(range, _quill2.default.sources.SILENT);
      }
    }
  }]);

  return Syntax;
}(_module2.default);

Syntax.DEFAULTS = {
  highlight: function () {
    if (window.hljs == null) return null;
    return function (text) {
      var result = window.hljs.highlightAuto(text);
      return result.value;
    };
  }(),
  interval: 1000
};

exports.CodeBlock = SyntaxCodeBlock;
exports.CodeToken = CodeToken;
exports.default = Syntax;

/***/ }),
/* 76 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=3 x2=15 y1=9 y2=9&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=3 x2=13 y1=14 y2=14&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=3 x2=9 y1=4 y2=4&gt;&lt;/line&gt; &lt;/svg&gt;";

/***/ }),
/* 77 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=15 x2=3 y1=9 y2=9&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=14 x2=4 y1=14 y2=14&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=12 x2=6 y1=4 y2=4&gt;&lt;/line&gt; &lt;/svg&gt;";

/***/ }),
/* 78 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=15 x2=3 y1=9 y2=9&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=15 x2=5 y1=14 y2=14&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=15 x2=9 y1=4 y2=4&gt;&lt;/line&gt; &lt;/svg&gt;";

/***/ }),
/* 79 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=15 x2=3 y1=9 y2=9&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=15 x2=3 y1=14 y2=14&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=15 x2=3 y1=4 y2=4&gt;&lt;/line&gt; &lt;/svg&gt;";

/***/ }),
/* 80 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;g class=\"ql-fill ql-color-label\"&gt; &lt;polygon points=\"6 6.868 6 6 5 6 5 7 5.942 7 6 6.868\"&gt;&lt;/polygon&gt; &lt;rect height=1 width=1 x=4 y=4&gt;&lt;/rect&gt; &lt;polygon points=\"6.817 5 6 5 6 6 6.38 6 6.817 5\"&gt;&lt;/polygon&gt; &lt;rect height=1 width=1 x=2 y=6&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=3 y=5&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=4 y=7&gt;&lt;/rect&gt; &lt;polygon points=\"4 11.439 4 11 3 11 3 12 3.755 12 4 11.439\"&gt;&lt;/polygon&gt; &lt;rect height=1 width=1 x=2 y=12&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=2 y=9&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=2 y=15&gt;&lt;/rect&gt; &lt;polygon points=\"4.63 10 4 10 4 11 4.192 11 4.63 10\"&gt;&lt;/polygon&gt; &lt;rect height=1 width=1 x=3 y=8&gt;&lt;/rect&gt; &lt;path d=M10.832,4.2L11,4.582V4H10.708A1.948,1.948,0,0,1,10.832,4.2Z&gt;&lt;/path&gt; &lt;path d=M7,4.582L7.168,4.2A1.929,1.929,0,0,1,7.292,4H7V4.582Z&gt;&lt;/path&gt; &lt;path d=M8,13H7.683l-0.351.8a1.933,1.933,0,0,1-.124.2H8V13Z&gt;&lt;/path&gt; &lt;rect height=1 width=1 x=12 y=2&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=11 y=3&gt;&lt;/rect&gt; &lt;path d=M9,3H8V3.282A1.985,1.985,0,0,1,9,3Z&gt;&lt;/path&gt; &lt;rect height=1 width=1 x=2 y=3&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=6 y=2&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=3 y=2&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=5 y=3&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=9 y=2&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=15 y=14&gt;&lt;/rect&gt; &lt;polygon points=\"13.447 10.174 13.469 10.225 13.472 10.232 13.808 11 14 11 14 10 13.37 10 13.447 10.174\"&gt;&lt;/polygon&gt; &lt;rect height=1 width=1 x=13 y=7&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=15 y=5&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=14 y=6&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=15 y=8&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=14 y=9&gt;&lt;/rect&gt; &lt;path d=M3.775,14H3v1H4V14.314A1.97,1.97,0,0,1,3.775,14Z&gt;&lt;/path&gt; &lt;rect height=1 width=1 x=14 y=3&gt;&lt;/rect&gt; &lt;polygon points=\"12 6.868 12 6 11.62 6 12 6.868\"&gt;&lt;/polygon&gt; &lt;rect height=1 width=1 x=15 y=2&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=12 y=5&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=13 y=4&gt;&lt;/rect&gt; &lt;polygon points=\"12.933 9 13 9 13 8 12.495 8 12.933 9\"&gt;&lt;/polygon&gt; &lt;rect height=1 width=1 x=9 y=14&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=8 y=15&gt;&lt;/rect&gt; &lt;path d=M6,14.926V15H7V14.316A1.993,1.993,0,0,1,6,14.926Z&gt;&lt;/path&gt; &lt;rect height=1 width=1 x=5 y=15&gt;&lt;/rect&gt; &lt;path d=M10.668,13.8L10.317,13H10v1h0.792A1.947,1.947,0,0,1,10.668,13.8Z&gt;&lt;/path&gt; &lt;rect height=1 width=1 x=11 y=15&gt;&lt;/rect&gt; &lt;path d=M14.332,12.2a1.99,1.99,0,0,1,.166.8H15V12H14.245Z&gt;&lt;/path&gt; &lt;rect height=1 width=1 x=14 y=15&gt;&lt;/rect&gt; &lt;rect height=1 width=1 x=15 y=11&gt;&lt;/rect&gt; &lt;/g&gt; &lt;polyline class=ql-stroke points=\"5.5 13 9 5 12.5 13\"&gt;&lt;/polyline&gt; &lt;line class=ql-stroke x1=11.63 x2=6.38 y1=11 y2=11&gt;&lt;/line&gt; &lt;/svg&gt;";

/***/ }),
/* 81 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;rect class=\"ql-fill ql-stroke\" height=3 width=3 x=4 y=5&gt;&lt;/rect&gt; &lt;rect class=\"ql-fill ql-stroke\" height=3 width=3 x=11 y=5&gt;&lt;/rect&gt; &lt;path class=\"ql-even ql-fill ql-stroke\" d=M7,8c0,4.031-3,5-3,5&gt;&lt;/path&gt; &lt;path class=\"ql-even ql-fill ql-stroke\" d=M14,8c0,4.031-3,5-3,5&gt;&lt;/path&gt; &lt;/svg&gt;";

/***/ }),
/* 82 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;path class=ql-stroke d=M5,4H9.5A2.5,2.5,0,0,1,12,6.5v0A2.5,2.5,0,0,1,9.5,9H5A0,0,0,0,1,5,9V4A0,0,0,0,1,5,4Z&gt;&lt;/path&gt; &lt;path class=ql-stroke d=M5,9h5.5A2.5,2.5,0,0,1,13,11.5v0A2.5,2.5,0,0,1,10.5,14H5a0,0,0,0,1,0,0V9A0,0,0,0,1,5,9Z&gt;&lt;/path&gt; &lt;/svg&gt;";

/***/ }),
/* 83 */
/***/ (function(module, exports) {

module.exports = "&lt;svg class=\"\" viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=5 x2=13 y1=3 y2=3&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=6 x2=9.35 y1=12 y2=3&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=11 x2=15 y1=11 y2=15&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=15 x2=11 y1=11 y2=15&gt;&lt;/line&gt; &lt;rect class=ql-fill height=1 rx=0.5 ry=0.5 width=7 x=2 y=14&gt;&lt;/rect&gt; &lt;/svg&gt;";

/***/ }),
/* 84 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=\"ql-color-label ql-stroke ql-transparent\" x1=3 x2=15 y1=15 y2=15&gt;&lt;/line&gt; &lt;polyline class=ql-stroke points=\"5.5 11 9 3 12.5 11\"&gt;&lt;/polyline&gt; &lt;line class=ql-stroke x1=11.63 x2=6.38 y1=9 y2=9&gt;&lt;/line&gt; &lt;/svg&gt;";

/***/ }),
/* 85 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;polygon class=\"ql-stroke ql-fill\" points=\"3 11 5 9 3 7 3 11\"&gt;&lt;/polygon&gt; &lt;line class=\"ql-stroke ql-fill\" x1=15 x2=11 y1=4 y2=4&gt;&lt;/line&gt; &lt;path class=ql-fill d=M11,3a3,3,0,0,0,0,6h1V3H11Z&gt;&lt;/path&gt; &lt;rect class=ql-fill height=11 width=1 x=11 y=4&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=11 width=1 x=13 y=4&gt;&lt;/rect&gt; &lt;/svg&gt;";

/***/ }),
/* 86 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;polygon class=\"ql-stroke ql-fill\" points=\"15 12 13 10 15 8 15 12\"&gt;&lt;/polygon&gt; &lt;line class=\"ql-stroke ql-fill\" x1=9 x2=5 y1=4 y2=4&gt;&lt;/line&gt; &lt;path class=ql-fill d=M5,3A3,3,0,0,0,5,9H6V3H5Z&gt;&lt;/path&gt; &lt;rect class=ql-fill height=11 width=1 x=5 y=4&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=11 width=1 x=7 y=4&gt;&lt;/rect&gt; &lt;/svg&gt;";

/***/ }),
/* 87 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;path class=ql-fill d=M14,16H4a1,1,0,0,1,0-2H14A1,1,0,0,1,14,16Z /&gt; &lt;path class=ql-fill d=M14,4H4A1,1,0,0,1,4,2H14A1,1,0,0,1,14,4Z /&gt; &lt;rect class=ql-fill x=3 y=6 width=12 height=6 rx=1 ry=1 /&gt; &lt;/svg&gt;";

/***/ }),
/* 88 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;path class=ql-fill d=M13,16H5a1,1,0,0,1,0-2h8A1,1,0,0,1,13,16Z /&gt; &lt;path class=ql-fill d=M13,4H5A1,1,0,0,1,5,2h8A1,1,0,0,1,13,4Z /&gt; &lt;rect class=ql-fill x=2 y=6 width=14 height=6 rx=1 ry=1 /&gt; &lt;/svg&gt;";

/***/ }),
/* 89 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;path class=ql-fill d=M15,8H13a1,1,0,0,1,0-2h2A1,1,0,0,1,15,8Z /&gt; &lt;path class=ql-fill d=M15,12H13a1,1,0,0,1,0-2h2A1,1,0,0,1,15,12Z /&gt; &lt;path class=ql-fill d=M15,16H5a1,1,0,0,1,0-2H15A1,1,0,0,1,15,16Z /&gt; &lt;path class=ql-fill d=M15,4H5A1,1,0,0,1,5,2H15A1,1,0,0,1,15,4Z /&gt; &lt;rect class=ql-fill x=2 y=6 width=8 height=6 rx=1 ry=1 /&gt; &lt;/svg&gt;";

/***/ }),
/* 90 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;path class=ql-fill d=M5,8H3A1,1,0,0,1,3,6H5A1,1,0,0,1,5,8Z /&gt; &lt;path class=ql-fill d=M5,12H3a1,1,0,0,1,0-2H5A1,1,0,0,1,5,12Z /&gt; &lt;path class=ql-fill d=M13,16H3a1,1,0,0,1,0-2H13A1,1,0,0,1,13,16Z /&gt; &lt;path class=ql-fill d=M13,4H3A1,1,0,0,1,3,2H13A1,1,0,0,1,13,4Z /&gt; &lt;rect class=ql-fill x=8 y=6 width=8 height=6 rx=1 ry=1 transform=\"translate(24 18) rotate(-180)\"/&gt; &lt;/svg&gt;";

/***/ }),
/* 91 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;path class=ql-fill d=M11.759,2.482a2.561,2.561,0,0,0-3.53.607A7.656,7.656,0,0,0,6.8,6.2C6.109,9.188,5.275,14.677,4.15,14.927a1.545,1.545,0,0,0-1.3-.933A0.922,0.922,0,0,0,2,15.036S1.954,16,4.119,16s3.091-2.691,3.7-5.553c0.177-.826.36-1.726,0.554-2.6L8.775,6.2c0.381-1.421.807-2.521,1.306-2.676a1.014,1.014,0,0,0,1.02.56A0.966,0.966,0,0,0,11.759,2.482Z&gt;&lt;/path&gt; &lt;rect class=ql-fill height=1.6 rx=0.8 ry=0.8 width=5 x=5.15 y=6.2&gt;&lt;/rect&gt; &lt;path class=ql-fill d=M13.663,12.027a1.662,1.662,0,0,1,.266-0.276q0.193,0.069.456,0.138a2.1,2.1,0,0,0,.535.069,1.075,1.075,0,0,0,.767-0.3,1.044,1.044,0,0,0,.314-0.8,0.84,0.84,0,0,0-.238-0.619,0.8,0.8,0,0,0-.594-0.239,1.154,1.154,0,0,0-.781.3,4.607,4.607,0,0,0-.781,1q-0.091.15-.218,0.346l-0.246.38c-0.068-.288-0.137-0.582-0.212-0.885-0.459-1.847-2.494-.984-2.941-0.8-0.482.2-.353,0.647-0.094,0.529a0.869,0.869,0,0,1,1.281.585c0.217,0.751.377,1.436,0.527,2.038a5.688,5.688,0,0,1-.362.467,2.69,2.69,0,0,1-.264.271q-0.221-.08-0.471-0.147a2.029,2.029,0,0,0-.522-0.066,1.079,1.079,0,0,0-.768.3A1.058,1.058,0,0,0,9,15.131a0.82,0.82,0,0,0,.832.852,1.134,1.134,0,0,0,.787-0.3,5.11,5.11,0,0,0,.776-0.993q0.141-.219.215-0.34c0.046-.076.122-0.194,0.223-0.346a2.786,2.786,0,0,0,.918,1.726,2.582,2.582,0,0,0,2.376-.185c0.317-.181.212-0.565,0-0.494A0.807,0.807,0,0,1,14.176,15a5.159,5.159,0,0,1-.913-2.446l0,0Q13.487,12.24,13.663,12.027Z&gt;&lt;/path&gt; &lt;/svg&gt;";

/***/ }),
/* 92 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewBox=\"0 0 18 18\"&gt; &lt;path class=ql-fill d=M10,4V14a1,1,0,0,1-2,0V10H3v4a1,1,0,0,1-2,0V4A1,1,0,0,1,3,4V8H8V4a1,1,0,0,1,2,0Zm6.06787,9.209H14.98975V7.59863a.54085.54085,0,0,0-.605-.60547h-.62744a1.01119,1.01119,0,0,0-.748.29688L11.645,8.56641a.5435.5435,0,0,0-.022.8584l.28613.30762a.53861.53861,0,0,0,.84717.0332l.09912-.08789a1.2137,1.2137,0,0,0,.2417-.35254h.02246s-.01123.30859-.01123.60547V13.209H12.041a.54085.54085,0,0,0-.605.60547v.43945a.54085.54085,0,0,0,.605.60547h4.02686a.54085.54085,0,0,0,.605-.60547v-.43945A.54085.54085,0,0,0,16.06787,13.209Z /&gt; &lt;/svg&gt;";

/***/ }),
/* 93 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewBox=\"0 0 18 18\"&gt; &lt;path class=ql-fill d=M16.73975,13.81445v.43945a.54085.54085,0,0,1-.605.60547H11.855a.58392.58392,0,0,1-.64893-.60547V14.0127c0-2.90527,3.39941-3.42187,3.39941-4.55469a.77675.77675,0,0,0-.84717-.78125,1.17684,1.17684,0,0,0-.83594.38477c-.2749.26367-.561.374-.85791.13184l-.4292-.34082c-.30811-.24219-.38525-.51758-.1543-.81445a2.97155,2.97155,0,0,1,2.45361-1.17676,2.45393,2.45393,0,0,1,2.68408,2.40918c0,2.45312-3.1792,2.92676-3.27832,3.93848h2.79443A.54085.54085,0,0,1,16.73975,13.81445ZM9,3A.99974.99974,0,0,0,8,4V8H3V4A1,1,0,0,0,1,4V14a1,1,0,0,0,2,0V10H8v4a1,1,0,0,0,2,0V4A.99974.99974,0,0,0,9,3Z /&gt; &lt;/svg&gt;";

/***/ }),
/* 94 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=7 x2=13 y1=4 y2=4&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=5 x2=11 y1=14 y2=14&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=8 x2=10 y1=14 y2=4&gt;&lt;/line&gt; &lt;/svg&gt;";

/***/ }),
/* 95 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;rect class=ql-stroke height=10 width=12 x=3 y=4&gt;&lt;/rect&gt; &lt;circle class=ql-fill cx=6 cy=7 r=1&gt;&lt;/circle&gt; &lt;polyline class=\"ql-even ql-fill\" points=\"5 12 5 11 7 9 8 10 11 7 13 9 13 12 5 12\"&gt;&lt;/polyline&gt; &lt;/svg&gt;";

/***/ }),
/* 96 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=3 x2=15 y1=14 y2=14&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=3 x2=15 y1=4 y2=4&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=9 x2=15 y1=9 y2=9&gt;&lt;/line&gt; &lt;polyline class=\"ql-fill ql-stroke\" points=\"3 7 3 11 5 9 3 7\"&gt;&lt;/polyline&gt; &lt;/svg&gt;";

/***/ }),
/* 97 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=3 x2=15 y1=14 y2=14&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=3 x2=15 y1=4 y2=4&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=9 x2=15 y1=9 y2=9&gt;&lt;/line&gt; &lt;polyline class=ql-stroke points=\"5 7 5 11 3 9 5 7\"&gt;&lt;/polyline&gt; &lt;/svg&gt;";

/***/ }),
/* 98 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=7 x2=11 y1=7 y2=11&gt;&lt;/line&gt; &lt;path class=\"ql-even ql-stroke\" d=M8.9,4.577a3.476,3.476,0,0,1,.36,4.679A3.476,3.476,0,0,1,4.577,8.9C3.185,7.5,2.035,6.4,4.217,4.217S7.5,3.185,8.9,4.577Z&gt;&lt;/path&gt; &lt;path class=\"ql-even ql-stroke\" d=M13.423,9.1a3.476,3.476,0,0,0-4.679-.36,3.476,3.476,0,0,0,.36,4.679c1.392,1.392,2.5,2.542,4.679.36S14.815,10.5,13.423,9.1Z&gt;&lt;/path&gt; &lt;/svg&gt;";

/***/ }),
/* 99 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=7 x2=15 y1=4 y2=4&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=7 x2=15 y1=9 y2=9&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=7 x2=15 y1=14 y2=14&gt;&lt;/line&gt; &lt;line class=\"ql-stroke ql-thin\" x1=2.5 x2=4.5 y1=5.5 y2=5.5&gt;&lt;/line&gt; &lt;path class=ql-fill d=M3.5,6A0.5,0.5,0,0,1,3,5.5V3.085l-0.276.138A0.5,0.5,0,0,1,2.053,3c-0.124-.247-0.023-0.324.224-0.447l1-.5A0.5,0.5,0,0,1,4,2.5v3A0.5,0.5,0,0,1,3.5,6Z&gt;&lt;/path&gt; &lt;path class=\"ql-stroke ql-thin\" d=M4.5,10.5h-2c0-.234,1.85-1.076,1.85-2.234A0.959,0.959,0,0,0,2.5,8.156&gt;&lt;/path&gt; &lt;path class=\"ql-stroke ql-thin\" d=M2.5,14.846a0.959,0.959,0,0,0,1.85-.109A0.7,0.7,0,0,0,3.75,14a0.688,0.688,0,0,0,.6-0.736,0.959,0.959,0,0,0-1.85-.109&gt;&lt;/path&gt; &lt;/svg&gt;";

/***/ }),
/* 100 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=6 x2=15 y1=4 y2=4&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=6 x2=15 y1=9 y2=9&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=6 x2=15 y1=14 y2=14&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=3 x2=3 y1=4 y2=4&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=3 x2=3 y1=9 y2=9&gt;&lt;/line&gt; &lt;line class=ql-stroke x1=3 x2=3 y1=14 y2=14&gt;&lt;/line&gt; &lt;/svg&gt;";

/***/ }),
/* 101 */
/***/ (function(module, exports) {

module.exports = "&lt;svg class=\"\" viewbox=\"0 0 18 18\"&gt; &lt;line class=ql-stroke x1=9 x2=15 y1=4 y2=4&gt;&lt;/line&gt; &lt;polyline class=ql-stroke points=\"3 4 4 5 6 3\"&gt;&lt;/polyline&gt; &lt;line class=ql-stroke x1=9 x2=15 y1=14 y2=14&gt;&lt;/line&gt; &lt;polyline class=ql-stroke points=\"3 14 4 15 6 13\"&gt;&lt;/polyline&gt; &lt;line class=ql-stroke x1=9 x2=15 y1=9 y2=9&gt;&lt;/line&gt; &lt;polyline class=ql-stroke points=\"3 9 4 10 6 8\"&gt;&lt;/polyline&gt; &lt;/svg&gt;";

/***/ }),
/* 102 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;path class=ql-fill d=M15.5,15H13.861a3.858,3.858,0,0,0,1.914-2.975,1.8,1.8,0,0,0-1.6-1.751A1.921,1.921,0,0,0,12.021,11.7a0.50013,0.50013,0,1,0,.957.291h0a0.914,0.914,0,0,1,1.053-.725,0.81,0.81,0,0,1,.744.762c0,1.076-1.16971,1.86982-1.93971,2.43082A1.45639,1.45639,0,0,0,12,15.5a0.5,0.5,0,0,0,.5.5h3A0.5,0.5,0,0,0,15.5,15Z /&gt; &lt;path class=ql-fill d=M9.65,5.241a1,1,0,0,0-1.409.108L6,7.964,3.759,5.349A1,1,0,0,0,2.192,6.59178Q2.21541,6.6213,2.241,6.649L4.684,9.5,2.241,12.35A1,1,0,0,0,3.71,13.70722q0.02557-.02768.049-0.05722L6,11.036,8.241,13.65a1,1,0,1,0,1.567-1.24277Q9.78459,12.3777,9.759,12.35L7.316,9.5,9.759,6.651A1,1,0,0,0,9.65,5.241Z /&gt; &lt;/svg&gt;";

/***/ }),
/* 103 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;path class=ql-fill d=M15.5,7H13.861a4.015,4.015,0,0,0,1.914-2.975,1.8,1.8,0,0,0-1.6-1.751A1.922,1.922,0,0,0,12.021,3.7a0.5,0.5,0,1,0,.957.291,0.917,0.917,0,0,1,1.053-.725,0.81,0.81,0,0,1,.744.762c0,1.077-1.164,1.925-1.934,2.486A1.423,1.423,0,0,0,12,7.5a0.5,0.5,0,0,0,.5.5h3A0.5,0.5,0,0,0,15.5,7Z /&gt; &lt;path class=ql-fill d=M9.651,5.241a1,1,0,0,0-1.41.108L6,7.964,3.759,5.349a1,1,0,1,0-1.519,1.3L4.683,9.5,2.241,12.35a1,1,0,1,0,1.519,1.3L6,11.036,8.241,13.65a1,1,0,0,0,1.519-1.3L7.317,9.5,9.759,6.651A1,1,0,0,0,9.651,5.241Z /&gt; &lt;/svg&gt;";

/***/ }),
/* 104 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;line class=\"ql-stroke ql-thin\" x1=15.5 x2=2.5 y1=8.5 y2=9.5&gt;&lt;/line&gt; &lt;path class=ql-fill d=M9.007,8C6.542,7.791,6,7.519,6,6.5,6,5.792,7.283,5,9,5c1.571,0,2.765.679,2.969,1.309a1,1,0,0,0,1.9-.617C13.356,4.106,11.354,3,9,3,6.2,3,4,4.538,4,6.5a3.2,3.2,0,0,0,.5,1.843Z&gt;&lt;/path&gt; &lt;path class=ql-fill d=M8.984,10C11.457,10.208,12,10.479,12,11.5c0,0.708-1.283,1.5-3,1.5-1.571,0-2.765-.679-2.969-1.309a1,1,0,1,0-1.9.617C4.644,13.894,6.646,15,9,15c2.8,0,5-1.538,5-3.5a3.2,3.2,0,0,0-.5-1.843Z&gt;&lt;/path&gt; &lt;/svg&gt;";

/***/ }),
/* 105 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;path class=ql-stroke d=M5,3V9a4.012,4.012,0,0,0,4,4H9a4.012,4.012,0,0,0,4-4V3&gt;&lt;/path&gt; &lt;rect class=ql-fill height=1 rx=0.5 ry=0.5 width=12 x=3 y=15&gt;&lt;/rect&gt; &lt;/svg&gt;";

/***/ }),
/* 106 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;rect class=ql-stroke height=12 width=12 x=3 y=3&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=12 width=1 x=5 y=3&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=12 width=1 x=12 y=3&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=2 width=8 x=5 y=8&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=1 width=3 x=3 y=5&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=1 width=3 x=3 y=7&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=1 width=3 x=3 y=10&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=1 width=3 x=3 y=12&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=1 width=3 x=12 y=5&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=1 width=3 x=12 y=7&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=1 width=3 x=12 y=10&gt;&lt;/rect&gt; &lt;rect class=ql-fill height=1 width=3 x=12 y=12&gt;&lt;/rect&gt; &lt;/svg&gt;";

/***/ }),
/* 107 */
/***/ (function(module, exports) {

module.exports = "&lt;svg viewbox=\"0 0 18 18\"&gt; &lt;polygon class=ql-stroke points=\"7 11 9 13 11 11 7 11\"&gt;&lt;/polygon&gt; &lt;polygon class=ql-stroke points=\"7 7 9 5 11 7 7 7\"&gt;&lt;/polygon&gt; &lt;/svg&gt;";

/***/ }),
/* 108 */
/***/ (function(module, exports, __nested_webpack_require_432266__) {

"use strict";


Object.defineProperty(exports, "__esModule", {
  value: true
});
exports.default = exports.BubbleTooltip = undefined;

var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };

var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i &lt; props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();

var _extend = __nested_webpack_require_432266__(3);

var _extend2 = _interopRequireDefault(_extend);

var _emitter = __nested_webpack_require_432266__(8);

var _emitter2 = _interopRequireDefault(_emitter);

var _base = __nested_webpack_require_432266__(43);

var _base2 = _interopRequireDefault(_base);

var _selection = __nested_webpack_require_432266__(15);

var _icons = __nested_webpack_require_432266__(41);

var _icons2 = _interopRequireDefault(_icons);

function _interopRequireDefault(obj) { return obj &amp;&amp; obj.__esModule ? obj : { default: obj }; }

function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }

function _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError("this hasn't been initialised - super() hasn't been called"); } return call &amp;&amp; (typeof call === "object" || typeof call === "function") ? call : self; }

function _inherits(subClass, superClass) { if (typeof superClass !== "function" &amp;&amp; superClass !== null) { throw new TypeError("Super expression must either be null or a function, not " + typeof superClass); } subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }

var TOOLBAR_CONFIG = [['bold', 'italic', 'link'], [{ header: 1 }, { header: 2 }, 'blockquote']];

var BubbleTheme = function (_BaseTheme) {
  _inherits(BubbleTheme, _BaseTheme);

  function BubbleTheme(quill, options) {
    _classCallCheck(this, BubbleTheme);

    if (options.modules.toolbar != null &amp;&amp; options.modules.toolbar.container == null) {
      options.modules.toolbar.container = TOOLBAR_CONFIG;
    }

    var _this = _possibleConstructorReturn(this, (BubbleTheme.__proto__ || Object.getPrototypeOf(BubbleTheme)).call(this, quill, options));

    _this.quill.container.classList.add('ql-bubble');
    return _this;
  }

  _createClass(BubbleTheme, [{
    key: 'extendToolbar',
    value: function extendToolbar(toolbar) {
      this.tooltip = new BubbleTooltip(this.quill, this.options.bounds);
      this.tooltip.root.appendChild(toolbar.container);
      this.buildButtons([].slice.call(toolbar.container.querySelectorAll('button')), _icons2.default);
      this.buildPickers([].slice.call(toolbar.container.querySelectorAll('select')), _icons2.default);
    }
  }]);

  return BubbleTheme;
}(_base2.default);

BubbleTheme.DEFAULTS = (0, _extend2.default)(true, {}, _base2.default.DEFAULTS, {
  modules: {
    toolbar: {
      handlers: {
        link: function link(value) {
          if (!value) {
            this.quill.format('link', false);
          } else {
            this.quill.theme.tooltip.edit();
          }
        }
      }
    }
  }
});

var BubbleTooltip = function (_BaseTooltip) {
  _inherits(BubbleTooltip, _BaseTooltip);

  function BubbleTooltip(quill, bounds) {
    _classCallCheck(this, BubbleTooltip);

    var _this2 = _possibleConstructorReturn(this, (BubbleTooltip.__proto__ || Object.getPrototypeOf(BubbleTooltip)).call(this, quill, bounds));

    _this2.quill.on(_emitter2.default.events.EDITOR_CHANGE, function (type, range, oldRange, source) {
      if (type !== _emitter2.default.events.SELECTION_CHANGE) return;
      if (range != null &amp;&amp; range.length &gt; 0 &amp;&amp; source === _emitter2.default.sources.USER) {
        _this2.show();
        // Lock our width so we will expand beyond our offsetParent boundaries
        _this2.root.style.left = '0px';
        _this2.root.style.width = '';
        _this2.root.style.width = _this2.root.offsetWidth + 'px';
        var lines = _this2.quill.getLines(range.index, range.length);
        if (lines.length === 1) {
          _this2.position(_this2.quill.getBounds(range));
        } else {
          var lastLine = lines[lines.length - 1];
          var index = _this2.quill.getIndex(lastLine);
          var length = Math.min(lastLine.length() - 1, range.index + range.length - index);
          var _bounds = _this2.quill.getBounds(new _selection.Range(index, length));
          _this2.position(_bounds);
        }
      } else if (document.activeElement !== _this2.textbox &amp;&amp; _this2.quill.hasFocus()) {
        _this2.hide();
      }
    });
    return _this2;
  }

  _createClass(BubbleTooltip, [{
    key: 'listen',
    value: function listen() {
      var _this3 = this;

      _get(BubbleTooltip.prototype.__proto__ || Object.getPrototypeOf(BubbleTooltip.prototype), 'listen', this).call(this);
      this.root.querySelector('.ql-close').addEventListener('click', function () {
        _this3.root.classList.remove('ql-editing');
      });
      this.quill.on(_emitter2.default.events.SCROLL_OPTIMIZE, function () {
        // Let selection be restored by toolbar handlers before repositioning
        setTimeout(function () {
          if (_this3.root.classList.contains('ql-hidden')) return;
          var range = _this3.quill.getSelection();
          if (range != null) {
            _this3.position(_this3.quill.getBounds(range));
          }
        }, 1);
      });
    }
  }, {
    key: 'cancel',
    value: function cancel() {
      this.show();
    }
  }, {
    key: 'position',
    value: function position(reference) {
      var shift = _get(BubbleTooltip.prototype.__proto__ || Object.getPrototypeOf(BubbleTooltip.prototype), 'position', this).call(this, reference);
      var arrow = this.root.querySelector('.ql-tooltip-arrow');
      arrow.style.marginLeft = '';
      if (shift === 0) return shift;
      arrow.style.marginLeft = -1 * shift - arrow.offsetWidth / 2 + 'px';
    }
  }]);

  return BubbleTooltip;
}(_base.BaseTooltip);

BubbleTooltip.TEMPLATE = ['&lt;span class="ql-tooltip-arrow"&gt;&lt;/span&gt;', '&lt;div class="ql-tooltip-editor"&gt;', '&lt;input type="text" data-formula="e=mc^2" data-link="https://quilljs.com" data-video="Embed URL"&gt;', '&lt;a class="ql-close"&gt;&lt;/a&gt;', '&lt;/div&gt;'].join('');

exports.BubbleTooltip = BubbleTooltip;
exports.default = BubbleTheme;

/***/ }),
/* 109 */
/***/ (function(module, exports, __nested_webpack_require_439588__) {

module.exports = __nested_webpack_require_439588__(63);


/***/ })
/******/ ])["default"];
});

/***/ }),

/***/ "./node_modules/bootstrap-vue/dist/bootstrap-vue.css":
/*!***********************************************************!*\
  !*** ./node_modules/bootstrap-vue/dist/bootstrap-vue.css ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_bootstrap_vue_css__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./bootstrap-vue.css */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/bootstrap-vue/dist/bootstrap-vue.css");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_bootstrap_vue_css__WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_bootstrap_vue_css__WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/sweetalert2/dist/sweetalert2.min.css":
/*!***********************************************************!*\
  !*** ./node_modules/sweetalert2/dist/sweetalert2.min.css ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./sweetalert2.min.css */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/sweetalert2/dist/sweetalert2.min.css");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_sweetalert2_min_css__WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/vue-croppa/dist/vue-croppa.css":
/*!*****************************************************!*\
  !*** ./node_modules/vue-croppa/dist/vue-croppa.css ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_vue_croppa_css__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./vue-croppa.css */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-croppa/dist/vue-croppa.css");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_vue_croppa_css__WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_vue_croppa_css__WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/vue-select/dist/vue-select.css":
/*!*****************************************************!*\
  !*** ./node_modules/vue-select/dist/vue-select.css ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_vue_select_css__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./vue-select.css */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-select/dist/vue-select.css");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_vue_select_css__WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_vue_select_css__WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp;":
/*!***************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp; ***!
  \***************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_vue_loader_lib_loaders_stylePostLoader_js_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_vue_loader_lib_index_js_vue_loader_options_moments_ago_vue_vue_type_style_index_0_id_55107a8f_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../vue-loader/lib/loaders/stylePostLoader.js!../../../postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../vue-loader/lib/index.js??vue-loader-options!./moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_vue_loader_lib_loaders_stylePostLoader_js_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_vue_loader_lib_index_js_vue_loader_options_moments_ago_vue_vue_type_style_index_0_id_55107a8f_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_vue_loader_lib_loaders_stylePostLoader_js_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_vue_loader_lib_index_js_vue_loader_options_moments_ago_vue_vue_type_style_index_0_id_55107a8f_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp;":
/*!*********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp; ***!
  \*********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CustomPaymentUrls_vue_vue_type_style_index_0_id_4d6140fc_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CustomPaymentUrls_vue_vue_type_style_index_0_id_4d6140fc_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CustomPaymentUrls_vue_vue_type_style_index_0_id_4d6140fc_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp;":
/*!***************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp; ***!
  \***************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_EditProfile_vue_vue_type_style_index_0_id_648fdea2_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_EditProfile_vue_vue_type_style_index_0_id_648fdea2_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_EditProfile_vue_vue_type_style_index_0_id_648fdea2_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp;":
/*!******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp; ***!
  \******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ChatBox_vue_vue_type_style_index_0_id_3f2ae3f7_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ChatBox_vue_vue_type_style_index_0_id_3f2ae3f7_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ChatBox_vue_vue_type_style_index_0_id_3f2ae3f7_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp;":
/*!******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp; ***!
  \******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonGradeMatching_vue_vue_type_style_index_0_id_0abd58c0_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonGradeMatching_vue_vue_type_style_index_0_id_0abd58c0_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonGradeMatching_vue_vue_type_style_index_0_id_0abd58c0_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogPosts_vue_vue_type_style_index_0_id_4712e354_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogPosts_vue_vue_type_style_index_0_id_4712e354_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogPosts_vue_vue_type_style_index_0_id_4712e354_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp;":
/*!******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp; ***!
  \******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faqs_vue_vue_type_style_index_0_id_0e883928_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faqs_vue_vue_type_style_index_0_id_0e883928_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faqs_vue_vue_type_style_index_0_id_0e883928_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp;":
/*!****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp; ***!
  \****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequestApprovals_vue_vue_type_style_index_0_id_a3fb7f20_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequestApprovals_vue_vue_type_style_index_0_id_a3fb7f20_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequestApprovals_vue_vue_type_style_index_0_id_a3fb7f20_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp;":
/*!*****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp; ***!
  \*****************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonDocuments_vue_vue_type_style_index_0_id_ccdfc7b6_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonDocuments_vue_vue_type_style_index_0_id_ccdfc7b6_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonDocuments_vue_vue_type_style_index_0_id_ccdfc7b6_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp;":
/*!*********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp; ***!
  \*********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Reviews_vue_vue_type_style_index_0_id_1fd41360_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Reviews_vue_vue_type_style_index_0_id_1fd41360_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Reviews_vue_vue_type_style_index_0_id_1fd41360_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Students_vue_vue_type_style_index_0_id_292180ba_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Students_vue_vue_type_style_index_0_id_292180ba_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Students_vue_vue_type_style_index_0_id_292180ba_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Teachers_vue_vue_type_style_index_0_id_304a3348_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Teachers_vue_vue_type_style_index_0_id_304a3348_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Teachers_vue_vue_type_style_index_0_id_304a3348_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp;":
/*!*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp; ***!
  \*******************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogMyPosts_vue_vue_type_style_index_0_id_4cd4c7ea_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogMyPosts_vue_vue_type_style_index_0_id_4cd4c7ea_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogMyPosts_vue_vue_type_style_index_0_id_4cd4c7ea_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp;":
/*!***************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp; ***!
  \***************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogNew_vue_vue_type_style_index_0_id_67021dfa_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogNew_vue_vue_type_style_index_0_id_67021dfa_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogNew_vue_vue_type_style_index_0_id_67021dfa_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BookForStudent_vue_vue_type_style_index_0_id_476406a6_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BookForStudent_vue_vue_type_style_index_0_id_476406a6_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BookForStudent_vue_vue_type_style_index_0_id_476406a6_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faq_vue_vue_type_style_index_0_id_5546b00a_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faq_vue_vue_type_style_index_0_id_5546b00a_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faq_vue_vue_type_style_index_0_id_5546b00a_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp;":
/*!**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Footer_vue_vue_type_style_index_0_id_61a7c374_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Footer_vue_vue_type_style_index_0_id_61a7c374_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Footer_vue_vue_type_style_index_0_id_61a7c374_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp;":
/*!**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequests_vue_vue_type_style_index_0_id_2009775a_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequests_vue_vue_type_style_index_0_id_2009775a_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequests_vue_vue_type_style_index_0_id_2009775a_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp;":
/*!**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Header_vue_vue_type_style_index_0_id_1f42fb90_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Header_vue_vue_type_style_index_0_id_1f42fb90_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Header_vue_vue_type_style_index_0_id_1f42fb90_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageLessons_vue_vue_type_style_index_0_id_03fe6032_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageLessons_vue_vue_type_style_index_0_id_03fe6032_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageLessons_vue_vue_type_style_index_0_id_03fe6032_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp;":
/*!**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp; ***!
  \**************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_IncomingMoneyOrder_vue_vue_type_style_index_0_id_006b0a42_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_IncomingMoneyOrder_vue_vue_type_style_index_0_id_006b0a42_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_IncomingMoneyOrder_vue_vue_type_style_index_0_id_006b0a42_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp;":
/*!********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp; ***!
  \********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_PageNotFound_vue_vue_type_style_index_0_id_3d2ec509_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_PageNotFound_vue_vue_type_style_index_0_id_3d2ec509_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_PageNotFound_vue_vue_type_style_index_0_id_3d2ec509_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp;":
/*!*********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp; ***!
  \*********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentFreeLessonRequests_vue_vue_type_style_index_0_id_7d396a30_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentFreeLessonRequests_vue_vue_type_style_index_0_id_7d396a30_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentFreeLessonRequests_vue_vue_type_style_index_0_id_7d396a30_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentSchedule_vue_vue_type_style_index_0_id_0302d157_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentSchedule_vue_vue_type_style_index_0_id_0302d157_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentSchedule_vue_vue_type_style_index_0_id_0302d157_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp;":
/*!**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp; ***!
  \**********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherDetails_vue_vue_type_style_index_0_id_7709672b_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherDetails_vue_vue_type_style_index_0_id_7709672b_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherDetails_vue_vue_type_style_index_0_id_7709672b_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp;":
/*!***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp; ***!
  \***********************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! !../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js */ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js");
/* harmony import */ var _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(_node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0__);
/* harmony import */ var _node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherSchedule_vue_vue_type_style_index_0_id_5d09d87e_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! !!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp;");

            

var options = {};

options.insert = "head";
options.singleton = false;

var update = _node_modules_style_loader_dist_runtime_injectStylesIntoStyleTag_js__WEBPACK_IMPORTED_MODULE_0___default()(_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherSchedule_vue_vue_type_style_index_0_id_5d09d87e_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"], options);



/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherSchedule_vue_vue_type_style_index_0_id_5d09d87e_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_1__["default"].locals || {});

/***/ }),

/***/ "./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js":
/*!****************************************************************************!*\
  !*** ./node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js ***!
  \****************************************************************************/
/***/ ((module, __unused_webpack_exports, __webpack_require__) =&gt; {

"use strict";


var isOldIE = function isOldIE() {
  var memo;
  return function memorize() {
    if (typeof memo === 'undefined') {
      // Test for IE &lt;= 9 as proposed by Browserhacks
      // @see http://browserhacks.com/#hack-e71d8692f65334173fee715c222cb805
      // Tests for existence of standard globals is to allow style-loader
      // to operate correctly into non-standard environments
      // @see https://github.com/webpack-contrib/style-loader/issues/177
      memo = Boolean(window &amp;&amp; document &amp;&amp; document.all &amp;&amp; !window.atob);
    }

    return memo;
  };
}();

var getTarget = function getTarget() {
  var memo = {};
  return function memorize(target) {
    if (typeof memo[target] === 'undefined') {
      var styleTarget = document.querySelector(target); // Special case to return head of iframe instead of iframe itself

      if (window.HTMLIFrameElement &amp;&amp; styleTarget instanceof window.HTMLIFrameElement) {
        try {
          // This will throw an exception if access to iframe is blocked
          // due to cross-origin restrictions
          styleTarget = styleTarget.contentDocument.head;
        } catch (e) {
          // istanbul ignore next
          styleTarget = null;
        }
      }

      memo[target] = styleTarget;
    }

    return memo[target];
  };
}();

var stylesInDom = [];

function getIndexByIdentifier(identifier) {
  var result = -1;

  for (var i = 0; i &lt; stylesInDom.length; i++) {
    if (stylesInDom[i].identifier === identifier) {
      result = i;
      break;
    }
  }

  return result;
}

function modulesToDom(list, options) {
  var idCountMap = {};
  var identifiers = [];

  for (var i = 0; i &lt; list.length; i++) {
    var item = list[i];
    var id = options.base ? item[0] + options.base : item[0];
    var count = idCountMap[id] || 0;
    var identifier = "".concat(id, " ").concat(count);
    idCountMap[id] = count + 1;
    var index = getIndexByIdentifier(identifier);
    var obj = {
      css: item[1],
      media: item[2],
      sourceMap: item[3]
    };

    if (index !== -1) {
      stylesInDom[index].references++;
      stylesInDom[index].updater(obj);
    } else {
      stylesInDom.push({
        identifier: identifier,
        updater: addStyle(obj, options),
        references: 1
      });
    }

    identifiers.push(identifier);
  }

  return identifiers;
}

function insertStyleElement(options) {
  var style = document.createElement('style');
  var attributes = options.attributes || {};

  if (typeof attributes.nonce === 'undefined') {
    var nonce =  true ? __webpack_require__.nc : 0;

    if (nonce) {
      attributes.nonce = nonce;
    }
  }

  Object.keys(attributes).forEach(function (key) {
    style.setAttribute(key, attributes[key]);
  });

  if (typeof options.insert === 'function') {
    options.insert(style);
  } else {
    var target = getTarget(options.insert || 'head');

    if (!target) {
      throw new Error("Couldn't find a style target. This probably means that the value for the 'insert' parameter is invalid.");
    }

    target.appendChild(style);
  }

  return style;
}

function removeStyleElement(style) {
  // istanbul ignore if
  if (style.parentNode === null) {
    return false;
  }

  style.parentNode.removeChild(style);
}
/* istanbul ignore next  */


var replaceText = function replaceText() {
  var textStore = [];
  return function replace(index, replacement) {
    textStore[index] = replacement;
    return textStore.filter(Boolean).join('\n');
  };
}();

function applyToSingletonTag(style, index, remove, obj) {
  var css = remove ? '' : obj.media ? "@media ".concat(obj.media, " {").concat(obj.css, "}") : obj.css; // For old IE

  /* istanbul ignore if  */

  if (style.styleSheet) {
    style.styleSheet.cssText = replaceText(index, css);
  } else {
    var cssNode = document.createTextNode(css);
    var childNodes = style.childNodes;

    if (childNodes[index]) {
      style.removeChild(childNodes[index]);
    }

    if (childNodes.length) {
      style.insertBefore(cssNode, childNodes[index]);
    } else {
      style.appendChild(cssNode);
    }
  }
}

function applyToTag(style, options, obj) {
  var css = obj.css;
  var media = obj.media;
  var sourceMap = obj.sourceMap;

  if (media) {
    style.setAttribute('media', media);
  } else {
    style.removeAttribute('media');
  }

  if (sourceMap &amp;&amp; typeof btoa !== 'undefined') {
    css += "\n/*# sourceMappingURL=data:application/json;base64,".concat(btoa(unescape(encodeURIComponent(JSON.stringify(sourceMap)))), " */");
  } // For old IE

  /* istanbul ignore if  */


  if (style.styleSheet) {
    style.styleSheet.cssText = css;
  } else {
    while (style.firstChild) {
      style.removeChild(style.firstChild);
    }

    style.appendChild(document.createTextNode(css));
  }
}

var singleton = null;
var singletonCounter = 0;

function addStyle(obj, options) {
  var style;
  var update;
  var remove;

  if (options.singleton) {
    var styleIndex = singletonCounter++;
    style = singleton || (singleton = insertStyleElement(options));
    update = applyToSingletonTag.bind(null, style, styleIndex, false);
    remove = applyToSingletonTag.bind(null, style, styleIndex, true);
  } else {
    style = insertStyleElement(options);
    update = applyToTag.bind(null, style, options);

    remove = function remove() {
      removeStyleElement(style);
    };
  }

  update(obj);
  return function updateStyle(newObj) {
    if (newObj) {
      if (newObj.css === obj.css &amp;&amp; newObj.media === obj.media &amp;&amp; newObj.sourceMap === obj.sourceMap) {
        return;
      }

      update(obj = newObj);
    } else {
      remove();
    }
  };
}

module.exports = function (list, options) {
  options = options || {}; // Force single-tag solution on IE6-9, which has a hard limit on the # of &lt;style&gt;
  // tags it will allow on a page

  if (!options.singleton &amp;&amp; typeof options.singleton !== 'boolean') {
    options.singleton = isOldIE();
  }

  list = list || [];
  var lastIdentifiers = modulesToDom(list, options);
  return function update(newList) {
    newList = newList || [];

    if (Object.prototype.toString.call(newList) !== '[object Array]') {
      return;
    }

    for (var i = 0; i &lt; lastIdentifiers.length; i++) {
      var identifier = lastIdentifiers[i];
      var index = getIndexByIdentifier(identifier);
      stylesInDom[index].references--;
    }

    var newLastIdentifiers = modulesToDom(newList, options);

    for (var _i = 0; _i &lt; lastIdentifiers.length; _i++) {
      var _identifier = lastIdentifiers[_i];

      var _index = getIndexByIdentifier(_identifier);

      if (stylesInDom[_index].references === 0) {
        stylesInDom[_index].updater();

        stylesInDom.splice(_index, 1);
      }
    }

    lastIdentifiers = newLastIdentifiers;
  };
};

/***/ }),

/***/ "./node_modules/vue-croppa/dist/vue-croppa.js":
/*!****************************************************!*\
  !*** ./node_modules/vue-croppa/dist/vue-croppa.js ***!
  \****************************************************/
/***/ (function(module, __unused_webpack_exports, __webpack_require__) {

/*
 * vue-croppa v1.3.8
 * https://github.com/zhanziyang/vue-croppa
 * 
 * Copyright (c) 2018 zhanziyang
 * Released under the ISC license
 */
  
(function (global, factory) {
	 true ? module.exports = factory() :
	0;
}(this, (function () { 'use strict';

var commonjsGlobal = typeof window !== 'undefined' ? window : typeof __webpack_require__.g !== 'undefined' ? __webpack_require__.g : typeof self !== 'undefined' ? self : {};





function createCommonjsModule(fn, module) {
	return module = { exports: {} }, fn(module, module.exports), module.exports;
}

var canvasExifOrientation = createCommonjsModule(function (module, exports) {
(function (root, factory) {
    if (false) {} else {
        module.exports = factory();
    }
}(commonjsGlobal, function () {
  'use strict';

  function drawImage(img, orientation, x, y, width, height) {
    if (!/^[1-8]$/.test(orientation)) throw new Error('orientation should be [1-8]');

    if (x == null) x = 0;
    if (y == null) y = 0;
    if (width == null) width = img.width;
    if (height == null) height = img.height;

    var canvas = document.createElement('canvas');
    var ctx = canvas.getContext('2d');
    canvas.width = width;
    canvas.height = height;

    ctx.save();
    switch (+orientation) {
      // 1 = The 0th row is at the visual top of the image, and the 0th column is the visual left-hand side.
      case 1:
          break;

      // 2 = The 0th row is at the visual top of the image, and the 0th column is the visual right-hand side.
      case 2:
         ctx.translate(width, 0);
         ctx.scale(-1, 1);
         break;

      // 3 = The 0th row is at the visual bottom of the image, and the 0th column is the visual right-hand side.
      case 3:
          ctx.translate(width, height);
          ctx.rotate(180 / 180 * Math.PI);
          break;

      // 4 = The 0th row is at the visual bottom of the image, and the 0th column is the visual left-hand side.
      case 4:
          ctx.translate(0, height);
          ctx.scale(1, -1);
          break;

      // 5 = The 0th row is the visual left-hand side of the image, and the 0th column is the visual top.
      case 5:
          canvas.width = height;
          canvas.height = width;
          ctx.rotate(90 / 180 * Math.PI);
          ctx.scale(1, -1);
          break;

      // 6 = The 0th row is the visual right-hand side of the image, and the 0th column is the visual top.
      case 6:
          canvas.width = height;
          canvas.height = width;
          ctx.rotate(90 / 180 * Math.PI);
          ctx.translate(0, -height);
          break;

      // 7 = The 0th row is the visual right-hand side of the image, and the 0th column is the visual bottom.
      case 7:
          canvas.width = height;
          canvas.height = width;
          ctx.rotate(270 / 180 * Math.PI);
          ctx.translate(-width, height);
          ctx.scale(1, -1);
          break;

      // 8 = The 0th row is the visual left-hand side of the image, and the 0th column is the visual bottom.
      case 8:
          canvas.width = height;
          canvas.height = width;
          ctx.translate(0, width);
          ctx.rotate(270 / 180 * Math.PI);
          break;
    }

    ctx.drawImage(img, x, y, width, height);
    ctx.restore();

    return canvas;
  }

  return {
    drawImage: drawImage
  };
}));
});

var u = {
  onePointCoord: function onePointCoord(point, vm) {
    var canvas = vm.canvas,
        quality = vm.quality;

    var rect = canvas.getBoundingClientRect();
    var clientX = point.clientX;
    var clientY = point.clientY;
    return {
      x: (clientX - rect.left) * quality,
      y: (clientY - rect.top) * quality
    };
  },
  getPointerCoords: function getPointerCoords(evt, vm) {
    var pointer = void 0;
    if (evt.touches &amp;&amp; evt.touches[0]) {
      pointer = evt.touches[0];
    } else if (evt.changedTouches &amp;&amp; evt.changedTouches[0]) {
      pointer = evt.changedTouches[0];
    } else {
      pointer = evt;
    }
    return this.onePointCoord(pointer, vm);
  },
  getPinchDistance: function getPinchDistance(evt, vm) {
    var pointer1 = evt.touches[0];
    var pointer2 = evt.touches[1];
    var coord1 = this.onePointCoord(pointer1, vm);
    var coord2 = this.onePointCoord(pointer2, vm);

    return Math.sqrt(Math.pow(coord1.x - coord2.x, 2) + Math.pow(coord1.y - coord2.y, 2));
  },
  getPinchCenterCoord: function getPinchCenterCoord(evt, vm) {
    var pointer1 = evt.touches[0];
    var pointer2 = evt.touches[1];
    var coord1 = this.onePointCoord(pointer1, vm);
    var coord2 = this.onePointCoord(pointer2, vm);

    return {
      x: (coord1.x + coord2.x) / 2,
      y: (coord1.y + coord2.y) / 2
    };
  },
  imageLoaded: function imageLoaded(img) {
    return img.complete &amp;&amp; img.naturalWidth !== 0;
  },
  rAFPolyfill: function rAFPolyfill() {
    // rAF polyfill
    if (typeof document == 'undefined' || typeof window == 'undefined') return;
    var lastTime = 0;
    var vendors = ['webkit', 'moz'];
    for (var x = 0; x &lt; vendors.length &amp;&amp; !window.requestAnimationFrame; ++x) {
      window.requestAnimationFrame = window[vendors[x] + 'RequestAnimationFrame'];
      window.cancelAnimationFrame = window[vendors[x] + 'CancelAnimationFrame'] || // Webkitä¸­æ­¤å–æ¶ˆæ–¹æ³•çš„åå­—å˜äº†
      window[vendors[x] + 'CancelRequestAnimationFrame'];
    }

    if (!window.requestAnimationFrame) {
      window.requestAnimationFrame = function (callback) {
        var currTime = new Date().getTime();
        var timeToCall = Math.max(0, 16.7 - (currTime - lastTime));
        var id = window.setTimeout(function () {
          var arg = currTime + timeToCall;
          callback(arg);
        }, timeToCall);
        lastTime = currTime + timeToCall;
        return id;
      };
    }
    if (!window.cancelAnimationFrame) {
      window.cancelAnimationFrame = function (id) {
        clearTimeout(id);
      };
    }

    Array.isArray = function (arg) {
      return Object.prototype.toString.call(arg) === '[object Array]';
    };
  },
  toBlobPolyfill: function toBlobPolyfill() {
    if (typeof document == 'undefined' || typeof window == 'undefined' || !HTMLCanvasElement) return;
    var binStr, len, arr;
    if (!HTMLCanvasElement.prototype.toBlob) {
      Object.defineProperty(HTMLCanvasElement.prototype, 'toBlob', {
        value: function value(callback, type, quality) {
          binStr = atob(this.toDataURL(type, quality).split(',')[1]);
          len = binStr.length;
          arr = new Uint8Array(len);

          for (var i = 0; i &lt; len; i++) {
            arr[i] = binStr.charCodeAt(i);
          }

          callback(new Blob([arr], { type: type || 'image/png' }));
        }
      });
    }
  },
  eventHasFile: function eventHasFile(evt) {
    var dt = evt.dataTransfer || evt.originalEvent.dataTransfer;
    if (dt.types) {
      for (var i = 0, len = dt.types.length; i &lt; len; i++) {
        if (dt.types[i] == 'Files') {
          return true;
        }
      }
    }

    return false;
  },
  getFileOrientation: function getFileOrientation(arrayBuffer) {
    var view = new DataView(arrayBuffer);
    if (view.getUint16(0, false) != 0xFFD8) return -2;
    var length = view.byteLength;
    var offset = 2;
    while (offset &lt; length) {
      var marker = view.getUint16(offset, false);
      offset += 2;
      if (marker == 0xFFE1) {
        if (view.getUint32(offset += 2, false) != 0x45786966) return -1;
        var little = view.getUint16(offset += 6, false) == 0x4949;
        offset += view.getUint32(offset + 4, little);
        var tags = view.getUint16(offset, little);
        offset += 2;
        for (var i = 0; i &lt; tags; i++) {
          if (view.getUint16(offset + i * 12, little) == 0x0112) {
            return view.getUint16(offset + i * 12 + 8, little);
          }
        }
      } else if ((marker &amp; 0xFF00) != 0xFF00) break;else offset += view.getUint16(offset, false);
    }
    return -1;
  },
  parseDataUrl: function parseDataUrl(url) {
    var reg = /^data:([^;]+)?(;base64)?,(.*)/gmi;
    return reg.exec(url)[3];
  },
  base64ToArrayBuffer: function base64ToArrayBuffer(base64) {
    var binaryString = atob(base64);
    var len = binaryString.length;
    var bytes = new Uint8Array(len);
    for (var i = 0; i &lt; len; i++) {
      bytes[i] = binaryString.charCodeAt(i);
    }
    return bytes.buffer;
  },
  getRotatedImage: function getRotatedImage(img, orientation) {
    var _canvas = canvasExifOrientation.drawImage(img, orientation);
    var _img = new Image();
    _img.src = _canvas.toDataURL();
    return _img;
  },
  flipX: function flipX(ori) {
    if (ori % 2 == 0) {
      return ori - 1;
    }

    return ori + 1;
  },
  flipY: function flipY(ori) {
    var map = {
      1: 4,
      4: 1,
      2: 3,
      3: 2,
      5: 8,
      8: 5,
      6: 7,
      7: 6
    };

    return map[ori];
  },
  rotate90: function rotate90(ori) {
    var map = {
      1: 6,
      2: 7,
      3: 8,
      4: 5,
      5: 2,
      6: 3,
      7: 4,
      8: 1
    };

    return map[ori];
  },
  numberValid: function numberValid(n) {
    return typeof n === 'number' &amp;&amp; !isNaN(n);
  }
};

Number.isInteger = Number.isInteger || function (value) {
  return typeof value === 'number' &amp;&amp; isFinite(value) &amp;&amp; Math.floor(value) === value;
};

var initialImageType = String;
if (typeof window !== 'undefined' &amp;&amp; window.Image) {
  initialImageType = [String, Image];
}

var props = {
  value: Object,
  width: {
    type: Number,
    default: 200,
    validator: function validator(val) {
      return val &gt; 0;
    }
  },
  height: {
    type: Number,
    default: 200,
    validator: function validator(val) {
      return val &gt; 0;
    }
  },
  placeholder: {
    type: String,
    default: 'Choose an image'
  },
  placeholderColor: {
    default: '#606060'
  },
  placeholderFontSize: {
    type: Number,
    default: 0,
    validator: function validator(val) {
      return val &gt;= 0;
    }
  },
  canvasColor: {
    default: 'transparent'
  },
  quality: {
    type: Number,
    default: 2,
    validator: function validator(val) {
      return val &gt; 0;
    }
  },
  zoomSpeed: {
    default: 3,
    type: Number,
    validator: function validator(val) {
      return val &gt; 0;
    }
  },
  accept: String,
  fileSizeLimit: {
    type: Number,
    default: 0,
    validator: function validator(val) {
      return val &gt;= 0;
    }
  },
  disabled: Boolean,
  disableDragAndDrop: Boolean,
  disableClickToChoose: Boolean,
  disableDragToMove: Boolean,
  disableScrollToZoom: Boolean,
  disablePinchToZoom: Boolean,
  disableRotation: Boolean,
  reverseScrollToZoom: Boolean,
  preventWhiteSpace: Boolean,
  showRemoveButton: {
    type: Boolean,
    default: true
  },
  removeButtonColor: {
    type: String,
    default: 'red'
  },
  removeButtonSize: {
    type: Number
  },
  initialImage: initialImageType,
  initialSize: {
    type: String,
    default: 'cover',
    validator: function validator(val) {
      return val === 'cover' || val === 'contain' || val === 'natural';
    }
  },
  initialPosition: {
    type: String,
    default: 'center',
    validator: function validator(val) {
      var valids = ['center', 'top', 'bottom', 'left', 'right'];
      return val.split(' ').every(function (word) {
        return valids.indexOf(word) &gt;= 0;
      }) || /^-?\d+% -?\d+%$/.test(val);
    }
  },
  inputAttrs: Object,
  showLoading: Boolean,
  loadingSize: {
    type: Number,
    default: 20
  },
  loadingColor: {
    type: String,
    default: '#606060'
  },
  replaceDrop: Boolean,
  passive: Boolean,
  imageBorderRadius: {
    type: [Number, String],
    default: 0
  },
  autoSizing: Boolean,
  videoEnabled: Boolean
};

var events = {
  INIT_EVENT: 'init',
  FILE_CHOOSE_EVENT: 'file-choose',
  FILE_SIZE_EXCEED_EVENT: 'file-size-exceed',
  FILE_TYPE_MISMATCH_EVENT: 'file-type-mismatch',
  NEW_IMAGE_EVENT: 'new-image',
  NEW_IMAGE_DRAWN_EVENT: 'new-image-drawn',
  IMAGE_REMOVE_EVENT: 'image-remove',
  MOVE_EVENT: 'move',
  ZOOM_EVENT: 'zoom',
  DRAW_EVENT: 'draw',
  INITIAL_IMAGE_LOADED_EVENT: 'initial-image-loaded',
  LOADING_START_EVENT: 'loading-start',
  LOADING_END_EVENT: 'loading-end'
};

var _typeof = typeof Symbol === "function" &amp;&amp; typeof Symbol.iterator === "symbol" ? function (obj) {
  return typeof obj;
} : function (obj) {
  return obj &amp;&amp; typeof Symbol === "function" &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj;
};

var PCT_PER_ZOOM = 1 / 100000; // The amount of zooming everytime it happens, in percentage of image width.
var MIN_MS_PER_CLICK = 500; // If touch duration is shorter than the value, then it is considered as a click.
var CLICK_MOVE_THRESHOLD = 100; // If touch move distance is greater than this value, then it will by no mean be considered as a click.
var MIN_WIDTH = 10; // The minimal width the user can zoom to.
var DEFAULT_PLACEHOLDER_TAKEUP = 2 / 3; // Placeholder text by default takes up this amount of times of canvas width.
var PINCH_ACCELERATION = 1; // The amount of times by which the pinching is more sensitive than the scolling

var syncData = ['imgData', 'img', 'imgSet', 'originalImage', 'naturalHeight', 'naturalWidth', 'orientation', 'scaleRatio'];
// const DEBUG = false

var component = { render: function render() {
    var _vm = this;var _h = _vm.$createElement;var _c = _vm._self._c || _h;return _c('div', { ref: "wrapper", class: 'croppa-container ' + (_vm.img ? 'croppa--has-target' : '') + ' ' + (_vm.passive ? 'croppa--passive' : '') + ' ' + (_vm.disabled ? 'croppa--disabled' : '') + ' ' + (_vm.disableClickToChoose ? 'croppa--disabled-cc' : '') + ' ' + (_vm.disableDragToMove &amp;&amp; _vm.disableScrollToZoom ? 'croppa--disabled-mz' : '') + ' ' + (_vm.fileDraggedOver ? 'croppa--dropzone' : ''), on: { "dragenter": function dragenter($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handleDragEnter($event);
        }, "dragleave": function dragleave($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handleDragLeave($event);
        }, "dragover": function dragover($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handleDragOver($event);
        }, "drop": function drop($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handleDrop($event);
        } } }, [_c('input', _vm._b({ ref: "fileInput", staticStyle: { "height": "1px", "width": "1px", "overflow": "hidden", "margin-left": "-99999px", "position": "absolute" }, attrs: { "type": "file", "accept": _vm.accept, "disabled": _vm.disabled }, on: { "change": _vm._handleInputChange } }, 'input', _vm.inputAttrs, false)), _vm._v(" "), _c('div', { staticClass: "slots", staticStyle: { "width": "0", "height": "0", "visibility": "hidden" } }, [_vm._t("initial"), _vm._v(" "), _vm._t("placeholder")], 2), _vm._v(" "), _c('canvas', { ref: "canvas", on: { "click": function click($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handleClick($event);
        }, "dblclick": function dblclick($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handleDblClick($event);
        }, "touchstart": function touchstart($event) {
          $event.stopPropagation();return _vm._handlePointerStart($event);
        }, "mousedown": function mousedown($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handlePointerStart($event);
        }, "pointerstart": function pointerstart($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handlePointerStart($event);
        }, "touchend": function touchend($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handlePointerEnd($event);
        }, "touchcancel": function touchcancel($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handlePointerEnd($event);
        }, "mouseup": function mouseup($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handlePointerEnd($event);
        }, "pointerend": function pointerend($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handlePointerEnd($event);
        }, "pointercancel": function pointercancel($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handlePointerEnd($event);
        }, "touchmove": function touchmove($event) {
          $event.stopPropagation();return _vm._handlePointerMove($event);
        }, "mousemove": function mousemove($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handlePointerMove($event);
        }, "pointermove": function pointermove($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handlePointerMove($event);
        }, "pointerleave": function pointerleave($event) {
          $event.stopPropagation();$event.preventDefault();return _vm._handlePointerLeave($event);
        }, "DOMMouseScroll": function DOMMouseScroll($event) {
          $event.stopPropagation();return _vm._handleWheel($event);
        }, "wheel": function wheel($event) {
          $event.stopPropagation();return _vm._handleWheel($event);
        }, "mousewheel": function mousewheel($event) {
          $event.stopPropagation();return _vm._handleWheel($event);
        } } }), _vm._v(" "), _vm.showRemoveButton &amp;&amp; _vm.img &amp;&amp; !_vm.passive ? _c('svg', { staticClass: "icon icon-remove", style: 'top: -' + _vm.height / 40 + 'px; right: -' + _vm.width / 40 + 'px', attrs: { "viewBox": "0 0 1024 1024", "version": "1.1", "xmlns": "http://www.w3.org/2000/svg", "xmlns:xlink": "http://www.w3.org/1999/xlink", "width": _vm.removeButtonSize || _vm.width / 10, "height": _vm.removeButtonSize || _vm.width / 10 }, on: { "click": _vm.remove } }, [_c('path', { attrs: { "d": "M511.921231 0C229.179077 0 0 229.257846 0 512 0 794.702769 229.179077 1024 511.921231 1024 794.781538 1024 1024 794.702769 1024 512 1024 229.257846 794.781538 0 511.921231 0ZM732.041846 650.633846 650.515692 732.081231C650.515692 732.081231 521.491692 593.683692 511.881846 593.683692 502.429538 593.683692 373.366154 732.081231 373.366154 732.081231L291.761231 650.633846C291.761231 650.633846 430.316308 523.500308 430.316308 512.196923 430.316308 500.696615 291.761231 373.523692 291.761231 373.523692L373.366154 291.918769C373.366154 291.918769 503.453538 430.395077 511.881846 430.395077 520.349538 430.395077 650.515692 291.918769 650.515692 291.918769L732.041846 373.523692C732.041846 373.523692 593.447385 502.547692 593.447385 512.196923 593.447385 521.412923 732.041846 650.633846 732.041846 650.633846Z", "fill": _vm.removeButtonColor } })]) : _vm._e(), _vm._v(" "), _vm.showLoading &amp;&amp; _vm.loading ? _c('div', { staticClass: "sk-fading-circle", style: _vm.loadingStyle }, _vm._l(12, function (i) {
      return _c('div', { key: i, class: 'sk-circle' + i + ' sk-circle' }, [_c('div', { staticClass: "sk-circle-indicator", style: { backgroundColor: _vm.loadingColor } })]);
    })) : _vm._e(), _vm._v(" "), _vm._t("default")], 2);
  }, staticRenderFns: [],
  model: {
    prop: 'value',
    event: events.INIT_EVENT
  },

  props: props,

  data: function data() {
    return {
      canvas: null,
      ctx: null,
      originalImage: null,
      img: null,
      video: null,
      dragging: false,
      lastMovingCoord: null,
      imgData: {
        width: 0,
        height: 0,
        startX: 0,
        startY: 0
      },
      fileDraggedOver: false,
      tabStart: 0,
      scrolling: false,
      pinching: false,
      rotating: false,
      pinchDistance: 0,
      supportTouch: false,
      pointerMoved: false,
      pointerStartCoord: null,
      naturalWidth: 0,
      naturalHeight: 0,
      scaleRatio: null,
      orientation: 1,
      userMetadata: null,
      imageSet: false,
      currentPointerCoord: null,
      currentIsInitial: false,
      loading: false,
      realWidth: 0, // only for when autoSizing is on
      realHeight: 0, // only for when autoSizing is on
      chosenFile: null,
      useAutoSizing: false
    };
  },


  computed: {
    outputWidth: function outputWidth() {
      var w = this.useAutoSizing ? this.realWidth : this.width;
      return w * this.quality;
    },
    outputHeight: function outputHeight() {
      var h = this.useAutoSizing ? this.realHeight : this.height;
      return h * this.quality;
    },
    computedPlaceholderFontSize: function computedPlaceholderFontSize() {
      return this.placeholderFontSize * this.quality;
    },
    aspectRatio: function aspectRatio() {
      return this.naturalWidth / this.naturalHeight;
    },
    loadingStyle: function loadingStyle() {
      return {
        width: this.loadingSize + 'px',
        height: this.loadingSize + 'px',
        right: '15px',
        bottom: '10px'
      };
    }
  },

  mounted: function mounted() {
    var _this = this;

    this._initialize();
    u.rAFPolyfill();
    u.toBlobPolyfill();

    var supports = this.supportDetection();
    if (!supports.basic) {
      console.warn('Your browser does not support vue-croppa functionality.');
    }

    if (this.passive) {
      this.$watch('value._data', function (data) {
        var set$$1 = false;
        if (!data) return;
        for (var key in data) {
          if (syncData.indexOf(key) &gt;= 0) {
            var val = data[key];
            if (val !== _this[key]) {
              _this.$set(_this, key, val);
              set$$1 = true;
            }
          }
        }
        if (set$$1) {
          if (!_this.img) {
            _this.remove();
          } else {
            _this.$nextTick(function () {
              _this._draw();
            });
          }
        }
      }, {
        deep: true
      });
    }

    this.useAutoSizing = !!(this.autoSizing &amp;&amp; this.$refs.wrapper &amp;&amp; getComputedStyle);
    if (this.useAutoSizing) {
      this._autoSizingInit();
    }
  },
  beforeDestroy: function beforeDestroy() {
    if (this.useAutoSizing) {
      this._autoSizingRemove();
    }
  },


  watch: {
    outputWidth: function outputWidth() {
      this.onDimensionChange();
    },
    outputHeight: function outputHeight() {
      this.onDimensionChange();
    },
    canvasColor: function canvasColor() {
      if (!this.img) {
        this._setPlaceholders();
      } else {
        this._draw();
      }
    },
    imageBorderRadius: function imageBorderRadius() {
      if (this.img) {
        this._draw();
      }
    },
    placeholder: function placeholder() {
      if (!this.img) {
        this._setPlaceholders();
      }
    },
    placeholderColor: function placeholderColor() {
      if (!this.img) {
        this._setPlaceholders();
      }
    },
    computedPlaceholderFontSize: function computedPlaceholderFontSize() {
      if (!this.img) {
        this._setPlaceholders();
      }
    },
    preventWhiteSpace: function preventWhiteSpace(val) {
      if (val) {
        this.imageSet = false;
      }
      this._placeImage();
    },
    scaleRatio: function scaleRatio(val, oldVal) {
      if (this.passive) return;
      if (!this.img) return;
      if (!u.numberValid(val)) return;

      var x = 1;
      if (u.numberValid(oldVal) &amp;&amp; oldVal !== 0) {
        x = val / oldVal;
      }
      var pos = this.currentPointerCoord || {
        x: this.imgData.startX + this.imgData.width / 2,
        y: this.imgData.startY + this.imgData.height / 2
      };
      this.imgData.width = this.naturalWidth * val;
      this.imgData.height = this.naturalHeight * val;

      if (!this.userMetadata &amp;&amp; this.imageSet &amp;&amp; !this.rotating) {
        var offsetX = (x - 1) * (pos.x - this.imgData.startX);
        var offsetY = (x - 1) * (pos.y - this.imgData.startY);
        this.imgData.startX = this.imgData.startX - offsetX;
        this.imgData.startY = this.imgData.startY - offsetY;
      }

      if (this.preventWhiteSpace) {
        this._preventZoomingToWhiteSpace();
        this._preventMovingToWhiteSpace();
      }
    },

    'imgData.width': function imgDataWidth(val, oldVal) {
      // if (this.passive) return
      if (!u.numberValid(val)) return;
      this.scaleRatio = val / this.naturalWidth;
      if (this.hasImage()) {
        if (Math.abs(val - oldVal) &gt; val * (1 / 100000)) {
          this.emitEvent(events.ZOOM_EVENT);
          this._draw();
        }
      }
    },
    'imgData.height': function imgDataHeight(val) {
      // if (this.passive) return
      if (!u.numberValid(val)) return;
      this.scaleRatio = val / this.naturalHeight;
    },
    'imgData.startX': function imgDataStartX(val) {
      // if (this.passive) return
      if (this.hasImage()) {
        this.$nextTick(this._draw);
      }
    },
    'imgData.startY': function imgDataStartY(val) {
      // if (this.passive) return
      if (this.hasImage()) {
        this.$nextTick(this._draw);
      }
    },
    loading: function loading(val) {
      if (this.passive) return;
      if (val) {
        this.emitEvent(events.LOADING_START_EVENT);
      } else {
        this.emitEvent(events.LOADING_END_EVENT);
      }
    },
    autoSizing: function autoSizing(val) {
      this.useAutoSizing = !!(this.autoSizing &amp;&amp; this.$refs.wrapper &amp;&amp; getComputedStyle);
      if (val) {
        this._autoSizingInit();
      } else {
        this._autoSizingRemove();
      }
    }
  },

  methods: {
    emitEvent: function emitEvent() {
      // console.log(args[0])
      this.$emit.apply(this, arguments);
    },
    getCanvas: function getCanvas() {
      return this.canvas;
    },
    getContext: function getContext() {
      return this.ctx;
    },
    getChosenFile: function getChosenFile() {
      return this.chosenFile || this.$refs.fileInput.files[0];
    },
    move: function move(offset) {
      if (!offset || this.passive) return;
      var oldX = this.imgData.startX;
      var oldY = this.imgData.startY;
      this.imgData.startX += offset.x;
      this.imgData.startY += offset.y;
      if (this.preventWhiteSpace) {
        this._preventMovingToWhiteSpace();
      }
      if (this.imgData.startX !== oldX || this.imgData.startY !== oldY) {
        this.emitEvent(events.MOVE_EVENT);
        this._draw();
      }
    },
    moveUpwards: function moveUpwards() {
      var amount = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 1;

      this.move({ x: 0, y: -amount });
    },
    moveDownwards: function moveDownwards() {
      var amount = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 1;

      this.move({ x: 0, y: amount });
    },
    moveLeftwards: function moveLeftwards() {
      var amount = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 1;

      this.move({ x: -amount, y: 0 });
    },
    moveRightwards: function moveRightwards() {
      var amount = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 1;

      this.move({ x: amount, y: 0 });
    },
    zoom: function zoom() {
      var zoomIn = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : true;
      var acceleration = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 1;

      if (this.passive) return;
      var realSpeed = this.zoomSpeed * acceleration;
      var speed = this.outputWidth * PCT_PER_ZOOM * realSpeed;
      var x = 1;
      if (zoomIn) {
        x = 1 + speed;
      } else if (this.imgData.width &gt; MIN_WIDTH) {
        x = 1 - speed;
      }

      this.scaleRatio *= x;
    },
    zoomIn: function zoomIn() {
      this.zoom(true);
    },
    zoomOut: function zoomOut() {
      this.zoom(false);
    },
    rotate: function rotate() {
      var step = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 1;

      if (this.disableRotation || this.disabled || this.passive) return;
      step = parseInt(step);
      if (isNaN(step) || step &gt; 3 || step &lt; -3) {
        console.warn('Invalid argument for rotate() method. It should one of the integers from -3 to 3.');
        step = 1;
      }
      this._rotateByStep(step);
    },
    flipX: function flipX() {
      if (this.disableRotation || this.disabled || this.passive) return;
      this._setOrientation(2);
    },
    flipY: function flipY() {
      if (this.disableRotation || this.disabled || this.passive) return;
      this._setOrientation(4);
    },
    refresh: function refresh() {
      this.$nextTick(this._initialize);
    },
    hasImage: function hasImage() {
      return !!this.imageSet;
    },
    applyMetadata: function applyMetadata(metadata) {
      if (!metadata || this.passive) return;
      this.userMetadata = metadata;
      var ori = metadata.orientation || this.orientation || 1;
      this._setOrientation(ori, true);
    },
    generateDataUrl: function generateDataUrl(type, compressionRate) {
      if (!this.hasImage()) return '';
      return this.canvas.toDataURL(type, compressionRate);
    },
    generateBlob: function generateBlob(callback, mimeType, qualityArgument) {
      if (!this.hasImage()) {
        callback(null);
        return;
      }
      this.canvas.toBlob(callback, mimeType, qualityArgument);
    },
    promisedBlob: function promisedBlob() {
      var _this2 = this;

      for (var _len = arguments.length, args = Array(_len), _key = 0; _key &lt; _len; _key++) {
        args[_key] = arguments[_key];
      }

      if (typeof Promise == 'undefined') {
        console.warn('No Promise support. Please add Promise polyfill if you want to use this method.');
        return;
      }
      return new Promise(function (resolve, reject) {
        try {
          _this2.generateBlob.apply(_this2, [function (blob) {
            resolve(blob);
          }].concat(args));
        } catch (err) {
          reject(err);
        }
      });
    },
    getMetadata: function getMetadata() {
      if (!this.hasImage()) return {};
      var _imgData = this.imgData,
          startX = _imgData.startX,
          startY = _imgData.startY;


      return {
        startX: startX,
        startY: startY,
        scale: this.scaleRatio,
        orientation: this.orientation
      };
    },
    supportDetection: function supportDetection() {
      if (typeof window === 'undefined') return;
      var div = document.createElement('div');
      return {
        'basic': window.requestAnimationFrame &amp;&amp; window.File &amp;&amp; window.FileReader &amp;&amp; window.FileList &amp;&amp; window.Blob,
        'dnd': 'ondragstart' in div &amp;&amp; 'ondrop' in div
      };
    },
    chooseFile: function chooseFile() {
      if (this.passive) return;
      this.$refs.fileInput.click();
    },
    remove: function remove() {
      if (!this.imageSet) return;
      this._setPlaceholders();

      var hadImage = this.img != null;
      this.originalImage = null;
      this.img = null;
      this.$refs.fileInput.value = '';
      this.imgData = {
        width: 0,
        height: 0,
        startX: 0,
        startY: 0
      };
      this.orientation = 1;
      this.scaleRatio = null;
      this.userMetadata = null;
      this.imageSet = false;
      this.chosenFile = null;
      if (this.video) {
        this.video.pause();
        this.video = null;
      }

      if (hadImage) {
        this.emitEvent(events.IMAGE_REMOVE_EVENT);
      }
    },
    addClipPlugin: function addClipPlugin(plugin) {
      if (!this.clipPlugins) {
        this.clipPlugins = [];
      }
      if (typeof plugin === 'function' &amp;&amp; this.clipPlugins.indexOf(plugin) &lt; 0) {
        this.clipPlugins.push(plugin);
      } else {
        throw Error('Clip plugins should be functions');
      }
    },
    emitNativeEvent: function emitNativeEvent(evt) {
      this.emitEvent(evt.type, evt);
    },
    _setContainerSize: function _setContainerSize() {
      if (this.useAutoSizing) {
        this.realWidth = +getComputedStyle(this.$refs.wrapper).width.slice(0, -2);
        this.realHeight = +getComputedStyle(this.$refs.wrapper).height.slice(0, -2);
      }
    },
    _autoSizingInit: function _autoSizingInit() {
      this._setContainerSize();
      window.addEventListener('resize', this._setContainerSize);
    },
    _autoSizingRemove: function _autoSizingRemove() {
      this._setContainerSize();
      window.removeEventListener('resize', this._setContainerSize);
    },
    _initialize: function _initialize() {
      this.canvas = this.$refs.canvas;
      this._setSize();
      this.canvas.style.backgroundColor = !this.canvasColor || this.canvasColor == 'default' ? 'transparent' : typeof this.canvasColor === 'string' ? this.canvasColor : '';
      this.ctx = this.canvas.getContext('2d');
      this.ctx.imageSmoothingEnabled = true;
      this.ctx.imageSmoothingQuality = "high";
      this.ctx.webkitImageSmoothingEnabled = true;
      this.ctx.msImageSmoothingEnabled = true;
      this.ctx.imageSmoothingEnabled = true;
      this.originalImage = null;
      this.img = null;
      this.$refs.fileInput.value = '';
      this.imageSet = false;
      this.chosenFile = null;
      this._setInitial();
      if (!this.passive) {
        this.emitEvent(events.INIT_EVENT, this);
      }
    },
    _setSize: function _setSize() {
      this.canvas.width = this.outputWidth;
      this.canvas.height = this.outputHeight;
      this.canvas.style.width = (this.useAutoSizing ? this.realWidth : this.width) + 'px';
      this.canvas.style.height = (this.useAutoSizing ? this.realHeight : this.height) + 'px';
    },
    _rotateByStep: function _rotateByStep(step) {
      var orientation = 1;
      switch (step) {
        case 1:
          orientation = 6;
          break;
        case 2:
          orientation = 3;
          break;
        case 3:
          orientation = 8;
          break;
        case -1:
          orientation = 8;
          break;
        case -2:
          orientation = 3;
          break;
        case -3:
          orientation = 6;
          break;
      }
      this._setOrientation(orientation);
    },
    _setImagePlaceholder: function _setImagePlaceholder() {
      var _this3 = this;

      var img = void 0;
      if (this.$slots.placeholder &amp;&amp; this.$slots.placeholder[0]) {
        var vNode = this.$slots.placeholder[0];
        var tag = vNode.tag,
            elm = vNode.elm;

        if (tag == 'img' &amp;&amp; elm) {
          img = elm;
        }
      }

      if (!img) return;

      var onLoad = function onLoad() {
        _this3.ctx.drawImage(img, 0, 0, _this3.outputWidth, _this3.outputHeight);
      };

      if (u.imageLoaded(img)) {
        onLoad();
      } else {
        img.onload = onLoad;
      }
    },
    _setTextPlaceholder: function _setTextPlaceholder() {
      var ctx = this.ctx;
      ctx.textBaseline = 'middle';
      ctx.textAlign = 'center';
      var defaultFontSize = this.outputWidth * DEFAULT_PLACEHOLDER_TAKEUP / this.placeholder.length;
      var fontSize = !this.computedPlaceholderFontSize || this.computedPlaceholderFontSize == 0 ? defaultFontSize : this.computedPlaceholderFontSize;
      ctx.font = fontSize + 'px sans-serif';
      ctx.fillStyle = !this.placeholderColor || this.placeholderColor == 'default' ? '#606060' : this.placeholderColor;
      ctx.fillText(this.placeholder, this.outputWidth / 2, this.outputHeight / 2);
    },
    _setPlaceholders: function _setPlaceholders() {
      this._paintBackground();
      this._setImagePlaceholder();
      this._setTextPlaceholder();
    },
    _setInitial: function _setInitial() {
      var _this4 = this;

      var src = void 0,
          img = void 0;
      if (this.$slots.initial &amp;&amp; this.$slots.initial[0]) {
        var vNode = this.$slots.initial[0];
        var tag = vNode.tag,
            elm = vNode.elm;

        if (tag == 'img' &amp;&amp; elm) {
          img = elm;
        }
      }
      if (this.initialImage &amp;&amp; typeof this.initialImage === 'string') {
        src = this.initialImage;
        img = new Image();
        if (!/^data:/.test(src) &amp;&amp; !/^blob:/.test(src)) {
          img.setAttribute('crossOrigin', 'anonymous');
        }
        img.src = src;
      } else if (_typeof(this.initialImage) === 'object' &amp;&amp; this.initialImage instanceof Image) {
        img = this.initialImage;
      }
      if (!src &amp;&amp; !img) {
        this._setPlaceholders();
        return;
      }
      this.currentIsInitial = true;
      if (u.imageLoaded(img)) {
        // this.emitEvent(events.INITIAL_IMAGE_LOADED_EVENT)
        this._onload(img, +img.dataset['exifOrientation'], true);
      } else {
        this.loading = true;
        img.onload = function () {
          // this.emitEvent(events.INITIAL_IMAGE_LOADED_EVENT)
          _this4._onload(img, +img.dataset['exifOrientation'], true);
        };

        img.onerror = function () {
          _this4._setPlaceholders();
        };
      }
    },
    _onload: function _onload(img) {
      var orientation = arguments.length &gt; 1 &amp;&amp; arguments[1] !== undefined ? arguments[1] : 1;
      var initial = arguments[2];

      if (this.imageSet) {
        this.remove();
      }
      this.originalImage = img;
      this.img = img;

      if (isNaN(orientation)) {
        orientation = 1;
      }

      this._setOrientation(orientation);

      if (initial) {
        this.emitEvent(events.INITIAL_IMAGE_LOADED_EVENT);
      }
    },
    _onVideoLoad: function _onVideoLoad(video, initial) {
      var _this5 = this;

      this.video = video;
      var canvas = document.createElement('canvas');
      var videoWidth = video.videoWidth,
          videoHeight = video.videoHeight;

      canvas.width = videoWidth;
      canvas.height = videoHeight;
      var ctx = canvas.getContext('2d');
      this.loading = false;
      var drawFrame = function drawFrame(initial) {
        if (!_this5.video) return;
        ctx.drawImage(_this5.video, 0, 0, videoWidth, videoHeight);
        var frame = new Image();
        frame.src = canvas.toDataURL();
        frame.onload = function () {
          _this5.img = frame;
          // this._placeImage()
          if (initial) {
            _this5._placeImage();
          } else {
            _this5._draw();
          }
        };
      };
      drawFrame(true);
      var keepDrawing = function keepDrawing() {
        _this5.$nextTick(function () {
          drawFrame();
          if (!_this5.video || _this5.video.ended || _this5.video.paused) return;
          requestAnimationFrame(keepDrawing);
        });
      };
      this.video.addEventListener('play', function () {
        requestAnimationFrame(keepDrawing);
      });
    },
    _handleClick: function _handleClick(evt) {
      this.emitNativeEvent(evt);
      if (!this.hasImage() &amp;&amp; !this.disableClickToChoose &amp;&amp; !this.disabled &amp;&amp; !this.supportTouch &amp;&amp; !this.passive) {
        this.chooseFile();
      }
    },
    _handleDblClick: function _handleDblClick(evt) {
      this.emitNativeEvent(evt);
      if (this.videoEnabled &amp;&amp; this.video) {
        if (this.video.paused || this.video.ended) {
          this.video.play();
        } else {
          this.video.pause();
        }
        return;
      }
    },
    _handleInputChange: function _handleInputChange() {
      var input = this.$refs.fileInput;
      if (!input.files.length || this.passive) return;

      var file = input.files[0];
      this._onNewFileIn(file);
    },
    _onNewFileIn: function _onNewFileIn(file) {
      var _this6 = this;

      this.currentIsInitial = false;
      this.loading = true;
      this.emitEvent(events.FILE_CHOOSE_EVENT, file);
      this.chosenFile = file;
      if (!this._fileSizeIsValid(file)) {
        this.loading = false;
        this.emitEvent(events.FILE_SIZE_EXCEED_EVENT, file);
        return false;
      }
      if (!this._fileTypeIsValid(file)) {
        this.loading = false;
        this.emitEvent(events.FILE_TYPE_MISMATCH_EVENT, file);
        var type = file.type || file.name.toLowerCase().split('.').pop();
        return false;
      }

      if (typeof window !== 'undefined' &amp;&amp; typeof window.FileReader !== 'undefined') {
        var fr = new FileReader();
        fr.onload = function (e) {
          var fileData = e.target.result;
          var base64 = u.parseDataUrl(fileData);
          var isVideo = /^video/.test(file.type);
          if (isVideo) {
            var video = document.createElement('video');
            video.src = fileData;
            fileData = null;
            if (video.readyState &gt;= video.HAVE_FUTURE_DATA) {
              _this6._onVideoLoad(video);
            } else {
              video.addEventListener('canplay', function () {
                console.log('can play event');
                _this6._onVideoLoad(video);
              }, false);
            }
          } else {
            var orientation = 1;
            try {
              orientation = u.getFileOrientation(u.base64ToArrayBuffer(base64));
            } catch (err) {}
            if (orientation &lt; 1) orientation = 1;
            var img = new Image();
            img.src = fileData;
            fileData = null;
            img.onload = function () {
              _this6._onload(img, orientation);
              _this6.emitEvent(events.NEW_IMAGE_EVENT);
            };
          }
        };
        fr.readAsDataURL(file);
      }
    },
    _fileSizeIsValid: function _fileSizeIsValid(file) {
      if (!file) return false;
      if (!this.fileSizeLimit || this.fileSizeLimit == 0) return true;

      return file.size &lt; this.fileSizeLimit;
    },
    _fileTypeIsValid: function _fileTypeIsValid(file) {
      var acceptableMimeType = this.videoEnabled &amp;&amp; /^video/.test(file.type) &amp;&amp; document.createElement('video').canPlayType(file.type) || /^image/.test(file.type);
      if (!acceptableMimeType) return false;
      if (!this.accept) return true;
      var accept = this.accept;
      var baseMimetype = accept.replace(/\/.*$/, '');
      var types = accept.split(',');
      for (var i = 0, len = types.length; i &lt; len; i++) {
        var type = types[i];
        var t = type.trim();
        if (t.charAt(0) == '.') {
          if (file.name.toLowerCase().split('.').pop() === t.toLowerCase().slice(1)) return true;
        } else if (/\/\*$/.test(t)) {
          var fileBaseType = file.type.replace(/\/.*$/, '');
          if (fileBaseType === baseMimetype) {
            return true;
          }
        } else if (file.type === type) {
          return true;
        }
      }

      return false;
    },
    _placeImage: function _placeImage(applyMetadata) {
      if (!this.img) return;
      var imgData = this.imgData;

      this.naturalWidth = this.img.naturalWidth;
      this.naturalHeight = this.img.naturalHeight;

      imgData.startX = u.numberValid(imgData.startX) ? imgData.startX : 0;
      imgData.startY = u.numberValid(imgData.startY) ? imgData.startY : 0;

      if (this.preventWhiteSpace) {
        this._aspectFill();
      } else if (!this.imageSet) {
        if (this.initialSize == 'contain') {
          this._aspectFit();
        } else if (this.initialSize == 'natural') {
          this._naturalSize();
        } else {
          this._aspectFill();
        }
      } else {
        this.imgData.width = this.naturalWidth * this.scaleRatio;
        this.imgData.height = this.naturalHeight * this.scaleRatio;
      }

      if (!this.imageSet) {
        if (/top/.test(this.initialPosition)) {
          imgData.startY = 0;
        } else if (/bottom/.test(this.initialPosition)) {
          imgData.startY = this.outputHeight - imgData.height;
        }

        if (/left/.test(this.initialPosition)) {
          imgData.startX = 0;
        } else if (/right/.test(this.initialPosition)) {
          imgData.startX = this.outputWidth - imgData.width;
        }

        if (/^-?\d+% -?\d+%$/.test(this.initialPosition)) {
          var result = /^(-?\d+)% (-?\d+)%$/.exec(this.initialPosition);
          var x = +result[1] / 100;
          var y = +result[2] / 100;
          imgData.startX = x * (this.outputWidth - imgData.width);
          imgData.startY = y * (this.outputHeight - imgData.height);
        }
      }

      applyMetadata &amp;&amp; this._applyMetadata();

      if (applyMetadata &amp;&amp; this.preventWhiteSpace) {
        this.zoom(false, 0);
      } else {
        this.move({ x: 0, y: 0 });
        this._draw();
      }
    },
    _aspectFill: function _aspectFill() {
      var imgWidth = this.naturalWidth;
      var imgHeight = this.naturalHeight;
      var canvasRatio = this.outputWidth / this.outputHeight;
      var scaleRatio = void 0;

      if (this.aspectRatio &gt; canvasRatio) {
        scaleRatio = imgHeight / this.outputHeight;
        this.imgData.width = imgWidth / scaleRatio;
        this.imgData.height = this.outputHeight;
        this.imgData.startX = -(this.imgData.width - this.outputWidth) / 2;
        this.imgData.startY = 0;
      } else {
        scaleRatio = imgWidth / this.outputWidth;
        this.imgData.height = imgHeight / scaleRatio;
        this.imgData.width = this.outputWidth;
        this.imgData.startY = -(this.imgData.height - this.outputHeight) / 2;
        this.imgData.startX = 0;
      }
    },
    _aspectFit: function _aspectFit() {
      var imgWidth = this.naturalWidth;
      var imgHeight = this.naturalHeight;
      var canvasRatio = this.outputWidth / this.outputHeight;
      var scaleRatio = void 0;
      if (this.aspectRatio &gt; canvasRatio) {
        scaleRatio = imgWidth / this.outputWidth;
        this.imgData.height = imgHeight / scaleRatio;
        this.imgData.width = this.outputWidth;
        this.imgData.startY = -(this.imgData.height - this.outputHeight) / 2;
        this.imgData.startX = 0;
      } else {
        scaleRatio = imgHeight / this.outputHeight;
        this.imgData.width = imgWidth / scaleRatio;
        this.imgData.height = this.outputHeight;
        this.imgData.startX = -(this.imgData.width - this.outputWidth) / 2;
        this.imgData.startY = 0;
      }
    },
    _naturalSize: function _naturalSize() {
      var imgWidth = this.naturalWidth;
      var imgHeight = this.naturalHeight;
      this.imgData.width = imgWidth;
      this.imgData.height = imgHeight;
      this.imgData.startX = -(this.imgData.width - this.outputWidth) / 2;
      this.imgData.startY = -(this.imgData.height - this.outputHeight) / 2;
    },
    _handlePointerStart: function _handlePointerStart(evt) {
      this.emitNativeEvent(evt);
      if (this.passive) return;
      this.supportTouch = true;
      this.pointerMoved = false;
      var pointerCoord = u.getPointerCoords(evt, this);
      this.pointerStartCoord = pointerCoord;

      if (this.disabled) return;
      // simulate click with touch on mobile devices
      if (!this.hasImage() &amp;&amp; !this.disableClickToChoose) {
        this.tabStart = new Date().valueOf();
        return;
      }
      // ignore mouse right click and middle click
      if (evt.which &amp;&amp; evt.which &gt; 1) return;

      if (!evt.touches || evt.touches.length === 1) {
        this.dragging = true;
        this.pinching = false;
        var coord = u.getPointerCoords(evt, this);
        this.lastMovingCoord = coord;
      }

      if (evt.touches &amp;&amp; evt.touches.length === 2 &amp;&amp; !this.disablePinchToZoom) {
        this.dragging = false;
        this.pinching = true;
        this.pinchDistance = u.getPinchDistance(evt, this);
      }

      var cancelEvents = ['mouseup', 'touchend', 'touchcancel', 'pointerend', 'pointercancel'];
      for (var i = 0, len = cancelEvents.length; i &lt; len; i++) {
        var e = cancelEvents[i];
        document.addEventListener(e, this._handlePointerEnd);
      }
    },
    _handlePointerEnd: function _handlePointerEnd(evt) {
      this.emitNativeEvent(evt);
      if (this.passive) return;
      var pointerMoveDistance = 0;
      if (this.pointerStartCoord) {
        var pointerCoord = u.getPointerCoords(evt, this);
        pointerMoveDistance = Math.sqrt(Math.pow(pointerCoord.x - this.pointerStartCoord.x, 2) + Math.pow(pointerCoord.y - this.pointerStartCoord.y, 2)) || 0;
      }
      if (this.disabled) return;
      if (!this.hasImage() &amp;&amp; !this.disableClickToChoose) {
        var tabEnd = new Date().valueOf();
        if (pointerMoveDistance &lt; CLICK_MOVE_THRESHOLD &amp;&amp; tabEnd - this.tabStart &lt; MIN_MS_PER_CLICK &amp;&amp; this.supportTouch) {
          this.chooseFile();
        }
        this.tabStart = 0;
        return;
      }

      this.dragging = false;
      this.pinching = false;
      this.pinchDistance = 0;
      this.lastMovingCoord = null;
      this.pointerMoved = false;
      this.pointerStartCoord = null;
    },
    _handlePointerMove: function _handlePointerMove(evt) {
      this.emitNativeEvent(evt);
      if (this.passive) return;
      this.pointerMoved = true;
      if (!this.hasImage()) return;
      var coord = u.getPointerCoords(evt, this);
      this.currentPointerCoord = coord;

      if (this.disabled || this.disableDragToMove) return;

      evt.preventDefault();
      if (!evt.touches || evt.touches.length === 1) {
        if (!this.dragging) return;
        if (this.lastMovingCoord) {
          this.move({
            x: coord.x - this.lastMovingCoord.x,
            y: coord.y - this.lastMovingCoord.y
          });
        }
        this.lastMovingCoord = coord;
      }

      if (evt.touches &amp;&amp; evt.touches.length === 2 &amp;&amp; !this.disablePinchToZoom) {
        if (!this.pinching) return;
        var distance = u.getPinchDistance(evt, this);
        var delta = distance - this.pinchDistance;
        this.zoom(delta &gt; 0, PINCH_ACCELERATION);
        this.pinchDistance = distance;
      }
    },
    _handlePointerLeave: function _handlePointerLeave(evt) {
      this.emitNativeEvent(evt);
      if (this.passive) return;
      this.currentPointerCoord = null;
    },
    _handleWheel: function _handleWheel(evt) {
      var _this7 = this;

      this.emitNativeEvent(evt);
      if (this.passive) return;
      if (this.disabled || this.disableScrollToZoom || !this.hasImage()) return;
      evt.preventDefault();
      this.scrolling = true;
      if (evt.wheelDelta &lt; 0 || evt.deltaY &gt; 0 || evt.detail &gt; 0) {
        this.zoom(this.reverseScrollToZoom);
      } else if (evt.wheelDelta &gt; 0 || evt.deltaY &lt; 0 || evt.detail &lt; 0) {
        this.zoom(!this.reverseScrollToZoom);
      }
      this.$nextTick(function () {
        _this7.scrolling = false;
      });
    },
    _handleDragEnter: function _handleDragEnter(evt) {
      this.emitNativeEvent(evt);
      if (this.passive) return;
      if (this.disabled || this.disableDragAndDrop || !u.eventHasFile(evt)) return;
      if (this.hasImage() &amp;&amp; !this.replaceDrop) return;
      this.fileDraggedOver = true;
    },
    _handleDragLeave: function _handleDragLeave(evt) {
      this.emitNativeEvent(evt);
      if (this.passive) return;
      if (!this.fileDraggedOver || !u.eventHasFile(evt)) return;
      this.fileDraggedOver = false;
    },
    _handleDragOver: function _handleDragOver(evt) {
      this.emitNativeEvent(evt);
    },
    _handleDrop: function _handleDrop(evt) {
      this.emitNativeEvent(evt);
      if (this.passive) return;
      if (!this.fileDraggedOver || !u.eventHasFile(evt)) return;
      if (this.hasImage() &amp;&amp; !this.replaceDrop) {
        return;
      }
      this.fileDraggedOver = false;

      var file = void 0;
      var dt = evt.dataTransfer;
      if (!dt) return;
      if (dt.items) {
        for (var i = 0, len = dt.items.length; i &lt; len; i++) {
          var item = dt.items[i];
          if (item.kind == 'file') {
            file = item.getAsFile();
            break;
          }
        }
      } else {
        file = dt.files[0];
      }

      if (file) {
        this._onNewFileIn(file);
      }
    },
    _preventMovingToWhiteSpace: function _preventMovingToWhiteSpace() {
      if (this.imgData.startX &gt; 0) {
        this.imgData.startX = 0;
      }
      if (this.imgData.startY &gt; 0) {
        this.imgData.startY = 0;
      }
      if (this.outputWidth - this.imgData.startX &gt; this.imgData.width) {
        this.imgData.startX = -(this.imgData.width - this.outputWidth);
      }
      if (this.outputHeight - this.imgData.startY &gt; this.imgData.height) {
        this.imgData.startY = -(this.imgData.height - this.outputHeight);
      }
    },
    _preventZoomingToWhiteSpace: function _preventZoomingToWhiteSpace() {
      if (this.imgData.width &lt; this.outputWidth) {
        this.scaleRatio = this.outputWidth / this.naturalWidth;
      }

      if (this.imgData.height &lt; this.outputHeight) {
        this.scaleRatio = this.outputHeight / this.naturalHeight;
      }
    },
    _setOrientation: function _setOrientation() {
      var _this8 = this;

      var orientation = arguments.length &gt; 0 &amp;&amp; arguments[0] !== undefined ? arguments[0] : 6;
      var applyMetadata = arguments[1];

      var useOriginal = applyMetadata;
      if (orientation &gt; 1 || useOriginal) {
        if (!this.img) return;
        this.rotating = true;
        // u.getRotatedImageData(useOriginal ? this.originalImage : this.img, orientation)
        var _img = u.getRotatedImage(useOriginal ? this.originalImage : this.img, orientation);
        _img.onload = function () {
          _this8.img = _img;
          _this8._placeImage(applyMetadata);
        };
      } else {
        this._placeImage(applyMetadata);
      }

      if (orientation == 2) {
        // flip x
        this.orientation = u.flipX(this.orientation);
      } else if (orientation == 4) {
        // flip y
        this.orientation = u.flipY(this.orientation);
      } else if (orientation == 6) {
        // 90 deg
        this.orientation = u.rotate90(this.orientation);
      } else if (orientation == 3) {
        // 180 deg
        this.orientation = u.rotate90(u.rotate90(this.orientation));
      } else if (orientation == 8) {
        // 270 deg
        this.orientation = u.rotate90(u.rotate90(u.rotate90(this.orientation)));
      } else {
        this.orientation = orientation;
      }

      if (useOriginal) {
        this.orientation = orientation;
      }
    },
    _paintBackground: function _paintBackground() {
      var backgroundColor = !this.canvasColor || this.canvasColor == 'default' ? 'transparent' : this.canvasColor;
      this.ctx.fillStyle = backgroundColor;
      this.ctx.clearRect(0, 0, this.outputWidth, this.outputHeight);
      this.ctx.fillRect(0, 0, this.outputWidth, this.outputHeight);
    },
    _draw: function _draw() {
      var _this9 = this;

      this.$nextTick(function () {
        if (typeof window !== 'undefined' &amp;&amp; window.requestAnimationFrame) {
          requestAnimationFrame(_this9._drawFrame);
        } else {
          _this9._drawFrame();
        }
      });
    },
    _drawFrame: function _drawFrame() {
      if (!this.img) return;
      this.loading = false;
      var ctx = this.ctx;
      var _imgData2 = this.imgData,
          startX = _imgData2.startX,
          startY = _imgData2.startY,
          width = _imgData2.width,
          height = _imgData2.height;


      this._paintBackground();
      ctx.drawImage(this.img, startX, startY, width, height);

      if (this.preventWhiteSpace) {
        this._clip(this._createContainerClipPath);
        // this._clip(this._createImageClipPath)
      }

      this.emitEvent(events.DRAW_EVENT, ctx);
      if (!this.imageSet) {
        this.imageSet = true;
        this.emitEvent(events.NEW_IMAGE_DRAWN_EVENT);
      }
      this.rotating = false;
    },
    _clipPathFactory: function _clipPathFactory(x, y, width, height) {
      var ctx = this.ctx;
      var radius = typeof this.imageBorderRadius === 'number' ? this.imageBorderRadius : !isNaN(Number(this.imageBorderRadius)) ? Number(this.imageBorderRadius) : 0;
      ctx.beginPath();
      ctx.moveTo(x + radius, y);
      ctx.lineTo(x + width - radius, y);
      ctx.quadraticCurveTo(x + width, y, x + width, y + radius);
      ctx.lineTo(x + width, y + height - radius);
      ctx.quadraticCurveTo(x + width, y + height, x + width - radius, y + height);
      ctx.lineTo(x + radius, y + height);
      ctx.quadraticCurveTo(x, y + height, x, y + height - radius);
      ctx.lineTo(x, y + radius);
      ctx.quadraticCurveTo(x, y, x + radius, y);
      ctx.closePath();
    },
    _createContainerClipPath: function _createContainerClipPath() {
      var _this10 = this;

      this._clipPathFactory(0, 0, this.outputWidth, this.outputHeight);
      if (this.clipPlugins &amp;&amp; this.clipPlugins.length) {
        this.clipPlugins.forEach(function (func) {
          func(_this10.ctx, 0, 0, _this10.outputWidth, _this10.outputHeight);
        });
      }
    },


    // _createImageClipPath () {
    //   let { startX, startY, width, height } = this.imgData
    //   let w = width
    //   let h = height
    //   let x = startX
    //   let y = startY
    //   if (w &lt; h) {
    //     h = this.outputHeight * (width / this.outputWidth)
    //   }
    //   if (h &lt; w) {
    //     w = this.outputWidth * (height / this.outputHeight)
    //     x = startX + (width - this.outputWidth) / 2
    //   }
    //   this._clipPathFactory(x, startY, w, h)
    // },

    _clip: function _clip(createPath) {
      var ctx = this.ctx;
      ctx.save();
      ctx.fillStyle = '#fff';
      ctx.globalCompositeOperation = 'destination-in';
      createPath();
      ctx.fill();
      ctx.restore();
    },
    _applyMetadata: function _applyMetadata() {
      var _this11 = this;

      if (!this.userMetadata) return;
      var _userMetadata = this.userMetadata,
          startX = _userMetadata.startX,
          startY = _userMetadata.startY,
          scale = _userMetadata.scale;


      if (u.numberValid(startX)) {
        this.imgData.startX = startX;
      }

      if (u.numberValid(startY)) {
        this.imgData.startY = startY;
      }

      if (u.numberValid(scale)) {
        this.scaleRatio = scale;
      }

      this.$nextTick(function () {
        _this11.userMetadata = null;
      });
    },
    onDimensionChange: function onDimensionChange() {
      if (!this.img) {
        this._initialize();
      } else {
        if (this.preventWhiteSpace) {
          this.imageSet = false;
        }
        this._setSize();
        this._placeImage();
      }
    }
  }
};

/*
object-assign
(c) Sindre Sorhus
@license MIT
*/

/* eslint-disable no-unused-vars */
var getOwnPropertySymbols = Object.getOwnPropertySymbols;
var hasOwnProperty = Object.prototype.hasOwnProperty;
var propIsEnumerable = Object.prototype.propertyIsEnumerable;

function toObject(val) {
	if (val === null || val === undefined) {
		throw new TypeError('Object.assign cannot be called with null or undefined');
	}

	return Object(val);
}

function shouldUseNative() {
	try {
		if (!Object.assign) {
			return false;
		}

		// Detect buggy property enumeration order in older V8 versions.

		// https://bugs.chromium.org/p/v8/issues/detail?id=4118
		var test1 = new String('abc');  // eslint-disable-line no-new-wrappers
		test1[5] = 'de';
		if (Object.getOwnPropertyNames(test1)[0] === '5') {
			return false;
		}

		// https://bugs.chromium.org/p/v8/issues/detail?id=3056
		var test2 = {};
		for (var i = 0; i &lt; 10; i++) {
			test2['_' + String.fromCharCode(i)] = i;
		}
		var order2 = Object.getOwnPropertyNames(test2).map(function (n) {
			return test2[n];
		});
		if (order2.join('') !== '0123456789') {
			return false;
		}

		// https://bugs.chromium.org/p/v8/issues/detail?id=3056
		var test3 = {};
		'abcdefghijklmnopqrst'.split('').forEach(function (letter) {
			test3[letter] = letter;
		});
		if (Object.keys(Object.assign({}, test3)).join('') !==
				'abcdefghijklmnopqrst') {
			return false;
		}

		return true;
	} catch (err) {
		// We don't expect any of the above to throw, but better to be safe.
		return false;
	}
}

var objectAssign = shouldUseNative() ? Object.assign : function (target, source) {
	var from;
	var to = toObject(target);
	var symbols;

	for (var s = 1; s &lt; arguments.length; s++) {
		from = Object(arguments[s]);

		for (var key in from) {
			if (hasOwnProperty.call(from, key)) {
				to[key] = from[key];
			}
		}

		if (getOwnPropertySymbols) {
			symbols = getOwnPropertySymbols(from);
			for (var i = 0; i &lt; symbols.length; i++) {
				if (propIsEnumerable.call(from, symbols[i])) {
					to[symbols[i]] = from[symbols[i]];
				}
			}
		}
	}

	return to;
};

var defaultOptions = {
  componentName: 'croppa'
};

var VueCroppa = {
  install: function install(Vue, options) {
    options = objectAssign({}, defaultOptions, options);
    var version = Number(Vue.version.split('.')[0]);
    if (version &lt; 2) {
      throw new Error('vue-croppa supports vue version 2.0 and above. You are using Vue@' + version + '. Please upgrade to the latest version of Vue.');
    }
    var componentName = options.componentName || 'croppa';

    // registration
    Vue.component(componentName, component);
  },

  component: component
};

return VueCroppa;

})));


/***/ }),

/***/ "./node_modules/vue-functional-data-merge/dist/lib.esm.js":
/*!****************************************************************!*\
  !*** ./node_modules/vue-functional-data-merge/dist/lib.esm.js ***!
  \****************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   mergeData: () =&gt; (/* binding */ a)
/* harmony export */ });
var e=function(){return(e=Object.assign||function(e){for(var t,r=1,s=arguments.length;r&lt;s;r++)for(var a in t=arguments[r])Object.prototype.hasOwnProperty.call(t,a)&amp;&amp;(e[a]=t[a]);return e}).apply(this,arguments)},t={kebab:/-(\w)/g,styleProp:/:(.*)/,styleList:/;(?![^(]*\))/g};function r(e,t){return t?t.toUpperCase():""}function s(e){for(var s,a={},c=0,o=e.split(t.styleList);c&lt;o.length;c++){var n=o[c].split(t.styleProp),i=n[0],l=n[1];(i=i.trim())&amp;&amp;("string"==typeof l&amp;&amp;(l=l.trim()),a[(s=i,s.replace(t.kebab,r))]=l)}return a}function a(){for(var t,r,a={},c=arguments.length;c--;)for(var o=0,n=Object.keys(arguments[c]);o&lt;n.length;o++)switch(t=n[o]){case"class":case"style":case"directives":if(Array.isArray(a[t])||(a[t]=[]),"style"===t){var i=void 0;i=Array.isArray(arguments[c].style)?arguments[c].style:[arguments[c].style];for(var l=0;l&lt;i.length;l++){var y=i[l];"string"==typeof y&amp;&amp;(i[l]=s(y))}arguments[c].style=i}a[t]=a[t].concat(arguments[c][t]);break;case"staticClass":if(!arguments[c][t])break;void 0===a[t]&amp;&amp;(a[t]=""),a[t]&amp;&amp;(a[t]+=" "),a[t]+=arguments[c][t].trim();break;case"on":case"nativeOn":a[t]||(a[t]={});for(var p=0,f=Object.keys(arguments[c][t]||{});p&lt;f.length;p++)r=f[p],a[t][r]?a[t][r]=[].concat(a[t][r],arguments[c][t][r]):a[t][r]=arguments[c][t][r];break;case"attrs":case"props":case"domProps":case"scopedSlots":case"staticStyle":case"hook":case"transition":a[t]||(a[t]={}),a[t]=e({},arguments[c][t],a[t]);break;case"slot":case"key":case"ref":case"tag":case"show":case"keepAlive":default:a[t]||(a[t]=arguments[c][t])}return a}
//# sourceMappingURL=lib.esm.js.map


/***/ }),

/***/ "./node_modules/vue-moments-ago/src/components/moments-ago.vue":
/*!*********************************************************************!*\
  !*** ./node_modules/vue-moments-ago/src/components/moments-ago.vue ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _moments_ago_vue_vue_type_template_id_55107a8f_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./moments-ago.vue?vue&amp;type=template&amp;id=55107a8f&amp;scoped=true&amp; */ "./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=template&amp;id=55107a8f&amp;scoped=true&amp;");
/* harmony import */ var _moments_ago_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./moments-ago.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _moments_ago_vue_vue_type_style_index_0_id_55107a8f_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _moments_ago_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _moments_ago_vue_vue_type_template_id_55107a8f_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _moments_ago_vue_vue_type_template_id_55107a8f_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "55107a8f",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "node_modules/vue-moments-ago/src/components/moments-ago.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************************************************************************************************!*\
  !*** ./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var vue__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! vue */ "./node_modules/vue/dist/vue.esm.js");
/* harmony import */ var moment__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! moment */ "./node_modules/moment/moment.js");
/* harmony import */ var moment__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(moment__WEBPACK_IMPORTED_MODULE_0__);



vue__WEBPACK_IMPORTED_MODULE_1__["default"].prototype.moment = (moment__WEBPACK_IMPORTED_MODULE_0___default());

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = ({
  data() {
    return {
      epochs: ["year", "month", "day", "hour", "minute"],
      epochs_kr: ["ë…„", "ë‹¬", "ì¼", "ì‹œê°„", "ë¶„"],
      epochs_jp: ["å¹´", "æœˆ", "æ—¥", "æ™‚", "åˆ†"],
      year: 31536000,
      month: 2592000,
      day: 86400,
      hour: 3600,
      minute: 60,
      humanReadable: "",
      humanDifference: 0,
      humanWord: "moment"
    };
  },

  props: {
    prefix: {
      type: String,
      default: "posted"
    },
    suffix: {
      type: String,
      default: "ago"
    },
    date: {
      type: String,
      required: true
    },
    lang: {
      type: String,
      default: "en"
    }
  },

  mounted() {
    setInterval(() =&gt; {
      this.getSeconds(this.date);
    }, 1000);
  },

  filters: {
    plural(value, name, lang) {
      let plural;
      if (value === 0) {
        if (lang == "kr") {
          return "ëª‡" + name;
        } else if (lang == "jp") {
          return "ä½•" + name;
        } else {
          return "a few " + name + "s";
        }
      } else if (value &gt; 1) {
        if (lang == "en") {
          return value + " " + name + "s";
        } else {
          return value + " " + name + "";
        }
      } else {
        return value + " " + name;
      }
    }
  },

  methods: {
    getSeconds(time) {
      let seconds = moment__WEBPACK_IMPORTED_MODULE_0___default()().diff(moment__WEBPACK_IMPORTED_MODULE_0___default()(time), "seconds");
      this.humanReadable = this.getDuration(seconds);
      if (this.humanReadable) {
        this.humanDifference = this.humanReadable.interval;
        this.humanWord = this.humanReadable.humanEpoch;
      }
    },
    getDuration(seconds) {
      let epoch, interval;
      let humanEpoch;
      for (let i = 0; i &lt; this.epochs.length; i++) {
        epoch = this.epochs[i];
        if (this.lang == "kr") {
          humanEpoch = this.epochs_kr[i];
        } else if (this.lang == "jp") {
          humanEpoch = this.epochs_jp[i];
        } else {
          humanEpoch = this.epochs[i];
        }
        interval = Math.floor(seconds / this[epoch]);
        if (interval &gt;= 1) {
          return { interval: interval, humanEpoch: humanEpoch };
        }
      }
    }
  }
});


/***/ }),

/***/ "./resources/js/App.vue":
/*!******************************!*\
  !*** ./resources/js/App.vue ***!
  \******************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _App_vue_vue_type_template_id_f348271a___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./App.vue?vue&amp;type=template&amp;id=f348271a&amp; */ "./resources/js/App.vue?vue&amp;type=template&amp;id=f348271a&amp;");
/* harmony import */ var _App_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./App.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/App.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _App_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _App_vue_vue_type_template_id_f348271a___WEBPACK_IMPORTED_MODULE_0__.render,
  _App_vue_vue_type_template_id_f348271a___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/App.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/About.vue":
/*!*******************************************!*\
  !*** ./resources/js/components/About.vue ***!
  \*******************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _About_vue_vue_type_template_id_fb05e49c_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./About.vue?vue&amp;type=template&amp;id=fb05e49c&amp;scoped=true&amp; */ "./resources/js/components/About.vue?vue&amp;type=template&amp;id=fb05e49c&amp;scoped=true&amp;");
/* harmony import */ var _About_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./About.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/About.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _About_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _About_vue_vue_type_template_id_fb05e49c_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _About_vue_vue_type_template_id_fb05e49c_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "fb05e49c",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/About.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Account/CustomPaymentUrls.vue":
/*!***************************************************************!*\
  !*** ./resources/js/components/Account/CustomPaymentUrls.vue ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _CustomPaymentUrls_vue_vue_type_template_id_4d6140fc_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./CustomPaymentUrls.vue?vue&amp;type=template&amp;id=4d6140fc&amp;scoped=true&amp; */ "./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=template&amp;id=4d6140fc&amp;scoped=true&amp;");
/* harmony import */ var _CustomPaymentUrls_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./CustomPaymentUrls.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _CustomPaymentUrls_vue_vue_type_style_index_0_id_4d6140fc_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _CustomPaymentUrls_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _CustomPaymentUrls_vue_vue_type_template_id_4d6140fc_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _CustomPaymentUrls_vue_vue_type_template_id_4d6140fc_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "4d6140fc",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Account/CustomPaymentUrls.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Account/EditProfile.vue":
/*!*********************************************************!*\
  !*** ./resources/js/components/Account/EditProfile.vue ***!
  \*********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _EditProfile_vue_vue_type_template_id_648fdea2_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./EditProfile.vue?vue&amp;type=template&amp;id=648fdea2&amp;scoped=true&amp; */ "./resources/js/components/Account/EditProfile.vue?vue&amp;type=template&amp;id=648fdea2&amp;scoped=true&amp;");
/* harmony import */ var _EditProfile_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./EditProfile.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Account/EditProfile.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _EditProfile_vue_vue_type_style_index_0_id_648fdea2_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Account/EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _EditProfile_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _EditProfile_vue_vue_type_template_id_648fdea2_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _EditProfile_vue_vue_type_template_id_648fdea2_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "648fdea2",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Account/EditProfile.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue":
/*!******************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _ApproveIncomingMoneyOrder_vue_vue_type_template_id_488bfff6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./ApproveIncomingMoneyOrder.vue?vue&amp;type=template&amp;id=488bfff6&amp;scoped=true&amp; */ "./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=template&amp;id=488bfff6&amp;scoped=true&amp;");
/* harmony import */ var _ApproveIncomingMoneyOrder_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./ApproveIncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _ApproveIncomingMoneyOrder_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _ApproveIncomingMoneyOrder_vue_vue_type_template_id_488bfff6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _ApproveIncomingMoneyOrder_vue_vue_type_template_id_488bfff6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "488bfff6",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Account/Modals/ChatBox.vue":
/*!************************************************************!*\
  !*** ./resources/js/components/Account/Modals/ChatBox.vue ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _ChatBox_vue_vue_type_template_id_3f2ae3f7___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./ChatBox.vue?vue&amp;type=template&amp;id=3f2ae3f7&amp; */ "./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=template&amp;id=3f2ae3f7&amp;");
/* harmony import */ var _ChatBox_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./ChatBox.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _ChatBox_vue_vue_type_style_index_0_id_3f2ae3f7_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp; */ "./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _ChatBox_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _ChatBox_vue_vue_type_template_id_3f2ae3f7___WEBPACK_IMPORTED_MODULE_0__.render,
  _ChatBox_vue_vue_type_template_id_3f2ae3f7___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Account/Modals/ChatBox.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue":
/*!*********************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _CreateOrEditCustomPaymentUrl_vue_vue_type_template_id_2c10b5af___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./CreateOrEditCustomPaymentUrl.vue?vue&amp;type=template&amp;id=2c10b5af&amp; */ "./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=template&amp;id=2c10b5af&amp;");
/* harmony import */ var _CreateOrEditCustomPaymentUrl_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./CreateOrEditCustomPaymentUrl.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _CreateOrEditCustomPaymentUrl_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _CreateOrEditCustomPaymentUrl_vue_vue_type_template_id_2c10b5af___WEBPACK_IMPORTED_MODULE_0__.render,
  _CreateOrEditCustomPaymentUrl_vue_vue_type_template_id_2c10b5af___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Account/Modals/CreateOrEditGrade.vue":
/*!**********************************************************************!*\
  !*** ./resources/js/components/Account/Modals/CreateOrEditGrade.vue ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _CreateOrEditGrade_vue_vue_type_template_id_75fd96d2___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./CreateOrEditGrade.vue?vue&amp;type=template&amp;id=75fd96d2&amp; */ "./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=template&amp;id=75fd96d2&amp;");
/* harmony import */ var _CreateOrEditGrade_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./CreateOrEditGrade.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _CreateOrEditGrade_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _CreateOrEditGrade_vue_vue_type_template_id_75fd96d2___WEBPACK_IMPORTED_MODULE_0__.render,
  _CreateOrEditGrade_vue_vue_type_template_id_75fd96d2___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Account/Modals/CreateOrEditGrade.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Account/Modals/CreateOrEditLesson.vue":
/*!***********************************************************************!*\
  !*** ./resources/js/components/Account/Modals/CreateOrEditLesson.vue ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _CreateOrEditLesson_vue_vue_type_template_id_0373184d___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./CreateOrEditLesson.vue?vue&amp;type=template&amp;id=0373184d&amp; */ "./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=template&amp;id=0373184d&amp;");
/* harmony import */ var _CreateOrEditLesson_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./CreateOrEditLesson.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _CreateOrEditLesson_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _CreateOrEditLesson_vue_vue_type_template_id_0373184d___WEBPACK_IMPORTED_MODULE_0__.render,
  _CreateOrEditLesson_vue_vue_type_template_id_0373184d___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Account/Modals/CreateOrEditLesson.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Account/Modals/LessonGradeMatching.vue":
/*!************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/LessonGradeMatching.vue ***!
  \************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _LessonGradeMatching_vue_vue_type_template_id_0abd58c0_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./LessonGradeMatching.vue?vue&amp;type=template&amp;id=0abd58c0&amp;scoped=true&amp; */ "./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=template&amp;id=0abd58c0&amp;scoped=true&amp;");
/* harmony import */ var _LessonGradeMatching_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./LessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _LessonGradeMatching_vue_vue_type_style_index_0_id_0abd58c0_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _LessonGradeMatching_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _LessonGradeMatching_vue_vue_type_template_id_0abd58c0_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _LessonGradeMatching_vue_vue_type_template_id_0abd58c0_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "0abd58c0",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Account/Modals/LessonGradeMatching.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue":
/*!*******************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue ***!
  \*******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _TeacherLessonGradeMatching_vue_vue_type_template_id_1530f5e6___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./TeacherLessonGradeMatching.vue?vue&amp;type=template&amp;id=1530f5e6&amp; */ "./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=template&amp;id=1530f5e6&amp;");
/* harmony import */ var _TeacherLessonGradeMatching_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./TeacherLessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _TeacherLessonGradeMatching_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _TeacherLessonGradeMatching_vue_vue_type_template_id_1530f5e6___WEBPACK_IMPORTED_MODULE_0__.render,
  _TeacherLessonGradeMatching_vue_vue_type_template_id_1530f5e6___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Account/WeeklySchedule.vue":
/*!************************************************************!*\
  !*** ./resources/js/components/Account/WeeklySchedule.vue ***!
  \************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _WeeklySchedule_vue_vue_type_template_id_6c9574b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./WeeklySchedule.vue?vue&amp;type=template&amp;id=6c9574b6&amp;scoped=true&amp; */ "./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=template&amp;id=6c9574b6&amp;scoped=true&amp;");
/* harmony import */ var _WeeklySchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./WeeklySchedule.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _WeeklySchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _WeeklySchedule_vue_vue_type_template_id_6c9574b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _WeeklySchedule_vue_vue_type_template_id_6c9574b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "6c9574b6",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Account/WeeklySchedule.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Admin/BlogPosts.vue":
/*!*****************************************************!*\
  !*** ./resources/js/components/Admin/BlogPosts.vue ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _BlogPosts_vue_vue_type_template_id_4712e354_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./BlogPosts.vue?vue&amp;type=template&amp;id=4712e354&amp;scoped=true&amp; */ "./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=template&amp;id=4712e354&amp;scoped=true&amp;");
/* harmony import */ var _BlogPosts_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./BlogPosts.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _BlogPosts_vue_vue_type_style_index_0_id_4712e354_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _BlogPosts_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _BlogPosts_vue_vue_type_template_id_4712e354_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _BlogPosts_vue_vue_type_template_id_4712e354_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "4712e354",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Admin/BlogPosts.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Admin/Faqs.vue":
/*!************************************************!*\
  !*** ./resources/js/components/Admin/Faqs.vue ***!
  \************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Faqs_vue_vue_type_template_id_0e883928_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Faqs.vue?vue&amp;type=template&amp;id=0e883928&amp;scoped=true&amp; */ "./resources/js/components/Admin/Faqs.vue?vue&amp;type=template&amp;id=0e883928&amp;scoped=true&amp;");
/* harmony import */ var _Faqs_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Faqs.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Admin/Faqs.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _Faqs_vue_vue_type_style_index_0_id_0e883928_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Admin/Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _Faqs_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Faqs_vue_vue_type_template_id_0e883928_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _Faqs_vue_vue_type_template_id_0e883928_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "0e883928",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Admin/Faqs.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Admin/FreeLessonRequestApprovals.vue":
/*!**********************************************************************!*\
  !*** ./resources/js/components/Admin/FreeLessonRequestApprovals.vue ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _FreeLessonRequestApprovals_vue_vue_type_template_id_a3fb7f20_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./FreeLessonRequestApprovals.vue?vue&amp;type=template&amp;id=a3fb7f20&amp;scoped=true&amp; */ "./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=template&amp;id=a3fb7f20&amp;scoped=true&amp;");
/* harmony import */ var _FreeLessonRequestApprovals_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./FreeLessonRequestApprovals.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _FreeLessonRequestApprovals_vue_vue_type_style_index_0_id_a3fb7f20_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _FreeLessonRequestApprovals_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _FreeLessonRequestApprovals_vue_vue_type_template_id_a3fb7f20_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _FreeLessonRequestApprovals_vue_vue_type_template_id_a3fb7f20_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "a3fb7f20",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Admin/FreeLessonRequestApprovals.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Admin/LessonDocuments.vue":
/*!***********************************************************!*\
  !*** ./resources/js/components/Admin/LessonDocuments.vue ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _LessonDocuments_vue_vue_type_template_id_ccdfc7b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./LessonDocuments.vue?vue&amp;type=template&amp;id=ccdfc7b6&amp;scoped=true&amp; */ "./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=template&amp;id=ccdfc7b6&amp;scoped=true&amp;");
/* harmony import */ var _LessonDocuments_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./LessonDocuments.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _LessonDocuments_vue_vue_type_style_index_0_id_ccdfc7b6_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _LessonDocuments_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _LessonDocuments_vue_vue_type_template_id_ccdfc7b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _LessonDocuments_vue_vue_type_template_id_ccdfc7b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "ccdfc7b6",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Admin/LessonDocuments.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Admin/Modals/CreateOrEditFaq.vue":
/*!******************************************************************!*\
  !*** ./resources/js/components/Admin/Modals/CreateOrEditFaq.vue ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _CreateOrEditFaq_vue_vue_type_template_id_44d49ca2___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./CreateOrEditFaq.vue?vue&amp;type=template&amp;id=44d49ca2&amp; */ "./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=template&amp;id=44d49ca2&amp;");
/* harmony import */ var _CreateOrEditFaq_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./CreateOrEditFaq.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _CreateOrEditFaq_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _CreateOrEditFaq_vue_vue_type_template_id_44d49ca2___WEBPACK_IMPORTED_MODULE_0__.render,
  _CreateOrEditFaq_vue_vue_type_template_id_44d49ca2___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Admin/Modals/CreateOrEditFaq.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Admin/Reviews.vue":
/*!***************************************************!*\
  !*** ./resources/js/components/Admin/Reviews.vue ***!
  \***************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Reviews_vue_vue_type_template_id_1fd41360_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Reviews.vue?vue&amp;type=template&amp;id=1fd41360&amp;scoped=true&amp; */ "./resources/js/components/Admin/Reviews.vue?vue&amp;type=template&amp;id=1fd41360&amp;scoped=true&amp;");
/* harmony import */ var _Reviews_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Reviews.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Admin/Reviews.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _Reviews_vue_vue_type_style_index_0_id_1fd41360_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Admin/Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _Reviews_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Reviews_vue_vue_type_template_id_1fd41360_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _Reviews_vue_vue_type_template_id_1fd41360_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "1fd41360",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Admin/Reviews.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Admin/Settings.vue":
/*!****************************************************!*\
  !*** ./resources/js/components/Admin/Settings.vue ***!
  \****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Settings_vue_vue_type_template_id_0b5bf8ae_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Settings.vue?vue&amp;type=template&amp;id=0b5bf8ae&amp;scoped=true&amp; */ "./resources/js/components/Admin/Settings.vue?vue&amp;type=template&amp;id=0b5bf8ae&amp;scoped=true&amp;");
/* harmony import */ var _Settings_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Settings.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Admin/Settings.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _Settings_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Settings_vue_vue_type_template_id_0b5bf8ae_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _Settings_vue_vue_type_template_id_0b5bf8ae_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "0b5bf8ae",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Admin/Settings.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Admin/Students.vue":
/*!****************************************************!*\
  !*** ./resources/js/components/Admin/Students.vue ***!
  \****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Students_vue_vue_type_template_id_292180ba_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Students.vue?vue&amp;type=template&amp;id=292180ba&amp;scoped=true&amp; */ "./resources/js/components/Admin/Students.vue?vue&amp;type=template&amp;id=292180ba&amp;scoped=true&amp;");
/* harmony import */ var _Students_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Students.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Admin/Students.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _Students_vue_vue_type_style_index_0_id_292180ba_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Admin/Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _Students_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Students_vue_vue_type_template_id_292180ba_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _Students_vue_vue_type_template_id_292180ba_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "292180ba",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Admin/Students.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Admin/Teachers.vue":
/*!****************************************************!*\
  !*** ./resources/js/components/Admin/Teachers.vue ***!
  \****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Teachers_vue_vue_type_template_id_304a3348_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Teachers.vue?vue&amp;type=template&amp;id=304a3348&amp;scoped=true&amp; */ "./resources/js/components/Admin/Teachers.vue?vue&amp;type=template&amp;id=304a3348&amp;scoped=true&amp;");
/* harmony import */ var _Teachers_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Teachers.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Admin/Teachers.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _Teachers_vue_vue_type_style_index_0_id_304a3348_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Admin/Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _Teachers_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Teachers_vue_vue_type_template_id_304a3348_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _Teachers_vue_vue_type_template_id_304a3348_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "304a3348",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Admin/Teachers.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Blog.vue":
/*!******************************************!*\
  !*** ./resources/js/components/Blog.vue ***!
  \******************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Blog_vue_vue_type_template_id_7c31058d_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Blog.vue?vue&amp;type=template&amp;id=7c31058d&amp;scoped=true&amp; */ "./resources/js/components/Blog.vue?vue&amp;type=template&amp;id=7c31058d&amp;scoped=true&amp;");
/* harmony import */ var _Blog_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Blog.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Blog.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _Blog_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Blog_vue_vue_type_template_id_7c31058d_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _Blog_vue_vue_type_template_id_7c31058d_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "7c31058d",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Blog.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/BlogDetails.vue":
/*!*************************************************!*\
  !*** ./resources/js/components/BlogDetails.vue ***!
  \*************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _BlogDetails_vue_vue_type_template_id_07b7bb25_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./BlogDetails.vue?vue&amp;type=template&amp;id=07b7bb25&amp;scoped=true&amp; */ "./resources/js/components/BlogDetails.vue?vue&amp;type=template&amp;id=07b7bb25&amp;scoped=true&amp;");
/* harmony import */ var _BlogDetails_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./BlogDetails.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/BlogDetails.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _BlogDetails_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _BlogDetails_vue_vue_type_template_id_07b7bb25_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _BlogDetails_vue_vue_type_template_id_07b7bb25_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "07b7bb25",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/BlogDetails.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/BlogMyPosts.vue":
/*!*************************************************!*\
  !*** ./resources/js/components/BlogMyPosts.vue ***!
  \*************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _BlogMyPosts_vue_vue_type_template_id_4cd4c7ea_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./BlogMyPosts.vue?vue&amp;type=template&amp;id=4cd4c7ea&amp;scoped=true&amp; */ "./resources/js/components/BlogMyPosts.vue?vue&amp;type=template&amp;id=4cd4c7ea&amp;scoped=true&amp;");
/* harmony import */ var _BlogMyPosts_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./BlogMyPosts.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/BlogMyPosts.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _BlogMyPosts_vue_vue_type_style_index_0_id_4cd4c7ea_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _BlogMyPosts_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _BlogMyPosts_vue_vue_type_template_id_4cd4c7ea_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _BlogMyPosts_vue_vue_type_template_id_4cd4c7ea_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "4cd4c7ea",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/BlogMyPosts.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/BlogNew.vue":
/*!*********************************************!*\
  !*** ./resources/js/components/BlogNew.vue ***!
  \*********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _BlogNew_vue_vue_type_template_id_67021dfa_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./BlogNew.vue?vue&amp;type=template&amp;id=67021dfa&amp;scoped=true&amp; */ "./resources/js/components/BlogNew.vue?vue&amp;type=template&amp;id=67021dfa&amp;scoped=true&amp;");
/* harmony import */ var _BlogNew_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./BlogNew.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/BlogNew.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _BlogNew_vue_vue_type_style_index_0_id_67021dfa_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _BlogNew_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _BlogNew_vue_vue_type_template_id_67021dfa_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _BlogNew_vue_vue_type_template_id_67021dfa_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "67021dfa",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/BlogNew.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/BookForStudent.vue":
/*!****************************************************!*\
  !*** ./resources/js/components/BookForStudent.vue ***!
  \****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _BookForStudent_vue_vue_type_template_id_476406a6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./BookForStudent.vue?vue&amp;type=template&amp;id=476406a6&amp;scoped=true&amp; */ "./resources/js/components/BookForStudent.vue?vue&amp;type=template&amp;id=476406a6&amp;scoped=true&amp;");
/* harmony import */ var _BookForStudent_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./BookForStudent.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/BookForStudent.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _BookForStudent_vue_vue_type_style_index_0_id_476406a6_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _BookForStudent_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _BookForStudent_vue_vue_type_template_id_476406a6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _BookForStudent_vue_vue_type_template_id_476406a6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "476406a6",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/BookForStudent.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Components/StarRating.vue":
/*!***********************************************************!*\
  !*** ./resources/js/components/Components/StarRating.vue ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _StarRating_vue_vue_type_template_id_31d90c26___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./StarRating.vue?vue&amp;type=template&amp;id=31d90c26&amp; */ "./resources/js/components/Components/StarRating.vue?vue&amp;type=template&amp;id=31d90c26&amp;");
/* harmony import */ var _StarRating_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./StarRating.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Components/StarRating.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _StarRating_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _StarRating_vue_vue_type_template_id_31d90c26___WEBPACK_IMPORTED_MODULE_0__.render,
  _StarRating_vue_vue_type_template_id_31d90c26___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Components/StarRating.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Contact.vue":
/*!*********************************************!*\
  !*** ./resources/js/components/Contact.vue ***!
  \*********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Contact_vue_vue_type_template_id_4c2584f6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Contact.vue?vue&amp;type=template&amp;id=4c2584f6&amp;scoped=true&amp; */ "./resources/js/components/Contact.vue?vue&amp;type=template&amp;id=4c2584f6&amp;scoped=true&amp;");
/* harmony import */ var _Contact_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Contact.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Contact.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _Contact_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Contact_vue_vue_type_template_id_4c2584f6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _Contact_vue_vue_type_template_id_4c2584f6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "4c2584f6",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Contact.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Courses.vue":
/*!*********************************************!*\
  !*** ./resources/js/components/Courses.vue ***!
  \*********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Courses_vue_vue_type_template_id_58d49dc6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Courses.vue?vue&amp;type=template&amp;id=58d49dc6&amp;scoped=true&amp; */ "./resources/js/components/Courses.vue?vue&amp;type=template&amp;id=58d49dc6&amp;scoped=true&amp;");
/* harmony import */ var _Courses_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Courses.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Courses.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _Courses_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Courses_vue_vue_type_template_id_58d49dc6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _Courses_vue_vue_type_template_id_58d49dc6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "58d49dc6",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Courses.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Faq.vue":
/*!*****************************************!*\
  !*** ./resources/js/components/Faq.vue ***!
  \*****************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Faq_vue_vue_type_template_id_5546b00a_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Faq.vue?vue&amp;type=template&amp;id=5546b00a&amp;scoped=true&amp; */ "./resources/js/components/Faq.vue?vue&amp;type=template&amp;id=5546b00a&amp;scoped=true&amp;");
/* harmony import */ var _Faq_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Faq.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Faq.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _Faq_vue_vue_type_style_index_0_id_5546b00a_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _Faq_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Faq_vue_vue_type_template_id_5546b00a_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _Faq_vue_vue_type_template_id_5546b00a_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "5546b00a",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Faq.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Footer.vue":
/*!********************************************!*\
  !*** ./resources/js/components/Footer.vue ***!
  \********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Footer_vue_vue_type_template_id_61a7c374___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Footer.vue?vue&amp;type=template&amp;id=61a7c374&amp; */ "./resources/js/components/Footer.vue?vue&amp;type=template&amp;id=61a7c374&amp;");
/* harmony import */ var _Footer_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Footer.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Footer.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _Footer_vue_vue_type_style_index_0_id_61a7c374_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp; */ "./resources/js/components/Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _Footer_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Footer_vue_vue_type_template_id_61a7c374___WEBPACK_IMPORTED_MODULE_0__.render,
  _Footer_vue_vue_type_template_id_61a7c374___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Footer.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/ForgetPassword.vue":
/*!****************************************************!*\
  !*** ./resources/js/components/ForgetPassword.vue ***!
  \****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _ForgetPassword_vue_vue_type_template_id_681c1ad3_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./ForgetPassword.vue?vue&amp;type=template&amp;id=681c1ad3&amp;scoped=true&amp; */ "./resources/js/components/ForgetPassword.vue?vue&amp;type=template&amp;id=681c1ad3&amp;scoped=true&amp;");
/* harmony import */ var _ForgetPassword_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./ForgetPassword.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/ForgetPassword.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _ForgetPassword_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _ForgetPassword_vue_vue_type_template_id_681c1ad3_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _ForgetPassword_vue_vue_type_template_id_681c1ad3_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "681c1ad3",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/ForgetPassword.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/FreeLessonRequest.vue":
/*!*******************************************************!*\
  !*** ./resources/js/components/FreeLessonRequest.vue ***!
  \*******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _FreeLessonRequest_vue_vue_type_template_id_32d19260_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./FreeLessonRequest.vue?vue&amp;type=template&amp;id=32d19260&amp;scoped=true&amp; */ "./resources/js/components/FreeLessonRequest.vue?vue&amp;type=template&amp;id=32d19260&amp;scoped=true&amp;");
/* harmony import */ var _FreeLessonRequest_vue_vue_type_script_setup_true_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./FreeLessonRequest.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp; */ "./resources/js/components/FreeLessonRequest.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _FreeLessonRequest_vue_vue_type_script_setup_true_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _FreeLessonRequest_vue_vue_type_template_id_32d19260_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _FreeLessonRequest_vue_vue_type_template_id_32d19260_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "32d19260",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/FreeLessonRequest.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/FreeLessonRequests.vue":
/*!********************************************************!*\
  !*** ./resources/js/components/FreeLessonRequests.vue ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _FreeLessonRequests_vue_vue_type_template_id_2009775a_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./FreeLessonRequests.vue?vue&amp;type=template&amp;id=2009775a&amp;scoped=true&amp; */ "./resources/js/components/FreeLessonRequests.vue?vue&amp;type=template&amp;id=2009775a&amp;scoped=true&amp;");
/* harmony import */ var _FreeLessonRequests_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./FreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/FreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _FreeLessonRequests_vue_vue_type_style_index_0_id_2009775a_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _FreeLessonRequests_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _FreeLessonRequests_vue_vue_type_template_id_2009775a_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _FreeLessonRequests_vue_vue_type_template_id_2009775a_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "2009775a",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/FreeLessonRequests.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Header.vue":
/*!********************************************!*\
  !*** ./resources/js/components/Header.vue ***!
  \********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Header_vue_vue_type_template_id_1f42fb90___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Header.vue?vue&amp;type=template&amp;id=1f42fb90&amp; */ "./resources/js/components/Header.vue?vue&amp;type=template&amp;id=1f42fb90&amp;");
/* harmony import */ var _Header_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Header.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Header.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _Header_vue_vue_type_style_index_0_id_1f42fb90_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp; */ "./resources/js/components/Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _Header_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Header_vue_vue_type_template_id_1f42fb90___WEBPACK_IMPORTED_MODULE_0__.render,
  _Header_vue_vue_type_template_id_1f42fb90___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Header.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/HomePage.vue":
/*!**********************************************!*\
  !*** ./resources/js/components/HomePage.vue ***!
  \**********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _HomePage_vue_vue_type_template_id_fa44bb0e___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./HomePage.vue?vue&amp;type=template&amp;id=fa44bb0e&amp; */ "./resources/js/components/HomePage.vue?vue&amp;type=template&amp;id=fa44bb0e&amp;");
/* harmony import */ var _HomePage_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./HomePage.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/HomePage.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _HomePage_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _HomePage_vue_vue_type_template_id_fa44bb0e___WEBPACK_IMPORTED_MODULE_0__.render,
  _HomePage_vue_vue_type_template_id_fa44bb0e___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/HomePage.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/HomePageBlogs.vue":
/*!***************************************************!*\
  !*** ./resources/js/components/HomePageBlogs.vue ***!
  \***************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _HomePageBlogs_vue_vue_type_template_id_51ce7bc8_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./HomePageBlogs.vue?vue&amp;type=template&amp;id=51ce7bc8&amp;scoped=true&amp; */ "./resources/js/components/HomePageBlogs.vue?vue&amp;type=template&amp;id=51ce7bc8&amp;scoped=true&amp;");
/* harmony import */ var _HomePageBlogs_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./HomePageBlogs.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/HomePageBlogs.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _HomePageBlogs_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _HomePageBlogs_vue_vue_type_template_id_51ce7bc8_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _HomePageBlogs_vue_vue_type_template_id_51ce7bc8_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "51ce7bc8",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/HomePageBlogs.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/HomePageLessons.vue":
/*!*****************************************************!*\
  !*** ./resources/js/components/HomePageLessons.vue ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _HomePageLessons_vue_vue_type_template_id_03fe6032_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./HomePageLessons.vue?vue&amp;type=template&amp;id=03fe6032&amp;scoped=true&amp; */ "./resources/js/components/HomePageLessons.vue?vue&amp;type=template&amp;id=03fe6032&amp;scoped=true&amp;");
/* harmony import */ var _HomePageLessons_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./HomePageLessons.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/HomePageLessons.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _HomePageLessons_vue_vue_type_style_index_0_id_03fe6032_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _HomePageLessons_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _HomePageLessons_vue_vue_type_template_id_03fe6032_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _HomePageLessons_vue_vue_type_template_id_03fe6032_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "03fe6032",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/HomePageLessons.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/IncomingMoneyOrder.vue":
/*!********************************************************!*\
  !*** ./resources/js/components/IncomingMoneyOrder.vue ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _IncomingMoneyOrder_vue_vue_type_template_id_006b0a42_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./IncomingMoneyOrder.vue?vue&amp;type=template&amp;id=006b0a42&amp;scoped=true&amp; */ "./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=template&amp;id=006b0a42&amp;scoped=true&amp;");
/* harmony import */ var _IncomingMoneyOrder_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./IncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _IncomingMoneyOrder_vue_vue_type_style_index_0_id_006b0a42_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _IncomingMoneyOrder_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _IncomingMoneyOrder_vue_vue_type_template_id_006b0a42_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _IncomingMoneyOrder_vue_vue_type_template_id_006b0a42_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "006b0a42",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/IncomingMoneyOrder.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/PageNotFound.vue":
/*!**************************************************!*\
  !*** ./resources/js/components/PageNotFound.vue ***!
  \**************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _PageNotFound_vue_vue_type_template_id_3d2ec509_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./PageNotFound.vue?vue&amp;type=template&amp;id=3d2ec509&amp;scoped=true&amp; */ "./resources/js/components/PageNotFound.vue?vue&amp;type=template&amp;id=3d2ec509&amp;scoped=true&amp;");
/* harmony import */ var _PageNotFound_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./PageNotFound.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/PageNotFound.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _PageNotFound_vue_vue_type_style_index_0_id_3d2ec509_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _PageNotFound_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _PageNotFound_vue_vue_type_template_id_3d2ec509_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _PageNotFound_vue_vue_type_template_id_3d2ec509_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "3d2ec509",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/PageNotFound.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/Rating.vue":
/*!********************************************!*\
  !*** ./resources/js/components/Rating.vue ***!
  \********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _Rating_vue_vue_type_template_id_11bd6d70_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Rating.vue?vue&amp;type=template&amp;id=11bd6d70&amp;scoped=true&amp; */ "./resources/js/components/Rating.vue?vue&amp;type=template&amp;id=11bd6d70&amp;scoped=true&amp;");
/* harmony import */ var _Rating_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Rating.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/Rating.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _Rating_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _Rating_vue_vue_type_template_id_11bd6d70_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _Rating_vue_vue_type_template_id_11bd6d70_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "11bd6d70",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/Rating.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/ResetPassword.vue":
/*!***************************************************!*\
  !*** ./resources/js/components/ResetPassword.vue ***!
  \***************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _ResetPassword_vue_vue_type_template_id_d837f8a2_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./ResetPassword.vue?vue&amp;type=template&amp;id=d837f8a2&amp;scoped=true&amp; */ "./resources/js/components/ResetPassword.vue?vue&amp;type=template&amp;id=d837f8a2&amp;scoped=true&amp;");
/* harmony import */ var _ResetPassword_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./ResetPassword.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/ResetPassword.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _ResetPassword_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _ResetPassword_vue_vue_type_template_id_d837f8a2_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _ResetPassword_vue_vue_type_template_id_d837f8a2_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "d837f8a2",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/ResetPassword.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/SignIn.vue":
/*!********************************************!*\
  !*** ./resources/js/components/SignIn.vue ***!
  \********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _SignIn_vue_vue_type_template_id_10dd68ed_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./SignIn.vue?vue&amp;type=template&amp;id=10dd68ed&amp;scoped=true&amp; */ "./resources/js/components/SignIn.vue?vue&amp;type=template&amp;id=10dd68ed&amp;scoped=true&amp;");
/* harmony import */ var _SignIn_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./SignIn.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/SignIn.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _SignIn_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _SignIn_vue_vue_type_template_id_10dd68ed_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _SignIn_vue_vue_type_template_id_10dd68ed_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "10dd68ed",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/SignIn.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/SignUp.vue":
/*!********************************************!*\
  !*** ./resources/js/components/SignUp.vue ***!
  \********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _SignUp_vue_vue_type_template_id_2573bf63_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./SignUp.vue?vue&amp;type=template&amp;id=2573bf63&amp;scoped=true&amp; */ "./resources/js/components/SignUp.vue?vue&amp;type=template&amp;id=2573bf63&amp;scoped=true&amp;");
/* harmony import */ var _SignUp_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./SignUp.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/SignUp.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _SignUp_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _SignUp_vue_vue_type_template_id_2573bf63_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _SignUp_vue_vue_type_template_id_2573bf63_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "2573bf63",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/SignUp.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/StudentFreeLessonRequests.vue":
/*!***************************************************************!*\
  !*** ./resources/js/components/StudentFreeLessonRequests.vue ***!
  \***************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _StudentFreeLessonRequests_vue_vue_type_template_id_7d396a30_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./StudentFreeLessonRequests.vue?vue&amp;type=template&amp;id=7d396a30&amp;scoped=true&amp; */ "./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=template&amp;id=7d396a30&amp;scoped=true&amp;");
/* harmony import */ var _StudentFreeLessonRequests_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./StudentFreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _StudentFreeLessonRequests_vue_vue_type_style_index_0_id_7d396a30_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _StudentFreeLessonRequests_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _StudentFreeLessonRequests_vue_vue_type_template_id_7d396a30_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _StudentFreeLessonRequests_vue_vue_type_template_id_7d396a30_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "7d396a30",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/StudentFreeLessonRequests.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/StudentSchedule.vue":
/*!*****************************************************!*\
  !*** ./resources/js/components/StudentSchedule.vue ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _StudentSchedule_vue_vue_type_template_id_0302d157_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./StudentSchedule.vue?vue&amp;type=template&amp;id=0302d157&amp;scoped=true&amp; */ "./resources/js/components/StudentSchedule.vue?vue&amp;type=template&amp;id=0302d157&amp;scoped=true&amp;");
/* harmony import */ var _StudentSchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./StudentSchedule.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/StudentSchedule.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _StudentSchedule_vue_vue_type_style_index_0_id_0302d157_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _StudentSchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _StudentSchedule_vue_vue_type_template_id_0302d157_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _StudentSchedule_vue_vue_type_template_id_0302d157_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "0302d157",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/StudentSchedule.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/TeacherDetails.vue":
/*!****************************************************!*\
  !*** ./resources/js/components/TeacherDetails.vue ***!
  \****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _TeacherDetails_vue_vue_type_template_id_7709672b___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./TeacherDetails.vue?vue&amp;type=template&amp;id=7709672b&amp; */ "./resources/js/components/TeacherDetails.vue?vue&amp;type=template&amp;id=7709672b&amp;");
/* harmony import */ var _TeacherDetails_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./TeacherDetails.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/TeacherDetails.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _TeacherDetails_vue_vue_type_style_index_0_id_7709672b_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp; */ "./resources/js/components/TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _TeacherDetails_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _TeacherDetails_vue_vue_type_template_id_7709672b___WEBPACK_IMPORTED_MODULE_0__.render,
  _TeacherDetails_vue_vue_type_template_id_7709672b___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  null,
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/TeacherDetails.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/TeacherProfileSummary.vue":
/*!***********************************************************!*\
  !*** ./resources/js/components/TeacherProfileSummary.vue ***!
  \***********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _TeacherProfileSummary_vue_vue_type_template_id_efd43d38_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./TeacherProfileSummary.vue?vue&amp;type=template&amp;id=efd43d38&amp;scoped=true&amp; */ "./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=template&amp;id=efd43d38&amp;scoped=true&amp;");
/* harmony import */ var _TeacherProfileSummary_vue_vue_type_script_setup_true_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./TeacherProfileSummary.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp; */ "./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");





/* normalize component */
;
var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_2__["default"])(
  _TeacherProfileSummary_vue_vue_type_script_setup_true_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _TeacherProfileSummary_vue_vue_type_template_id_efd43d38_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _TeacherProfileSummary_vue_vue_type_template_id_efd43d38_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "efd43d38",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/TeacherProfileSummary.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/components/TeacherSchedule.vue":
/*!*****************************************************!*\
  !*** ./resources/js/components/TeacherSchedule.vue ***!
  \*****************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _TeacherSchedule_vue_vue_type_template_id_5d09d87e_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./TeacherSchedule.vue?vue&amp;type=template&amp;id=5d09d87e&amp;scoped=true&amp; */ "./resources/js/components/TeacherSchedule.vue?vue&amp;type=template&amp;id=5d09d87e&amp;scoped=true&amp;");
/* harmony import */ var _TeacherSchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./TeacherSchedule.vue?vue&amp;type=script&amp;lang=js&amp; */ "./resources/js/components/TeacherSchedule.vue?vue&amp;type=script&amp;lang=js&amp;");
/* harmony import */ var _TeacherSchedule_vue_vue_type_style_index_0_id_5d09d87e_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp; */ "./resources/js/components/TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp;");
/* harmony import */ var _node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! !../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js */ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js");



;


/* normalize component */

var component = (0,_node_modules_vue_loader_lib_runtime_componentNormalizer_js__WEBPACK_IMPORTED_MODULE_3__["default"])(
  _TeacherSchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_1__["default"],
  _TeacherSchedule_vue_vue_type_template_id_5d09d87e_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render,
  _TeacherSchedule_vue_vue_type_template_id_5d09d87e_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns,
  false,
  null,
  "5d09d87e",
  null
  
)

/* hot reload */
if (false) { var api; }
component.options.__file = "resources/js/components/TeacherSchedule.vue"
/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (component.exports);

/***/ }),

/***/ "./resources/js/App.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*******************************************************!*\
  !*** ./resources/js/App.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*******************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_App_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./App.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/App.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_App_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/About.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!********************************************************************!*\
  !*** ./resources/js/components/About.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_About_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./About.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/About.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_About_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!****************************************************************************************!*\
  !*** ./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_CustomPaymentUrls_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CustomPaymentUrls.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_CustomPaymentUrls_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Account/EditProfile.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************************!*\
  !*** ./resources/js/components/Account/EditProfile.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_EditProfile_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./EditProfile.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_EditProfile_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*******************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*******************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_ApproveIncomingMoneyOrder_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ApproveIncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_ApproveIncomingMoneyOrder_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_ChatBox_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ChatBox.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_ChatBox_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditCustomPaymentUrl_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CreateOrEditCustomPaymentUrl.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditCustomPaymentUrl_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***********************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditGrade_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CreateOrEditGrade.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditGrade_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditLesson_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CreateOrEditLesson.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditLesson_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonGradeMatching_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./LessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonGradeMatching_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!********************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \********************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherLessonGradeMatching_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherLessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherLessonGradeMatching_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************************!*\
  !*** ./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_WeeklySchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./WeeklySchedule.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_WeeklySchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!******************************************************************************!*\
  !*** ./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogPosts_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogPosts.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogPosts_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Admin/Faqs.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*************************************************************************!*\
  !*** ./resources/js/components/Admin/Faqs.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Faqs_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Faqs.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Faqs_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***********************************************************************************************!*\
  !*** ./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequestApprovals_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FreeLessonRequestApprovals.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequestApprovals_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!************************************************************************************!*\
  !*** ./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonDocuments_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./LessonDocuments.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonDocuments_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*******************************************************************************************!*\
  !*** ./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*******************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditFaq_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CreateOrEditFaq.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditFaq_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Admin/Reviews.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!****************************************************************************!*\
  !*** ./resources/js/components/Admin/Reviews.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Reviews_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Reviews.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Reviews_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Admin/Settings.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*****************************************************************************!*\
  !*** ./resources/js/components/Admin/Settings.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Settings_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Settings.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Settings.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Settings_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Admin/Students.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*****************************************************************************!*\
  !*** ./resources/js/components/Admin/Students.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Students_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Students.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Students_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Admin/Teachers.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*****************************************************************************!*\
  !*** ./resources/js/components/Admin/Teachers.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Teachers_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Teachers.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Teachers_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Blog.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*******************************************************************!*\
  !*** ./resources/js/components/Blog.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Blog_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Blog.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Blog.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Blog_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/BlogDetails.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**************************************************************************!*\
  !*** ./resources/js/components/BlogDetails.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogDetails_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogDetails.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogDetails.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogDetails_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/BlogMyPosts.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**************************************************************************!*\
  !*** ./resources/js/components/BlogMyPosts.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogMyPosts_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogMyPosts.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogMyPosts_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/BlogNew.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************!*\
  !*** ./resources/js/components/BlogNew.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogNew_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogNew.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogNew_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/BookForStudent.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*****************************************************************************!*\
  !*** ./resources/js/components/BookForStudent.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_BookForStudent_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BookForStudent.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_BookForStudent_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Components/StarRating.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!************************************************************************************!*\
  !*** ./resources/js/components/Components/StarRating.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_StarRating_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./StarRating.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Components/StarRating.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_StarRating_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Contact.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************!*\
  !*** ./resources/js/components/Contact.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Contact_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Contact.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Contact.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Contact_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Courses.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************!*\
  !*** ./resources/js/components/Courses.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Courses_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Courses.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Courses.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Courses_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Faq.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!******************************************************************!*\
  !*** ./resources/js/components/Faq.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \******************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Faq_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Faq.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Faq_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Footer.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************!*\
  !*** ./resources/js/components/Footer.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Footer_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Footer.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Footer_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/ForgetPassword.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*****************************************************************************!*\
  !*** ./resources/js/components/ForgetPassword.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_ForgetPassword_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ForgetPassword.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ForgetPassword.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_ForgetPassword_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/FreeLessonRequest.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp;":
/*!*******************************************************************************************!*\
  !*** ./resources/js/components/FreeLessonRequest.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp; ***!
  \*******************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequest_vue_vue_type_script_setup_true_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FreeLessonRequest.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequest.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequest_vue_vue_type_script_setup_true_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/FreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************************!*\
  !*** ./resources/js/components/FreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequests_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequests_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Header.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************!*\
  !*** ./resources/js/components/Header.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Header_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Header.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Header_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/HomePage.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***********************************************************************!*\
  !*** ./resources/js/components/HomePage.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePage_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./HomePage.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePage.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePage_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/HomePageBlogs.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!****************************************************************************!*\
  !*** ./resources/js/components/HomePageBlogs.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageBlogs_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./HomePageBlogs.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageBlogs.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageBlogs_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/HomePageLessons.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!******************************************************************************!*\
  !*** ./resources/js/components/HomePageLessons.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageLessons_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./HomePageLessons.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageLessons_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************************!*\
  !*** ./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_IncomingMoneyOrder_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./IncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_IncomingMoneyOrder_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/PageNotFound.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!***************************************************************************!*\
  !*** ./resources/js/components/PageNotFound.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \***************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_PageNotFound_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./PageNotFound.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_PageNotFound_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/Rating.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************!*\
  !*** ./resources/js/components/Rating.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Rating_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Rating.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Rating.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_Rating_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/ResetPassword.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!****************************************************************************!*\
  !*** ./resources/js/components/ResetPassword.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_ResetPassword_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ResetPassword.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ResetPassword.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_ResetPassword_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/SignIn.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************!*\
  !*** ./resources/js/components/SignIn.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_SignIn_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./SignIn.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignIn.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_SignIn_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/SignUp.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*********************************************************************!*\
  !*** ./resources/js/components/SignUp.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_SignUp_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./SignUp.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignUp.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_SignUp_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!****************************************************************************************!*\
  !*** ./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentFreeLessonRequests_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./StudentFreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentFreeLessonRequests_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/StudentSchedule.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!******************************************************************************!*\
  !*** ./resources/js/components/StudentSchedule.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentSchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./StudentSchedule.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentSchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/TeacherDetails.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!*****************************************************************************!*\
  !*** ./resources/js/components/TeacherDetails.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherDetails_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherDetails.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherDetails_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp;":
/*!***********************************************************************************************!*\
  !*** ./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp; ***!
  \***********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherProfileSummary_vue_vue_type_script_setup_true_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherProfileSummary.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=script&amp;setup=true&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherProfileSummary_vue_vue_type_script_setup_true_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/components/TeacherSchedule.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!******************************************************************************!*\
  !*** ./resources/js/components/TeacherSchedule.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \******************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherSchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherSchedule.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherSchedule_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./resources/js/App.vue?vue&amp;type=template&amp;id=f348271a&amp;":
/*!*************************************************************!*\
  !*** ./resources/js/App.vue?vue&amp;type=template&amp;id=f348271a&amp; ***!
  \*************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_App_vue_vue_type_template_id_f348271a___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_App_vue_vue_type_template_id_f348271a___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_App_vue_vue_type_template_id_f348271a___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../node_modules/vue-loader/lib/index.js??vue-loader-options!./App.vue?vue&amp;type=template&amp;id=f348271a&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/App.vue?vue&amp;type=template&amp;id=f348271a&amp;");


/***/ }),

/***/ "./resources/js/components/About.vue?vue&amp;type=template&amp;id=fb05e49c&amp;scoped=true&amp;":
/*!**************************************************************************************!*\
  !*** ./resources/js/components/About.vue?vue&amp;type=template&amp;id=fb05e49c&amp;scoped=true&amp; ***!
  \**************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_About_vue_vue_type_template_id_fb05e49c_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_About_vue_vue_type_template_id_fb05e49c_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_About_vue_vue_type_template_id_fb05e49c_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./About.vue?vue&amp;type=template&amp;id=fb05e49c&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/About.vue?vue&amp;type=template&amp;id=fb05e49c&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=template&amp;id=4d6140fc&amp;scoped=true&amp;":
/*!**********************************************************************************************************!*\
  !*** ./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=template&amp;id=4d6140fc&amp;scoped=true&amp; ***!
  \**********************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CustomPaymentUrls_vue_vue_type_template_id_4d6140fc_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CustomPaymentUrls_vue_vue_type_template_id_4d6140fc_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CustomPaymentUrls_vue_vue_type_template_id_4d6140fc_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CustomPaymentUrls.vue?vue&amp;type=template&amp;id=4d6140fc&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=template&amp;id=4d6140fc&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Account/EditProfile.vue?vue&amp;type=template&amp;id=648fdea2&amp;scoped=true&amp;":
/*!****************************************************************************************************!*\
  !*** ./resources/js/components/Account/EditProfile.vue?vue&amp;type=template&amp;id=648fdea2&amp;scoped=true&amp; ***!
  \****************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_EditProfile_vue_vue_type_template_id_648fdea2_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_EditProfile_vue_vue_type_template_id_648fdea2_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_EditProfile_vue_vue_type_template_id_648fdea2_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./EditProfile.vue?vue&amp;type=template&amp;id=648fdea2&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=template&amp;id=648fdea2&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=template&amp;id=488bfff6&amp;scoped=true&amp;":
/*!*************************************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=template&amp;id=488bfff6&amp;scoped=true&amp; ***!
  \*************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ApproveIncomingMoneyOrder_vue_vue_type_template_id_488bfff6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ApproveIncomingMoneyOrder_vue_vue_type_template_id_488bfff6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ApproveIncomingMoneyOrder_vue_vue_type_template_id_488bfff6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ApproveIncomingMoneyOrder.vue?vue&amp;type=template&amp;id=488bfff6&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ApproveIncomingMoneyOrder.vue?vue&amp;type=template&amp;id=488bfff6&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=template&amp;id=3f2ae3f7&amp;":
/*!*******************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=template&amp;id=3f2ae3f7&amp; ***!
  \*******************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ChatBox_vue_vue_type_template_id_3f2ae3f7___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ChatBox_vue_vue_type_template_id_3f2ae3f7___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ChatBox_vue_vue_type_template_id_3f2ae3f7___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ChatBox.vue?vue&amp;type=template&amp;id=3f2ae3f7&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=template&amp;id=3f2ae3f7&amp;");


/***/ }),

/***/ "./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=template&amp;id=2c10b5af&amp;":
/*!****************************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=template&amp;id=2c10b5af&amp; ***!
  \****************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditCustomPaymentUrl_vue_vue_type_template_id_2c10b5af___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditCustomPaymentUrl_vue_vue_type_template_id_2c10b5af___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditCustomPaymentUrl_vue_vue_type_template_id_2c10b5af___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CreateOrEditCustomPaymentUrl.vue?vue&amp;type=template&amp;id=2c10b5af&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditCustomPaymentUrl.vue?vue&amp;type=template&amp;id=2c10b5af&amp;");


/***/ }),

/***/ "./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=template&amp;id=75fd96d2&amp;":
/*!*****************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=template&amp;id=75fd96d2&amp; ***!
  \*****************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditGrade_vue_vue_type_template_id_75fd96d2___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditGrade_vue_vue_type_template_id_75fd96d2___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditGrade_vue_vue_type_template_id_75fd96d2___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CreateOrEditGrade.vue?vue&amp;type=template&amp;id=75fd96d2&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditGrade.vue?vue&amp;type=template&amp;id=75fd96d2&amp;");


/***/ }),

/***/ "./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=template&amp;id=0373184d&amp;":
/*!******************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=template&amp;id=0373184d&amp; ***!
  \******************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditLesson_vue_vue_type_template_id_0373184d___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditLesson_vue_vue_type_template_id_0373184d___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditLesson_vue_vue_type_template_id_0373184d___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CreateOrEditLesson.vue?vue&amp;type=template&amp;id=0373184d&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/CreateOrEditLesson.vue?vue&amp;type=template&amp;id=0373184d&amp;");


/***/ }),

/***/ "./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=template&amp;id=0abd58c0&amp;scoped=true&amp;":
/*!*******************************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=template&amp;id=0abd58c0&amp;scoped=true&amp; ***!
  \*******************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonGradeMatching_vue_vue_type_template_id_0abd58c0_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonGradeMatching_vue_vue_type_template_id_0abd58c0_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonGradeMatching_vue_vue_type_template_id_0abd58c0_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./LessonGradeMatching.vue?vue&amp;type=template&amp;id=0abd58c0&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=template&amp;id=0abd58c0&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=template&amp;id=1530f5e6&amp;":
/*!**************************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=template&amp;id=1530f5e6&amp; ***!
  \**************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherLessonGradeMatching_vue_vue_type_template_id_1530f5e6___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherLessonGradeMatching_vue_vue_type_template_id_1530f5e6___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherLessonGradeMatching_vue_vue_type_template_id_1530f5e6___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherLessonGradeMatching.vue?vue&amp;type=template&amp;id=1530f5e6&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/TeacherLessonGradeMatching.vue?vue&amp;type=template&amp;id=1530f5e6&amp;");


/***/ }),

/***/ "./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=template&amp;id=6c9574b6&amp;scoped=true&amp;":
/*!*******************************************************************************************************!*\
  !*** ./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=template&amp;id=6c9574b6&amp;scoped=true&amp; ***!
  \*******************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_WeeklySchedule_vue_vue_type_template_id_6c9574b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_WeeklySchedule_vue_vue_type_template_id_6c9574b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_WeeklySchedule_vue_vue_type_template_id_6c9574b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./WeeklySchedule.vue?vue&amp;type=template&amp;id=6c9574b6&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/WeeklySchedule.vue?vue&amp;type=template&amp;id=6c9574b6&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=template&amp;id=4712e354&amp;scoped=true&amp;":
/*!************************************************************************************************!*\
  !*** ./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=template&amp;id=4712e354&amp;scoped=true&amp; ***!
  \************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogPosts_vue_vue_type_template_id_4712e354_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogPosts_vue_vue_type_template_id_4712e354_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogPosts_vue_vue_type_template_id_4712e354_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogPosts.vue?vue&amp;type=template&amp;id=4712e354&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=template&amp;id=4712e354&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/Faqs.vue?vue&amp;type=template&amp;id=0e883928&amp;scoped=true&amp;":
/*!*******************************************************************************************!*\
  !*** ./resources/js/components/Admin/Faqs.vue?vue&amp;type=template&amp;id=0e883928&amp;scoped=true&amp; ***!
  \*******************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faqs_vue_vue_type_template_id_0e883928_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faqs_vue_vue_type_template_id_0e883928_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faqs_vue_vue_type_template_id_0e883928_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Faqs.vue?vue&amp;type=template&amp;id=0e883928&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=template&amp;id=0e883928&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=template&amp;id=a3fb7f20&amp;scoped=true&amp;":
/*!*****************************************************************************************************************!*\
  !*** ./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=template&amp;id=a3fb7f20&amp;scoped=true&amp; ***!
  \*****************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequestApprovals_vue_vue_type_template_id_a3fb7f20_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequestApprovals_vue_vue_type_template_id_a3fb7f20_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequestApprovals_vue_vue_type_template_id_a3fb7f20_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FreeLessonRequestApprovals.vue?vue&amp;type=template&amp;id=a3fb7f20&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=template&amp;id=a3fb7f20&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=template&amp;id=ccdfc7b6&amp;scoped=true&amp;":
/*!******************************************************************************************************!*\
  !*** ./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=template&amp;id=ccdfc7b6&amp;scoped=true&amp; ***!
  \******************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonDocuments_vue_vue_type_template_id_ccdfc7b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonDocuments_vue_vue_type_template_id_ccdfc7b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonDocuments_vue_vue_type_template_id_ccdfc7b6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./LessonDocuments.vue?vue&amp;type=template&amp;id=ccdfc7b6&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=template&amp;id=ccdfc7b6&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=template&amp;id=44d49ca2&amp;":
/*!*************************************************************************************************!*\
  !*** ./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=template&amp;id=44d49ca2&amp; ***!
  \*************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditFaq_vue_vue_type_template_id_44d49ca2___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditFaq_vue_vue_type_template_id_44d49ca2___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CreateOrEditFaq_vue_vue_type_template_id_44d49ca2___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CreateOrEditFaq.vue?vue&amp;type=template&amp;id=44d49ca2&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Modals/CreateOrEditFaq.vue?vue&amp;type=template&amp;id=44d49ca2&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/Reviews.vue?vue&amp;type=template&amp;id=1fd41360&amp;scoped=true&amp;":
/*!**********************************************************************************************!*\
  !*** ./resources/js/components/Admin/Reviews.vue?vue&amp;type=template&amp;id=1fd41360&amp;scoped=true&amp; ***!
  \**********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Reviews_vue_vue_type_template_id_1fd41360_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Reviews_vue_vue_type_template_id_1fd41360_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Reviews_vue_vue_type_template_id_1fd41360_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Reviews.vue?vue&amp;type=template&amp;id=1fd41360&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=template&amp;id=1fd41360&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/Settings.vue?vue&amp;type=template&amp;id=0b5bf8ae&amp;scoped=true&amp;":
/*!***********************************************************************************************!*\
  !*** ./resources/js/components/Admin/Settings.vue?vue&amp;type=template&amp;id=0b5bf8ae&amp;scoped=true&amp; ***!
  \***********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Settings_vue_vue_type_template_id_0b5bf8ae_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Settings_vue_vue_type_template_id_0b5bf8ae_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Settings_vue_vue_type_template_id_0b5bf8ae_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Settings.vue?vue&amp;type=template&amp;id=0b5bf8ae&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Settings.vue?vue&amp;type=template&amp;id=0b5bf8ae&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/Students.vue?vue&amp;type=template&amp;id=292180ba&amp;scoped=true&amp;":
/*!***********************************************************************************************!*\
  !*** ./resources/js/components/Admin/Students.vue?vue&amp;type=template&amp;id=292180ba&amp;scoped=true&amp; ***!
  \***********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Students_vue_vue_type_template_id_292180ba_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Students_vue_vue_type_template_id_292180ba_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Students_vue_vue_type_template_id_292180ba_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Students.vue?vue&amp;type=template&amp;id=292180ba&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=template&amp;id=292180ba&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/Teachers.vue?vue&amp;type=template&amp;id=304a3348&amp;scoped=true&amp;":
/*!***********************************************************************************************!*\
  !*** ./resources/js/components/Admin/Teachers.vue?vue&amp;type=template&amp;id=304a3348&amp;scoped=true&amp; ***!
  \***********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Teachers_vue_vue_type_template_id_304a3348_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Teachers_vue_vue_type_template_id_304a3348_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Teachers_vue_vue_type_template_id_304a3348_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Teachers.vue?vue&amp;type=template&amp;id=304a3348&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=template&amp;id=304a3348&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Blog.vue?vue&amp;type=template&amp;id=7c31058d&amp;scoped=true&amp;":
/*!*************************************************************************************!*\
  !*** ./resources/js/components/Blog.vue?vue&amp;type=template&amp;id=7c31058d&amp;scoped=true&amp; ***!
  \*************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Blog_vue_vue_type_template_id_7c31058d_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Blog_vue_vue_type_template_id_7c31058d_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Blog_vue_vue_type_template_id_7c31058d_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Blog.vue?vue&amp;type=template&amp;id=7c31058d&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Blog.vue?vue&amp;type=template&amp;id=7c31058d&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/BlogDetails.vue?vue&amp;type=template&amp;id=07b7bb25&amp;scoped=true&amp;":
/*!********************************************************************************************!*\
  !*** ./resources/js/components/BlogDetails.vue?vue&amp;type=template&amp;id=07b7bb25&amp;scoped=true&amp; ***!
  \********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogDetails_vue_vue_type_template_id_07b7bb25_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogDetails_vue_vue_type_template_id_07b7bb25_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogDetails_vue_vue_type_template_id_07b7bb25_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogDetails.vue?vue&amp;type=template&amp;id=07b7bb25&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogDetails.vue?vue&amp;type=template&amp;id=07b7bb25&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/BlogMyPosts.vue?vue&amp;type=template&amp;id=4cd4c7ea&amp;scoped=true&amp;":
/*!********************************************************************************************!*\
  !*** ./resources/js/components/BlogMyPosts.vue?vue&amp;type=template&amp;id=4cd4c7ea&amp;scoped=true&amp; ***!
  \********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogMyPosts_vue_vue_type_template_id_4cd4c7ea_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogMyPosts_vue_vue_type_template_id_4cd4c7ea_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogMyPosts_vue_vue_type_template_id_4cd4c7ea_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogMyPosts.vue?vue&amp;type=template&amp;id=4cd4c7ea&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=template&amp;id=4cd4c7ea&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/BlogNew.vue?vue&amp;type=template&amp;id=67021dfa&amp;scoped=true&amp;":
/*!****************************************************************************************!*\
  !*** ./resources/js/components/BlogNew.vue?vue&amp;type=template&amp;id=67021dfa&amp;scoped=true&amp; ***!
  \****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogNew_vue_vue_type_template_id_67021dfa_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogNew_vue_vue_type_template_id_67021dfa_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogNew_vue_vue_type_template_id_67021dfa_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogNew.vue?vue&amp;type=template&amp;id=67021dfa&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=template&amp;id=67021dfa&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/BookForStudent.vue?vue&amp;type=template&amp;id=476406a6&amp;scoped=true&amp;":
/*!***********************************************************************************************!*\
  !*** ./resources/js/components/BookForStudent.vue?vue&amp;type=template&amp;id=476406a6&amp;scoped=true&amp; ***!
  \***********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BookForStudent_vue_vue_type_template_id_476406a6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BookForStudent_vue_vue_type_template_id_476406a6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BookForStudent_vue_vue_type_template_id_476406a6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BookForStudent.vue?vue&amp;type=template&amp;id=476406a6&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=template&amp;id=476406a6&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Components/StarRating.vue?vue&amp;type=template&amp;id=31d90c26&amp;":
/*!******************************************************************************************!*\
  !*** ./resources/js/components/Components/StarRating.vue?vue&amp;type=template&amp;id=31d90c26&amp; ***!
  \******************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StarRating_vue_vue_type_template_id_31d90c26___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StarRating_vue_vue_type_template_id_31d90c26___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StarRating_vue_vue_type_template_id_31d90c26___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./StarRating.vue?vue&amp;type=template&amp;id=31d90c26&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Components/StarRating.vue?vue&amp;type=template&amp;id=31d90c26&amp;");


/***/ }),

/***/ "./resources/js/components/Contact.vue?vue&amp;type=template&amp;id=4c2584f6&amp;scoped=true&amp;":
/*!****************************************************************************************!*\
  !*** ./resources/js/components/Contact.vue?vue&amp;type=template&amp;id=4c2584f6&amp;scoped=true&amp; ***!
  \****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Contact_vue_vue_type_template_id_4c2584f6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Contact_vue_vue_type_template_id_4c2584f6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Contact_vue_vue_type_template_id_4c2584f6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Contact.vue?vue&amp;type=template&amp;id=4c2584f6&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Contact.vue?vue&amp;type=template&amp;id=4c2584f6&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Courses.vue?vue&amp;type=template&amp;id=58d49dc6&amp;scoped=true&amp;":
/*!****************************************************************************************!*\
  !*** ./resources/js/components/Courses.vue?vue&amp;type=template&amp;id=58d49dc6&amp;scoped=true&amp; ***!
  \****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Courses_vue_vue_type_template_id_58d49dc6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Courses_vue_vue_type_template_id_58d49dc6_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Courses_vue_vue_type_template_id_58d49dc6_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Courses.vue?vue&amp;type=template&amp;id=58d49dc6&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Courses.vue?vue&amp;type=template&amp;id=58d49dc6&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Faq.vue?vue&amp;type=template&amp;id=5546b00a&amp;scoped=true&amp;":
/*!************************************************************************************!*\
  !*** ./resources/js/components/Faq.vue?vue&amp;type=template&amp;id=5546b00a&amp;scoped=true&amp; ***!
  \************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faq_vue_vue_type_template_id_5546b00a_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faq_vue_vue_type_template_id_5546b00a_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faq_vue_vue_type_template_id_5546b00a_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Faq.vue?vue&amp;type=template&amp;id=5546b00a&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=template&amp;id=5546b00a&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Footer.vue?vue&amp;type=template&amp;id=61a7c374&amp;":
/*!***************************************************************************!*\
  !*** ./resources/js/components/Footer.vue?vue&amp;type=template&amp;id=61a7c374&amp; ***!
  \***************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Footer_vue_vue_type_template_id_61a7c374___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Footer_vue_vue_type_template_id_61a7c374___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Footer_vue_vue_type_template_id_61a7c374___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Footer.vue?vue&amp;type=template&amp;id=61a7c374&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=template&amp;id=61a7c374&amp;");


/***/ }),

/***/ "./resources/js/components/ForgetPassword.vue?vue&amp;type=template&amp;id=681c1ad3&amp;scoped=true&amp;":
/*!***********************************************************************************************!*\
  !*** ./resources/js/components/ForgetPassword.vue?vue&amp;type=template&amp;id=681c1ad3&amp;scoped=true&amp; ***!
  \***********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ForgetPassword_vue_vue_type_template_id_681c1ad3_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ForgetPassword_vue_vue_type_template_id_681c1ad3_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ForgetPassword_vue_vue_type_template_id_681c1ad3_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ForgetPassword.vue?vue&amp;type=template&amp;id=681c1ad3&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ForgetPassword.vue?vue&amp;type=template&amp;id=681c1ad3&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/FreeLessonRequest.vue?vue&amp;type=template&amp;id=32d19260&amp;scoped=true&amp;":
/*!**************************************************************************************************!*\
  !*** ./resources/js/components/FreeLessonRequest.vue?vue&amp;type=template&amp;id=32d19260&amp;scoped=true&amp; ***!
  \**************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequest_vue_vue_type_template_id_32d19260_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequest_vue_vue_type_template_id_32d19260_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequest_vue_vue_type_template_id_32d19260_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FreeLessonRequest.vue?vue&amp;type=template&amp;id=32d19260&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequest.vue?vue&amp;type=template&amp;id=32d19260&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/FreeLessonRequests.vue?vue&amp;type=template&amp;id=2009775a&amp;scoped=true&amp;":
/*!***************************************************************************************************!*\
  !*** ./resources/js/components/FreeLessonRequests.vue?vue&amp;type=template&amp;id=2009775a&amp;scoped=true&amp; ***!
  \***************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequests_vue_vue_type_template_id_2009775a_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequests_vue_vue_type_template_id_2009775a_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequests_vue_vue_type_template_id_2009775a_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FreeLessonRequests.vue?vue&amp;type=template&amp;id=2009775a&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=template&amp;id=2009775a&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Header.vue?vue&amp;type=template&amp;id=1f42fb90&amp;":
/*!***************************************************************************!*\
  !*** ./resources/js/components/Header.vue?vue&amp;type=template&amp;id=1f42fb90&amp; ***!
  \***************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Header_vue_vue_type_template_id_1f42fb90___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Header_vue_vue_type_template_id_1f42fb90___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Header_vue_vue_type_template_id_1f42fb90___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Header.vue?vue&amp;type=template&amp;id=1f42fb90&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=template&amp;id=1f42fb90&amp;");


/***/ }),

/***/ "./resources/js/components/HomePage.vue?vue&amp;type=template&amp;id=fa44bb0e&amp;":
/*!*****************************************************************************!*\
  !*** ./resources/js/components/HomePage.vue?vue&amp;type=template&amp;id=fa44bb0e&amp; ***!
  \*****************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePage_vue_vue_type_template_id_fa44bb0e___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePage_vue_vue_type_template_id_fa44bb0e___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePage_vue_vue_type_template_id_fa44bb0e___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./HomePage.vue?vue&amp;type=template&amp;id=fa44bb0e&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePage.vue?vue&amp;type=template&amp;id=fa44bb0e&amp;");


/***/ }),

/***/ "./resources/js/components/HomePageBlogs.vue?vue&amp;type=template&amp;id=51ce7bc8&amp;scoped=true&amp;":
/*!**********************************************************************************************!*\
  !*** ./resources/js/components/HomePageBlogs.vue?vue&amp;type=template&amp;id=51ce7bc8&amp;scoped=true&amp; ***!
  \**********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageBlogs_vue_vue_type_template_id_51ce7bc8_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageBlogs_vue_vue_type_template_id_51ce7bc8_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageBlogs_vue_vue_type_template_id_51ce7bc8_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./HomePageBlogs.vue?vue&amp;type=template&amp;id=51ce7bc8&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageBlogs.vue?vue&amp;type=template&amp;id=51ce7bc8&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/HomePageLessons.vue?vue&amp;type=template&amp;id=03fe6032&amp;scoped=true&amp;":
/*!************************************************************************************************!*\
  !*** ./resources/js/components/HomePageLessons.vue?vue&amp;type=template&amp;id=03fe6032&amp;scoped=true&amp; ***!
  \************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageLessons_vue_vue_type_template_id_03fe6032_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageLessons_vue_vue_type_template_id_03fe6032_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageLessons_vue_vue_type_template_id_03fe6032_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./HomePageLessons.vue?vue&amp;type=template&amp;id=03fe6032&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=template&amp;id=03fe6032&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=template&amp;id=006b0a42&amp;scoped=true&amp;":
/*!***************************************************************************************************!*\
  !*** ./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=template&amp;id=006b0a42&amp;scoped=true&amp; ***!
  \***************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_IncomingMoneyOrder_vue_vue_type_template_id_006b0a42_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_IncomingMoneyOrder_vue_vue_type_template_id_006b0a42_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_IncomingMoneyOrder_vue_vue_type_template_id_006b0a42_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./IncomingMoneyOrder.vue?vue&amp;type=template&amp;id=006b0a42&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=template&amp;id=006b0a42&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/PageNotFound.vue?vue&amp;type=template&amp;id=3d2ec509&amp;scoped=true&amp;":
/*!*********************************************************************************************!*\
  !*** ./resources/js/components/PageNotFound.vue?vue&amp;type=template&amp;id=3d2ec509&amp;scoped=true&amp; ***!
  \*********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_PageNotFound_vue_vue_type_template_id_3d2ec509_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_PageNotFound_vue_vue_type_template_id_3d2ec509_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_PageNotFound_vue_vue_type_template_id_3d2ec509_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./PageNotFound.vue?vue&amp;type=template&amp;id=3d2ec509&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=template&amp;id=3d2ec509&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/Rating.vue?vue&amp;type=template&amp;id=11bd6d70&amp;scoped=true&amp;":
/*!***************************************************************************************!*\
  !*** ./resources/js/components/Rating.vue?vue&amp;type=template&amp;id=11bd6d70&amp;scoped=true&amp; ***!
  \***************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Rating_vue_vue_type_template_id_11bd6d70_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Rating_vue_vue_type_template_id_11bd6d70_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Rating_vue_vue_type_template_id_11bd6d70_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Rating.vue?vue&amp;type=template&amp;id=11bd6d70&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Rating.vue?vue&amp;type=template&amp;id=11bd6d70&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/ResetPassword.vue?vue&amp;type=template&amp;id=d837f8a2&amp;scoped=true&amp;":
/*!**********************************************************************************************!*\
  !*** ./resources/js/components/ResetPassword.vue?vue&amp;type=template&amp;id=d837f8a2&amp;scoped=true&amp; ***!
  \**********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ResetPassword_vue_vue_type_template_id_d837f8a2_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ResetPassword_vue_vue_type_template_id_d837f8a2_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ResetPassword_vue_vue_type_template_id_d837f8a2_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ResetPassword.vue?vue&amp;type=template&amp;id=d837f8a2&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/ResetPassword.vue?vue&amp;type=template&amp;id=d837f8a2&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/SignIn.vue?vue&amp;type=template&amp;id=10dd68ed&amp;scoped=true&amp;":
/*!***************************************************************************************!*\
  !*** ./resources/js/components/SignIn.vue?vue&amp;type=template&amp;id=10dd68ed&amp;scoped=true&amp; ***!
  \***************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_SignIn_vue_vue_type_template_id_10dd68ed_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_SignIn_vue_vue_type_template_id_10dd68ed_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_SignIn_vue_vue_type_template_id_10dd68ed_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./SignIn.vue?vue&amp;type=template&amp;id=10dd68ed&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignIn.vue?vue&amp;type=template&amp;id=10dd68ed&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/SignUp.vue?vue&amp;type=template&amp;id=2573bf63&amp;scoped=true&amp;":
/*!***************************************************************************************!*\
  !*** ./resources/js/components/SignUp.vue?vue&amp;type=template&amp;id=2573bf63&amp;scoped=true&amp; ***!
  \***************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_SignUp_vue_vue_type_template_id_2573bf63_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_SignUp_vue_vue_type_template_id_2573bf63_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_SignUp_vue_vue_type_template_id_2573bf63_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./SignUp.vue?vue&amp;type=template&amp;id=2573bf63&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/SignUp.vue?vue&amp;type=template&amp;id=2573bf63&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=template&amp;id=7d396a30&amp;scoped=true&amp;":
/*!**********************************************************************************************************!*\
  !*** ./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=template&amp;id=7d396a30&amp;scoped=true&amp; ***!
  \**********************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentFreeLessonRequests_vue_vue_type_template_id_7d396a30_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentFreeLessonRequests_vue_vue_type_template_id_7d396a30_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentFreeLessonRequests_vue_vue_type_template_id_7d396a30_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./StudentFreeLessonRequests.vue?vue&amp;type=template&amp;id=7d396a30&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=template&amp;id=7d396a30&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/StudentSchedule.vue?vue&amp;type=template&amp;id=0302d157&amp;scoped=true&amp;":
/*!************************************************************************************************!*\
  !*** ./resources/js/components/StudentSchedule.vue?vue&amp;type=template&amp;id=0302d157&amp;scoped=true&amp; ***!
  \************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentSchedule_vue_vue_type_template_id_0302d157_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentSchedule_vue_vue_type_template_id_0302d157_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentSchedule_vue_vue_type_template_id_0302d157_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./StudentSchedule.vue?vue&amp;type=template&amp;id=0302d157&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=template&amp;id=0302d157&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/TeacherDetails.vue?vue&amp;type=template&amp;id=7709672b&amp;":
/*!***********************************************************************************!*\
  !*** ./resources/js/components/TeacherDetails.vue?vue&amp;type=template&amp;id=7709672b&amp; ***!
  \***********************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherDetails_vue_vue_type_template_id_7709672b___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherDetails_vue_vue_type_template_id_7709672b___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherDetails_vue_vue_type_template_id_7709672b___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherDetails.vue?vue&amp;type=template&amp;id=7709672b&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=template&amp;id=7709672b&amp;");


/***/ }),

/***/ "./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=template&amp;id=efd43d38&amp;scoped=true&amp;":
/*!******************************************************************************************************!*\
  !*** ./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=template&amp;id=efd43d38&amp;scoped=true&amp; ***!
  \******************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherProfileSummary_vue_vue_type_template_id_efd43d38_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherProfileSummary_vue_vue_type_template_id_efd43d38_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherProfileSummary_vue_vue_type_template_id_efd43d38_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherProfileSummary.vue?vue&amp;type=template&amp;id=efd43d38&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherProfileSummary.vue?vue&amp;type=template&amp;id=efd43d38&amp;scoped=true&amp;");


/***/ }),

/***/ "./resources/js/components/TeacherSchedule.vue?vue&amp;type=template&amp;id=5d09d87e&amp;scoped=true&amp;":
/*!************************************************************************************************!*\
  !*** ./resources/js/components/TeacherSchedule.vue?vue&amp;type=template&amp;id=5d09d87e&amp;scoped=true&amp; ***!
  \************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherSchedule_vue_vue_type_template_id_5d09d87e_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherSchedule_vue_vue_type_template_id_5d09d87e_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _node_modules_babel_loader_lib_index_js_clonedRuleSet_5_use_0_node_modules_vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherSchedule_vue_vue_type_template_id_5d09d87e_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!../../../node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherSchedule.vue?vue&amp;type=template&amp;id=5d09d87e&amp;scoped=true&amp; */ "./node_modules/babel-loader/lib/index.js??clonedRuleSet-5.use[0]!./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=template&amp;id=5d09d87e&amp;scoped=true&amp;");


/***/ }),

/***/ "./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp;":
/*!******************************************************************************************************************************!*\
  !*** ./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp; ***!
  \******************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _style_loader_dist_cjs_js_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_vue_loader_lib_loaders_stylePostLoader_js_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_vue_loader_lib_index_js_vue_loader_options_moments_ago_vue_vue_type_style_index_0_id_55107a8f_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../style-loader/dist/cjs.js!../../../laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../vue-loader/lib/loaders/stylePostLoader.js!../../../postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../vue-loader/lib/index.js??vue-loader-options!./moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=style&amp;index=0&amp;id=55107a8f&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp;":
/*!************************************************************************************************************************!*\
  !*** ./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp; ***!
  \************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_CustomPaymentUrls_vue_vue_type_style_index_0_id_4d6140fc_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/style-loader/dist/cjs.js!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/CustomPaymentUrls.vue?vue&amp;type=style&amp;index=0&amp;id=4d6140fc&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Account/EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp;":
/*!******************************************************************************************************************!*\
  !*** ./resources/js/components/Account/EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp; ***!
  \******************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_EditProfile_vue_vue_type_style_index_0_id_648fdea2_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/style-loader/dist/cjs.js!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/EditProfile.vue?vue&amp;type=style&amp;index=0&amp;id=648fdea2&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp;":
/*!*********************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp; ***!
  \*********************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_ChatBox_vue_vue_type_style_index_0_id_3f2ae3f7_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/style-loader/dist/cjs.js!../../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/ChatBox.vue?vue&amp;type=style&amp;index=0&amp;id=3f2ae3f7&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp;":
/*!*********************************************************************************************************************************!*\
  !*** ./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp; ***!
  \*********************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonGradeMatching_vue_vue_type_style_index_0_id_0abd58c0_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../../node_modules/style-loader/dist/cjs.js!../../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Account/Modals/LessonGradeMatching.vue?vue&amp;type=style&amp;index=0&amp;id=0abd58c0&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp;":
/*!**************************************************************************************************************!*\
  !*** ./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp; ***!
  \**************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogPosts_vue_vue_type_style_index_0_id_4712e354_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/style-loader/dist/cjs.js!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/BlogPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4712e354&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp;":
/*!*********************************************************************************************************!*\
  !*** ./resources/js/components/Admin/Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp; ***!
  \*********************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faqs_vue_vue_type_style_index_0_id_0e883928_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/style-loader/dist/cjs.js!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Faqs.vue?vue&amp;type=style&amp;index=0&amp;id=0e883928&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp;":
/*!*******************************************************************************************************************************!*\
  !*** ./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp; ***!
  \*******************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequestApprovals_vue_vue_type_style_index_0_id_a3fb7f20_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/style-loader/dist/cjs.js!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/FreeLessonRequestApprovals.vue?vue&amp;type=style&amp;index=0&amp;id=a3fb7f20&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp;":
/*!********************************************************************************************************************!*\
  !*** ./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp; ***!
  \********************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_LessonDocuments_vue_vue_type_style_index_0_id_ccdfc7b6_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/style-loader/dist/cjs.js!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/LessonDocuments.vue?vue&amp;type=style&amp;index=0&amp;id=ccdfc7b6&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp;":
/*!************************************************************************************************************!*\
  !*** ./resources/js/components/Admin/Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp; ***!
  \************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Reviews_vue_vue_type_style_index_0_id_1fd41360_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/style-loader/dist/cjs.js!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Reviews.vue?vue&amp;type=style&amp;index=0&amp;id=1fd41360&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp;":
/*!*************************************************************************************************************!*\
  !*** ./resources/js/components/Admin/Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp; ***!
  \*************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Students_vue_vue_type_style_index_0_id_292180ba_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/style-loader/dist/cjs.js!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Students.vue?vue&amp;type=style&amp;index=0&amp;id=292180ba&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Admin/Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp;":
/*!*************************************************************************************************************!*\
  !*** ./resources/js/components/Admin/Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp; ***!
  \*************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Teachers_vue_vue_type_style_index_0_id_304a3348_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../../node_modules/style-loader/dist/cjs.js!../../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Admin/Teachers.vue?vue&amp;type=style&amp;index=0&amp;id=304a3348&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp;":
/*!**********************************************************************************************************!*\
  !*** ./resources/js/components/BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp; ***!
  \**********************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogMyPosts_vue_vue_type_style_index_0_id_4cd4c7ea_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogMyPosts.vue?vue&amp;type=style&amp;index=0&amp;id=4cd4c7ea&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp;":
/*!******************************************************************************************************!*\
  !*** ./resources/js/components/BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp; ***!
  \******************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BlogNew_vue_vue_type_style_index_0_id_67021dfa_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BlogNew.vue?vue&amp;type=style&amp;index=0&amp;id=67021dfa&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp;":
/*!*************************************************************************************************************!*\
  !*** ./resources/js/components/BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp; ***!
  \*************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_BookForStudent_vue_vue_type_style_index_0_id_476406a6_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/BookForStudent.vue?vue&amp;type=style&amp;index=0&amp;id=476406a6&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp;":
/*!**************************************************************************************************!*\
  !*** ./resources/js/components/Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp; ***!
  \**************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Faq_vue_vue_type_style_index_0_id_5546b00a_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Faq.vue?vue&amp;type=style&amp;index=0&amp;id=5546b00a&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp;":
/*!*****************************************************************************************!*\
  !*** ./resources/js/components/Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp; ***!
  \*****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Footer_vue_vue_type_style_index_0_id_61a7c374_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Footer.vue?vue&amp;type=style&amp;index=0&amp;id=61a7c374&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp;":
/*!*****************************************************************************************************************!*\
  !*** ./resources/js/components/FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp; ***!
  \*****************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_FreeLessonRequests_vue_vue_type_style_index_0_id_2009775a_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/FreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=2009775a&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp;":
/*!*****************************************************************************************!*\
  !*** ./resources/js/components/Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp; ***!
  \*****************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_Header_vue_vue_type_style_index_0_id_1f42fb90_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/Header.vue?vue&amp;type=style&amp;index=0&amp;id=1f42fb90&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp;":
/*!**************************************************************************************************************!*\
  !*** ./resources/js/components/HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp; ***!
  \**************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_HomePageLessons_vue_vue_type_style_index_0_id_03fe6032_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/HomePageLessons.vue?vue&amp;type=style&amp;index=0&amp;id=03fe6032&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp;":
/*!*****************************************************************************************************************!*\
  !*** ./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp; ***!
  \*****************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_IncomingMoneyOrder_vue_vue_type_style_index_0_id_006b0a42_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/IncomingMoneyOrder.vue?vue&amp;type=style&amp;index=0&amp;id=006b0a42&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp;":
/*!***********************************************************************************************************!*\
  !*** ./resources/js/components/PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp; ***!
  \***********************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_PageNotFound_vue_vue_type_style_index_0_id_3d2ec509_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/PageNotFound.vue?vue&amp;type=style&amp;index=0&amp;id=3d2ec509&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp;":
/*!************************************************************************************************************************!*\
  !*** ./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp; ***!
  \************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentFreeLessonRequests_vue_vue_type_style_index_0_id_7d396a30_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentFreeLessonRequests.vue?vue&amp;type=style&amp;index=0&amp;id=7d396a30&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp;":
/*!**************************************************************************************************************!*\
  !*** ./resources/js/components/StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp; ***!
  \**************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_StudentSchedule_vue_vue_type_style_index_0_id_0302d157_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/StudentSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=0302d157&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp;":
/*!*************************************************************************************************!*\
  !*** ./resources/js/components/TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp; ***!
  \*************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherDetails_vue_vue_type_style_index_0_id_7709672b_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherDetails.vue?vue&amp;type=style&amp;index=0&amp;id=7709672b&amp;lang=css&amp;");


/***/ }),

/***/ "./resources/js/components/TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp;":
/*!**************************************************************************************************************!*\
  !*** ./resources/js/components/TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp; ***!
  \**************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony import */ var _node_modules_style_loader_dist_cjs_js_node_modules_laravel_mix_node_modules_css_loader_dist_cjs_js_clonedRuleSet_8_use_1_node_modules_vue_loader_lib_loaders_stylePostLoader_js_node_modules_postcss_loader_dist_cjs_js_clonedRuleSet_8_use_2_node_modules_vue_loader_lib_index_js_vue_loader_options_TeacherSchedule_vue_vue_type_style_index_0_id_5d09d87e_scoped_true_lang_css___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../node_modules/style-loader/dist/cjs.js!../../../node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp; */ "./node_modules/style-loader/dist/cjs.js!./node_modules/laravel-mix/node_modules/css-loader/dist/cjs.js??clonedRuleSet-8.use[1]!./node_modules/vue-loader/lib/loaders/stylePostLoader.js!./node_modules/postcss-loader/dist/cjs.js??clonedRuleSet-8.use[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./resources/js/components/TeacherSchedule.vue?vue&amp;type=style&amp;index=0&amp;id=5d09d87e&amp;scoped=true&amp;lang=css&amp;");


/***/ }),

/***/ "./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=script&amp;lang=js&amp;":
/*!**********************************************************************************************!*\
  !*** ./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=script&amp;lang=js&amp; ***!
  \**********************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _vue_loader_lib_index_js_vue_loader_options_moments_ago_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../vue-loader/lib/index.js??vue-loader-options!./moments-ago.vue?vue&amp;type=script&amp;lang=js&amp; */ "./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=script&amp;lang=js&amp;");
 /* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_vue_loader_lib_index_js_vue_loader_options_moments_ago_vue_vue_type_script_lang_js___WEBPACK_IMPORTED_MODULE_0__["default"]); 

/***/ }),

/***/ "./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=template&amp;id=55107a8f&amp;scoped=true&amp;":
/*!****************************************************************************************************************!*\
  !*** ./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=template&amp;id=55107a8f&amp;scoped=true&amp; ***!
  \****************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* reexport safe */ _vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_vue_loader_lib_index_js_vue_loader_options_moments_ago_vue_vue_type_template_id_55107a8f_scoped_true___WEBPACK_IMPORTED_MODULE_0__.render),
/* harmony export */   staticRenderFns: () =&gt; (/* reexport safe */ _vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_vue_loader_lib_index_js_vue_loader_options_moments_ago_vue_vue_type_template_id_55107a8f_scoped_true___WEBPACK_IMPORTED_MODULE_0__.staticRenderFns)
/* harmony export */ });
/* harmony import */ var _vue_loader_lib_loaders_templateLoader_js_ruleSet_1_rules_2_vue_loader_lib_index_js_vue_loader_options_moments_ago_vue_vue_type_template_id_55107a8f_scoped_true___WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! -!../../../vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!../../../vue-loader/lib/index.js??vue-loader-options!./moments-ago.vue?vue&amp;type=template&amp;id=55107a8f&amp;scoped=true&amp; */ "./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=template&amp;id=55107a8f&amp;scoped=true&amp;");


/***/ }),

/***/ "./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=template&amp;id=55107a8f&amp;scoped=true&amp;":
/*!********************************************************************************************************************************************************************************************************************************************************!*\
  !*** ./node_modules/vue-loader/lib/loaders/templateLoader.js??ruleSet[1].rules[2]!./node_modules/vue-loader/lib/index.js??vue-loader-options!./node_modules/vue-moments-ago/src/components/moments-ago.vue?vue&amp;type=template&amp;id=55107a8f&amp;scoped=true&amp; ***!
  \********************************************************************************************************************************************************************************************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   render: () =&gt; (/* binding */ render),
/* harmony export */   staticRenderFns: () =&gt; (/* binding */ staticRenderFns)
/* harmony export */ });
var render = function render() {
  var _vm = this,
    _c = _vm._self._c
  return _vm.date
    ? _c("span", { staticClass: "vue-moments-ago" }, [
        _vm._v(
          _vm._s(_vm.prefix) +
            " " +
            _vm._s(
              _vm._f("plural")(_vm.humanDifference, _vm.humanWord, _vm.lang)
            ) +
            " " +
            _vm._s(_vm.suffix)
        ),
      ])
    : _vm._e()
}
var staticRenderFns = []
render._withStripped = true



/***/ }),

/***/ "./node_modules/vue-loader/lib/runtime/componentNormalizer.js":
/*!********************************************************************!*\
  !*** ./node_modules/vue-loader/lib/runtime/componentNormalizer.js ***!
  \********************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (/* binding */ normalizeComponent)
/* harmony export */ });
/* globals __VUE_SSR_CONTEXT__ */

// IMPORTANT: Do NOT use ES2015 features in this file (except for modules).
// This module is a runtime utility for cleaner component module output and will
// be included in the final webpack user bundle.

function normalizeComponent(
  scriptExports,
  render,
  staticRenderFns,
  functionalTemplate,
  injectStyles,
  scopeId,
  moduleIdentifier /* server only */,
  shadowMode /* vue-cli only */
) {
  // Vue.extend constructor export interop
  var options =
    typeof scriptExports === 'function' ? scriptExports.options : scriptExports

  // render functions
  if (render) {
    options.render = render
    options.staticRenderFns = staticRenderFns
    options._compiled = true
  }

  // functional template
  if (functionalTemplate) {
    options.functional = true
  }

  // scopedId
  if (scopeId) {
    options._scopeId = 'data-v-' + scopeId
  }

  var hook
  if (moduleIdentifier) {
    // server build
    hook = function (context) {
      // 2.3 injection
      context =
        context || // cached call
        (this.$vnode &amp;&amp; this.$vnode.ssrContext) || // stateful
        (this.parent &amp;&amp; this.parent.$vnode &amp;&amp; this.parent.$vnode.ssrContext) // functional
      // 2.2 with runInNewContext: true
      if (!context &amp;&amp; typeof __VUE_SSR_CONTEXT__ !== 'undefined') {
        context = __VUE_SSR_CONTEXT__
      }
      // inject component styles
      if (injectStyles) {
        injectStyles.call(this, context)
      }
      // register component module identifier for async chunk inferrence
      if (context &amp;&amp; context._registeredComponents) {
        context._registeredComponents.add(moduleIdentifier)
      }
    }
    // used by ssr in case component is cached and beforeCreate
    // never gets called
    options._ssrRegister = hook
  } else if (injectStyles) {
    hook = shadowMode
      ? function () {
          injectStyles.call(
            this,
            (options.functional ? this.parent : this).$root.$options.shadowRoot
          )
        }
      : injectStyles
  }

  if (hook) {
    if (options.functional) {
      // for template-only hot-reload because in that case the render fn doesn't
      // go through the normalizer
      options._injectStyles = hook
      // register for functional component in vue file
      var originalRender = options.render
      options.render = function renderWithStyleInjection(h, context) {
        hook.call(context)
        return originalRender(h, context)
      }
    } else {
      // inject component registration as beforeCreate hook
      var existing = options.beforeCreate
      options.beforeCreate = existing ? [].concat(existing, hook) : [hook]
    }
  }

  return {
    exports: scriptExports,
    options: options
  }
}


/***/ }),

/***/ "./node_modules/vue-moments-ago/src/main.js":
/*!**************************************************!*\
  !*** ./node_modules/vue-moments-ago/src/main.js ***!
  \**************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
/* harmony import */ var _components_moments_ago_vue__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./components/moments-ago.vue */ "./node_modules/vue-moments-ago/src/components/moments-ago.vue");

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (_components_moments_ago_vue__WEBPACK_IMPORTED_MODULE_0__["default"]);

/***/ }),

/***/ "./node_modules/vue-router/dist/vue-router.esm.js":
/*!********************************************************!*\
  !*** ./node_modules/vue-router/dist/vue-router.esm.js ***!
  \********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   NavigationFailureType: () =&gt; (/* binding */ NavigationFailureType),
/* harmony export */   RouterLink: () =&gt; (/* binding */ Link),
/* harmony export */   RouterView: () =&gt; (/* binding */ View),
/* harmony export */   START_LOCATION: () =&gt; (/* binding */ START),
/* harmony export */   "default": () =&gt; (/* binding */ VueRouter$1),
/* harmony export */   isNavigationFailure: () =&gt; (/* binding */ isNavigationFailure),
/* harmony export */   version: () =&gt; (/* binding */ version)
/* harmony export */ });
/*!
  * vue-router v3.6.5
  * (c) 2022 Evan You
  * @license MIT
  */
/*  */

function assert (condition, message) {
  if (!condition) {
    throw new Error(("[vue-router] " + message))
  }
}

function warn (condition, message) {
  if (!condition) {
    typeof console !== 'undefined' &amp;&amp; console.warn(("[vue-router] " + message));
  }
}

function extend (a, b) {
  for (var key in b) {
    a[key] = b[key];
  }
  return a
}

/*  */

var encodeReserveRE = /[!'()*]/g;
var encodeReserveReplacer = function (c) { return '%' + c.charCodeAt(0).toString(16); };
var commaRE = /%2C/g;

// fixed encodeURIComponent which is more conformant to RFC3986:
// - escapes [!'()*]
// - preserve commas
var encode = function (str) { return encodeURIComponent(str)
    .replace(encodeReserveRE, encodeReserveReplacer)
    .replace(commaRE, ','); };

function decode (str) {
  try {
    return decodeURIComponent(str)
  } catch (err) {
    if (true) {
      warn(false, ("Error decoding \"" + str + "\". Leaving it intact."));
    }
  }
  return str
}

function resolveQuery (
  query,
  extraQuery,
  _parseQuery
) {
  if ( extraQuery === void 0 ) extraQuery = {};

  var parse = _parseQuery || parseQuery;
  var parsedQuery;
  try {
    parsedQuery = parse(query || '');
  } catch (e) {
     true &amp;&amp; warn(false, e.message);
    parsedQuery = {};
  }
  for (var key in extraQuery) {
    var value = extraQuery[key];
    parsedQuery[key] = Array.isArray(value)
      ? value.map(castQueryParamValue)
      : castQueryParamValue(value);
  }
  return parsedQuery
}

var castQueryParamValue = function (value) { return (value == null || typeof value === 'object' ? value : String(value)); };

function parseQuery (query) {
  var res = {};

  query = query.trim().replace(/^(\?|#|&amp;)/, '');

  if (!query) {
    return res
  }

  query.split('&amp;').forEach(function (param) {
    var parts = param.replace(/\+/g, ' ').split('=');
    var key = decode(parts.shift());
    var val = parts.length &gt; 0 ? decode(parts.join('=')) : null;

    if (res[key] === undefined) {
      res[key] = val;
    } else if (Array.isArray(res[key])) {
      res[key].push(val);
    } else {
      res[key] = [res[key], val];
    }
  });

  return res
}

function stringifyQuery (obj) {
  var res = obj
    ? Object.keys(obj)
      .map(function (key) {
        var val = obj[key];

        if (val === undefined) {
          return ''
        }

        if (val === null) {
          return encode(key)
        }

        if (Array.isArray(val)) {
          var result = [];
          val.forEach(function (val2) {
            if (val2 === undefined) {
              return
            }
            if (val2 === null) {
              result.push(encode(key));
            } else {
              result.push(encode(key) + '=' + encode(val2));
            }
          });
          return result.join('&amp;')
        }

        return encode(key) + '=' + encode(val)
      })
      .filter(function (x) { return x.length &gt; 0; })
      .join('&amp;')
    : null;
  return res ? ("?" + res) : ''
}

/*  */

var trailingSlashRE = /\/?$/;

function createRoute (
  record,
  location,
  redirectedFrom,
  router
) {
  var stringifyQuery = router &amp;&amp; router.options.stringifyQuery;

  var query = location.query || {};
  try {
    query = clone(query);
  } catch (e) {}

  var route = {
    name: location.name || (record &amp;&amp; record.name),
    meta: (record &amp;&amp; record.meta) || {},
    path: location.path || '/',
    hash: location.hash || '',
    query: query,
    params: location.params || {},
    fullPath: getFullPath(location, stringifyQuery),
    matched: record ? formatMatch(record) : []
  };
  if (redirectedFrom) {
    route.redirectedFrom = getFullPath(redirectedFrom, stringifyQuery);
  }
  return Object.freeze(route)
}

function clone (value) {
  if (Array.isArray(value)) {
    return value.map(clone)
  } else if (value &amp;&amp; typeof value === 'object') {
    var res = {};
    for (var key in value) {
      res[key] = clone(value[key]);
    }
    return res
  } else {
    return value
  }
}

// the starting route that represents the initial state
var START = createRoute(null, {
  path: '/'
});

function formatMatch (record) {
  var res = [];
  while (record) {
    res.unshift(record);
    record = record.parent;
  }
  return res
}

function getFullPath (
  ref,
  _stringifyQuery
) {
  var path = ref.path;
  var query = ref.query; if ( query === void 0 ) query = {};
  var hash = ref.hash; if ( hash === void 0 ) hash = '';

  var stringify = _stringifyQuery || stringifyQuery;
  return (path || '/') + stringify(query) + hash
}

function isSameRoute (a, b, onlyPath) {
  if (b === START) {
    return a === b
  } else if (!b) {
    return false
  } else if (a.path &amp;&amp; b.path) {
    return a.path.replace(trailingSlashRE, '') === b.path.replace(trailingSlashRE, '') &amp;&amp; (onlyPath ||
      a.hash === b.hash &amp;&amp;
      isObjectEqual(a.query, b.query))
  } else if (a.name &amp;&amp; b.name) {
    return (
      a.name === b.name &amp;&amp;
      (onlyPath || (
        a.hash === b.hash &amp;&amp;
      isObjectEqual(a.query, b.query) &amp;&amp;
      isObjectEqual(a.params, b.params))
      )
    )
  } else {
    return false
  }
}

function isObjectEqual (a, b) {
  if ( a === void 0 ) a = {};
  if ( b === void 0 ) b = {};

  // handle null value #1566
  if (!a || !b) { return a === b }
  var aKeys = Object.keys(a).sort();
  var bKeys = Object.keys(b).sort();
  if (aKeys.length !== bKeys.length) {
    return false
  }
  return aKeys.every(function (key, i) {
    var aVal = a[key];
    var bKey = bKeys[i];
    if (bKey !== key) { return false }
    var bVal = b[key];
    // query values can be null and undefined
    if (aVal == null || bVal == null) { return aVal === bVal }
    // check nested equality
    if (typeof aVal === 'object' &amp;&amp; typeof bVal === 'object') {
      return isObjectEqual(aVal, bVal)
    }
    return String(aVal) === String(bVal)
  })
}

function isIncludedRoute (current, target) {
  return (
    current.path.replace(trailingSlashRE, '/').indexOf(
      target.path.replace(trailingSlashRE, '/')
    ) === 0 &amp;&amp;
    (!target.hash || current.hash === target.hash) &amp;&amp;
    queryIncludes(current.query, target.query)
  )
}

function queryIncludes (current, target) {
  for (var key in target) {
    if (!(key in current)) {
      return false
    }
  }
  return true
}

function handleRouteEntered (route) {
  for (var i = 0; i &lt; route.matched.length; i++) {
    var record = route.matched[i];
    for (var name in record.instances) {
      var instance = record.instances[name];
      var cbs = record.enteredCbs[name];
      if (!instance || !cbs) { continue }
      delete record.enteredCbs[name];
      for (var i$1 = 0; i$1 &lt; cbs.length; i$1++) {
        if (!instance._isBeingDestroyed) { cbs[i$1](instance); }
      }
    }
  }
}

var View = {
  name: 'RouterView',
  functional: true,
  props: {
    name: {
      type: String,
      default: 'default'
    }
  },
  render: function render (_, ref) {
    var props = ref.props;
    var children = ref.children;
    var parent = ref.parent;
    var data = ref.data;

    // used by devtools to display a router-view badge
    data.routerView = true;

    // directly use parent context's createElement() function
    // so that components rendered by router-view can resolve named slots
    var h = parent.$createElement;
    var name = props.name;
    var route = parent.$route;
    var cache = parent._routerViewCache || (parent._routerViewCache = {});

    // determine current view depth, also check to see if the tree
    // has been toggled inactive but kept-alive.
    var depth = 0;
    var inactive = false;
    while (parent &amp;&amp; parent._routerRoot !== parent) {
      var vnodeData = parent.$vnode ? parent.$vnode.data : {};
      if (vnodeData.routerView) {
        depth++;
      }
      if (vnodeData.keepAlive &amp;&amp; parent._directInactive &amp;&amp; parent._inactive) {
        inactive = true;
      }
      parent = parent.$parent;
    }
    data.routerViewDepth = depth;

    // render previous view if the tree is inactive and kept-alive
    if (inactive) {
      var cachedData = cache[name];
      var cachedComponent = cachedData &amp;&amp; cachedData.component;
      if (cachedComponent) {
        // #2301
        // pass props
        if (cachedData.configProps) {
          fillPropsinData(cachedComponent, data, cachedData.route, cachedData.configProps);
        }
        return h(cachedComponent, data, children)
      } else {
        // render previous empty view
        return h()
      }
    }

    var matched = route.matched[depth];
    var component = matched &amp;&amp; matched.components[name];

    // render empty node if no matched route or no config component
    if (!matched || !component) {
      cache[name] = null;
      return h()
    }

    // cache component
    cache[name] = { component: component };

    // attach instance registration hook
    // this will be called in the instance's injected lifecycle hooks
    data.registerRouteInstance = function (vm, val) {
      // val could be undefined for unregistration
      var current = matched.instances[name];
      if (
        (val &amp;&amp; current !== vm) ||
        (!val &amp;&amp; current === vm)
      ) {
        matched.instances[name] = val;
      }
    }

    // also register instance in prepatch hook
    // in case the same component instance is reused across different routes
    ;(data.hook || (data.hook = {})).prepatch = function (_, vnode) {
      matched.instances[name] = vnode.componentInstance;
    };

    // register instance in init hook
    // in case kept-alive component be actived when routes changed
    data.hook.init = function (vnode) {
      if (vnode.data.keepAlive &amp;&amp;
        vnode.componentInstance &amp;&amp;
        vnode.componentInstance !== matched.instances[name]
      ) {
        matched.instances[name] = vnode.componentInstance;
      }

      // if the route transition has already been confirmed then we weren't
      // able to call the cbs during confirmation as the component was not
      // registered yet, so we call it here.
      handleRouteEntered(route);
    };

    var configProps = matched.props &amp;&amp; matched.props[name];
    // save route and configProps in cache
    if (configProps) {
      extend(cache[name], {
        route: route,
        configProps: configProps
      });
      fillPropsinData(component, data, route, configProps);
    }

    return h(component, data, children)
  }
};

function fillPropsinData (component, data, route, configProps) {
  // resolve props
  var propsToPass = data.props = resolveProps(route, configProps);
  if (propsToPass) {
    // clone to prevent mutation
    propsToPass = data.props = extend({}, propsToPass);
    // pass non-declared props as attrs
    var attrs = data.attrs = data.attrs || {};
    for (var key in propsToPass) {
      if (!component.props || !(key in component.props)) {
        attrs[key] = propsToPass[key];
        delete propsToPass[key];
      }
    }
  }
}

function resolveProps (route, config) {
  switch (typeof config) {
    case 'undefined':
      return
    case 'object':
      return config
    case 'function':
      return config(route)
    case 'boolean':
      return config ? route.params : undefined
    default:
      if (true) {
        warn(
          false,
          "props in \"" + (route.path) + "\" is a " + (typeof config) + ", " +
          "expecting an object, function or boolean."
        );
      }
  }
}

/*  */

function resolvePath (
  relative,
  base,
  append
) {
  var firstChar = relative.charAt(0);
  if (firstChar === '/') {
    return relative
  }

  if (firstChar === '?' || firstChar === '#') {
    return base + relative
  }

  var stack = base.split('/');

  // remove trailing segment if:
  // - not appending
  // - appending to trailing slash (last segment is empty)
  if (!append || !stack[stack.length - 1]) {
    stack.pop();
  }

  // resolve relative path
  var segments = relative.replace(/^\//, '').split('/');
  for (var i = 0; i &lt; segments.length; i++) {
    var segment = segments[i];
    if (segment === '..') {
      stack.pop();
    } else if (segment !== '.') {
      stack.push(segment);
    }
  }

  // ensure leading slash
  if (stack[0] !== '') {
    stack.unshift('');
  }

  return stack.join('/')
}

function parsePath (path) {
  var hash = '';
  var query = '';

  var hashIndex = path.indexOf('#');
  if (hashIndex &gt;= 0) {
    hash = path.slice(hashIndex);
    path = path.slice(0, hashIndex);
  }

  var queryIndex = path.indexOf('?');
  if (queryIndex &gt;= 0) {
    query = path.slice(queryIndex + 1);
    path = path.slice(0, queryIndex);
  }

  return {
    path: path,
    query: query,
    hash: hash
  }
}

function cleanPath (path) {
  return path.replace(/\/(?:\s*\/)+/g, '/')
}

var isarray = Array.isArray || function (arr) {
  return Object.prototype.toString.call(arr) == '[object Array]';
};

/**
 * Expose `pathToRegexp`.
 */
var pathToRegexp_1 = pathToRegexp;
var parse_1 = parse;
var compile_1 = compile;
var tokensToFunction_1 = tokensToFunction;
var tokensToRegExp_1 = tokensToRegExp;

/**
 * The main path matching regexp utility.
 *
 * @type {RegExp}
 */
var PATH_REGEXP = new RegExp([
  // Match escaped characters that would otherwise appear in future matches.
  // This allows the user to escape special characters that won't transform.
  '(\\\\.)',
  // Match Express-style parameters and un-named parameters with a prefix
  // and optional suffixes. Matches appear as:
  //
  // "/:test(\\d+)?" =&gt; ["/", "test", "\d+", undefined, "?", undefined]
  // "/route(\\d+)"  =&gt; [undefined, undefined, undefined, "\d+", undefined, undefined]
  // "/*"            =&gt; ["/", undefined, undefined, undefined, undefined, "*"]
  '([\\/.])?(?:(?:\\:(\\w+)(?:\\(((?:\\\\.|[^\\\\()])+)\\))?|\\(((?:\\\\.|[^\\\\()])+)\\))([+*?])?|(\\*))'
].join('|'), 'g');

/**
 * Parse a string for the raw tokens.
 *
 * @param  {string}  str
 * @param  {Object=} options
 * @return {!Array}
 */
function parse (str, options) {
  var tokens = [];
  var key = 0;
  var index = 0;
  var path = '';
  var defaultDelimiter = options &amp;&amp; options.delimiter || '/';
  var res;

  while ((res = PATH_REGEXP.exec(str)) != null) {
    var m = res[0];
    var escaped = res[1];
    var offset = res.index;
    path += str.slice(index, offset);
    index = offset + m.length;

    // Ignore already escaped sequences.
    if (escaped) {
      path += escaped[1];
      continue
    }

    var next = str[index];
    var prefix = res[2];
    var name = res[3];
    var capture = res[4];
    var group = res[5];
    var modifier = res[6];
    var asterisk = res[7];

    // Push the current path onto the tokens.
    if (path) {
      tokens.push(path);
      path = '';
    }

    var partial = prefix != null &amp;&amp; next != null &amp;&amp; next !== prefix;
    var repeat = modifier === '+' || modifier === '*';
    var optional = modifier === '?' || modifier === '*';
    var delimiter = res[2] || defaultDelimiter;
    var pattern = capture || group;

    tokens.push({
      name: name || key++,
      prefix: prefix || '',
      delimiter: delimiter,
      optional: optional,
      repeat: repeat,
      partial: partial,
      asterisk: !!asterisk,
      pattern: pattern ? escapeGroup(pattern) : (asterisk ? '.*' : '[^' + escapeString(delimiter) + ']+?')
    });
  }

  // Match any characters still remaining.
  if (index &lt; str.length) {
    path += str.substr(index);
  }

  // If the path exists, push it onto the end.
  if (path) {
    tokens.push(path);
  }

  return tokens
}

/**
 * Compile a string to a template function for the path.
 *
 * @param  {string}             str
 * @param  {Object=}            options
 * @return {!function(Object=, Object=)}
 */
function compile (str, options) {
  return tokensToFunction(parse(str, options), options)
}

/**
 * Prettier encoding of URI path segments.
 *
 * @param  {string}
 * @return {string}
 */
function encodeURIComponentPretty (str) {
  return encodeURI(str).replace(/[\/?#]/g, function (c) {
    return '%' + c.charCodeAt(0).toString(16).toUpperCase()
  })
}

/**
 * Encode the asterisk parameter. Similar to `pretty`, but allows slashes.
 *
 * @param  {string}
 * @return {string}
 */
function encodeAsterisk (str) {
  return encodeURI(str).replace(/[?#]/g, function (c) {
    return '%' + c.charCodeAt(0).toString(16).toUpperCase()
  })
}

/**
 * Expose a method for transforming tokens into the path function.
 */
function tokensToFunction (tokens, options) {
  // Compile all the tokens into regexps.
  var matches = new Array(tokens.length);

  // Compile all the patterns before compilation.
  for (var i = 0; i &lt; tokens.length; i++) {
    if (typeof tokens[i] === 'object') {
      matches[i] = new RegExp('^(?:' + tokens[i].pattern + ')$', flags(options));
    }
  }

  return function (obj, opts) {
    var path = '';
    var data = obj || {};
    var options = opts || {};
    var encode = options.pretty ? encodeURIComponentPretty : encodeURIComponent;

    for (var i = 0; i &lt; tokens.length; i++) {
      var token = tokens[i];

      if (typeof token === 'string') {
        path += token;

        continue
      }

      var value = data[token.name];
      var segment;

      if (value == null) {
        if (token.optional) {
          // Prepend partial segment prefixes.
          if (token.partial) {
            path += token.prefix;
          }

          continue
        } else {
          throw new TypeError('Expected "' + token.name + '" to be defined')
        }
      }

      if (isarray(value)) {
        if (!token.repeat) {
          throw new TypeError('Expected "' + token.name + '" to not repeat, but received `' + JSON.stringify(value) + '`')
        }

        if (value.length === 0) {
          if (token.optional) {
            continue
          } else {
            throw new TypeError('Expected "' + token.name + '" to not be empty')
          }
        }

        for (var j = 0; j &lt; value.length; j++) {
          segment = encode(value[j]);

          if (!matches[i].test(segment)) {
            throw new TypeError('Expected all "' + token.name + '" to match "' + token.pattern + '", but received `' + JSON.stringify(segment) + '`')
          }

          path += (j === 0 ? token.prefix : token.delimiter) + segment;
        }

        continue
      }

      segment = token.asterisk ? encodeAsterisk(value) : encode(value);

      if (!matches[i].test(segment)) {
        throw new TypeError('Expected "' + token.name + '" to match "' + token.pattern + '", but received "' + segment + '"')
      }

      path += token.prefix + segment;
    }

    return path
  }
}

/**
 * Escape a regular expression string.
 *
 * @param  {string} str
 * @return {string}
 */
function escapeString (str) {
  return str.replace(/([.+*?=^!:${}()[\]|\/\\])/g, '\\$1')
}

/**
 * Escape the capturing group by escaping special characters and meaning.
 *
 * @param  {string} group
 * @return {string}
 */
function escapeGroup (group) {
  return group.replace(/([=!:$\/()])/g, '\\$1')
}

/**
 * Attach the keys as a property of the regexp.
 *
 * @param  {!RegExp} re
 * @param  {Array}   keys
 * @return {!RegExp}
 */
function attachKeys (re, keys) {
  re.keys = keys;
  return re
}

/**
 * Get the flags for a regexp from the options.
 *
 * @param  {Object} options
 * @return {string}
 */
function flags (options) {
  return options &amp;&amp; options.sensitive ? '' : 'i'
}

/**
 * Pull out keys from a regexp.
 *
 * @param  {!RegExp} path
 * @param  {!Array}  keys
 * @return {!RegExp}
 */
function regexpToRegexp (path, keys) {
  // Use a negative lookahead to match only capturing groups.
  var groups = path.source.match(/\((?!\?)/g);

  if (groups) {
    for (var i = 0; i &lt; groups.length; i++) {
      keys.push({
        name: i,
        prefix: null,
        delimiter: null,
        optional: false,
        repeat: false,
        partial: false,
        asterisk: false,
        pattern: null
      });
    }
  }

  return attachKeys(path, keys)
}

/**
 * Transform an array into a regexp.
 *
 * @param  {!Array}  path
 * @param  {Array}   keys
 * @param  {!Object} options
 * @return {!RegExp}
 */
function arrayToRegexp (path, keys, options) {
  var parts = [];

  for (var i = 0; i &lt; path.length; i++) {
    parts.push(pathToRegexp(path[i], keys, options).source);
  }

  var regexp = new RegExp('(?:' + parts.join('|') + ')', flags(options));

  return attachKeys(regexp, keys)
}

/**
 * Create a path regexp from string input.
 *
 * @param  {string}  path
 * @param  {!Array}  keys
 * @param  {!Object} options
 * @return {!RegExp}
 */
function stringToRegexp (path, keys, options) {
  return tokensToRegExp(parse(path, options), keys, options)
}

/**
 * Expose a function for taking tokens and returning a RegExp.
 *
 * @param  {!Array}          tokens
 * @param  {(Array|Object)=} keys
 * @param  {Object=}         options
 * @return {!RegExp}
 */
function tokensToRegExp (tokens, keys, options) {
  if (!isarray(keys)) {
    options = /** @type {!Object} */ (keys || options);
    keys = [];
  }

  options = options || {};

  var strict = options.strict;
  var end = options.end !== false;
  var route = '';

  // Iterate over the tokens and create our regexp string.
  for (var i = 0; i &lt; tokens.length; i++) {
    var token = tokens[i];

    if (typeof token === 'string') {
      route += escapeString(token);
    } else {
      var prefix = escapeString(token.prefix);
      var capture = '(?:' + token.pattern + ')';

      keys.push(token);

      if (token.repeat) {
        capture += '(?:' + prefix + capture + ')*';
      }

      if (token.optional) {
        if (!token.partial) {
          capture = '(?:' + prefix + '(' + capture + '))?';
        } else {
          capture = prefix + '(' + capture + ')?';
        }
      } else {
        capture = prefix + '(' + capture + ')';
      }

      route += capture;
    }
  }

  var delimiter = escapeString(options.delimiter || '/');
  var endsWithDelimiter = route.slice(-delimiter.length) === delimiter;

  // In non-strict mode we allow a slash at the end of match. If the path to
  // match already ends with a slash, we remove it for consistency. The slash
  // is valid at the end of a path match, not in the middle. This is important
  // in non-ending mode, where "/test/" shouldn't match "/test//route".
  if (!strict) {
    route = (endsWithDelimiter ? route.slice(0, -delimiter.length) : route) + '(?:' + delimiter + '(?=$))?';
  }

  if (end) {
    route += '$';
  } else {
    // In non-ending mode, we need the capturing groups to match as much as
    // possible by using a positive lookahead to the end or next path segment.
    route += strict &amp;&amp; endsWithDelimiter ? '' : '(?=' + delimiter + '|$)';
  }

  return attachKeys(new RegExp('^' + route, flags(options)), keys)
}

/**
 * Normalize the given path string, returning a regular expression.
 *
 * An empty array can be passed in for the keys, which will hold the
 * placeholder key descriptions. For example, using `/user/:id`, `keys` will
 * contain `[{ name: 'id', delimiter: '/', optional: false, repeat: false }]`.
 *
 * @param  {(string|RegExp|Array)} path
 * @param  {(Array|Object)=}       keys
 * @param  {Object=}               options
 * @return {!RegExp}
 */
function pathToRegexp (path, keys, options) {
  if (!isarray(keys)) {
    options = /** @type {!Object} */ (keys || options);
    keys = [];
  }

  options = options || {};

  if (path instanceof RegExp) {
    return regexpToRegexp(path, /** @type {!Array} */ (keys))
  }

  if (isarray(path)) {
    return arrayToRegexp(/** @type {!Array} */ (path), /** @type {!Array} */ (keys), options)
  }

  return stringToRegexp(/** @type {string} */ (path), /** @type {!Array} */ (keys), options)
}
pathToRegexp_1.parse = parse_1;
pathToRegexp_1.compile = compile_1;
pathToRegexp_1.tokensToFunction = tokensToFunction_1;
pathToRegexp_1.tokensToRegExp = tokensToRegExp_1;

/*  */

// $flow-disable-line
var regexpCompileCache = Object.create(null);

function fillParams (
  path,
  params,
  routeMsg
) {
  params = params || {};
  try {
    var filler =
      regexpCompileCache[path] ||
      (regexpCompileCache[path] = pathToRegexp_1.compile(path));

    // Fix #2505 resolving asterisk routes { name: 'not-found', params: { pathMatch: '/not-found' }}
    // and fix #3106 so that you can work with location descriptor object having params.pathMatch equal to empty string
    if (typeof params.pathMatch === 'string') { params[0] = params.pathMatch; }

    return filler(params, { pretty: true })
  } catch (e) {
    if (true) {
      // Fix #3072 no warn if `pathMatch` is string
      warn(typeof params.pathMatch === 'string', ("missing param for " + routeMsg + ": " + (e.message)));
    }
    return ''
  } finally {
    // delete the 0 if it was added
    delete params[0];
  }
}

/*  */

function normalizeLocation (
  raw,
  current,
  append,
  router
) {
  var next = typeof raw === 'string' ? { path: raw } : raw;
  // named target
  if (next._normalized) {
    return next
  } else if (next.name) {
    next = extend({}, raw);
    var params = next.params;
    if (params &amp;&amp; typeof params === 'object') {
      next.params = extend({}, params);
    }
    return next
  }

  // relative params
  if (!next.path &amp;&amp; next.params &amp;&amp; current) {
    next = extend({}, next);
    next._normalized = true;
    var params$1 = extend(extend({}, current.params), next.params);
    if (current.name) {
      next.name = current.name;
      next.params = params$1;
    } else if (current.matched.length) {
      var rawPath = current.matched[current.matched.length - 1].path;
      next.path = fillParams(rawPath, params$1, ("path " + (current.path)));
    } else if (true) {
      warn(false, "relative params navigation requires a current route.");
    }
    return next
  }

  var parsedPath = parsePath(next.path || '');
  var basePath = (current &amp;&amp; current.path) || '/';
  var path = parsedPath.path
    ? resolvePath(parsedPath.path, basePath, append || next.append)
    : basePath;

  var query = resolveQuery(
    parsedPath.query,
    next.query,
    router &amp;&amp; router.options.parseQuery
  );

  var hash = next.hash || parsedPath.hash;
  if (hash &amp;&amp; hash.charAt(0) !== '#') {
    hash = "#" + hash;
  }

  return {
    _normalized: true,
    path: path,
    query: query,
    hash: hash
  }
}

/*  */

// work around weird flow bug
var toTypes = [String, Object];
var eventTypes = [String, Array];

var noop = function () {};

var warnedCustomSlot;
var warnedTagProp;
var warnedEventProp;

var Link = {
  name: 'RouterLink',
  props: {
    to: {
      type: toTypes,
      required: true
    },
    tag: {
      type: String,
      default: 'a'
    },
    custom: Boolean,
    exact: Boolean,
    exactPath: Boolean,
    append: Boolean,
    replace: Boolean,
    activeClass: String,
    exactActiveClass: String,
    ariaCurrentValue: {
      type: String,
      default: 'page'
    },
    event: {
      type: eventTypes,
      default: 'click'
    }
  },
  render: function render (h) {
    var this$1$1 = this;

    var router = this.$router;
    var current = this.$route;
    var ref = router.resolve(
      this.to,
      current,
      this.append
    );
    var location = ref.location;
    var route = ref.route;
    var href = ref.href;

    var classes = {};
    var globalActiveClass = router.options.linkActiveClass;
    var globalExactActiveClass = router.options.linkExactActiveClass;
    // Support global empty active class
    var activeClassFallback =
      globalActiveClass == null ? 'router-link-active' : globalActiveClass;
    var exactActiveClassFallback =
      globalExactActiveClass == null
        ? 'router-link-exact-active'
        : globalExactActiveClass;
    var activeClass =
      this.activeClass == null ? activeClassFallback : this.activeClass;
    var exactActiveClass =
      this.exactActiveClass == null
        ? exactActiveClassFallback
        : this.exactActiveClass;

    var compareTarget = route.redirectedFrom
      ? createRoute(null, normalizeLocation(route.redirectedFrom), null, router)
      : route;

    classes[exactActiveClass] = isSameRoute(current, compareTarget, this.exactPath);
    classes[activeClass] = this.exact || this.exactPath
      ? classes[exactActiveClass]
      : isIncludedRoute(current, compareTarget);

    var ariaCurrentValue = classes[exactActiveClass] ? this.ariaCurrentValue : null;

    var handler = function (e) {
      if (guardEvent(e)) {
        if (this$1$1.replace) {
          router.replace(location, noop);
        } else {
          router.push(location, noop);
        }
      }
    };

    var on = { click: guardEvent };
    if (Array.isArray(this.event)) {
      this.event.forEach(function (e) {
        on[e] = handler;
      });
    } else {
      on[this.event] = handler;
    }

    var data = { class: classes };

    var scopedSlot =
      !this.$scopedSlots.$hasNormal &amp;&amp;
      this.$scopedSlots.default &amp;&amp;
      this.$scopedSlots.default({
        href: href,
        route: route,
        navigate: handler,
        isActive: classes[activeClass],
        isExactActive: classes[exactActiveClass]
      });

    if (scopedSlot) {
      if ( true &amp;&amp; !this.custom) {
        !warnedCustomSlot &amp;&amp; warn(false, 'In Vue Router 4, the v-slot API will by default wrap its content with an &lt;a&gt; element. Use the custom prop to remove this warning:\n&lt;router-link v-slot="{ navigate, href }" custom&gt;&lt;/router-link&gt;\n');
        warnedCustomSlot = true;
      }
      if (scopedSlot.length === 1) {
        return scopedSlot[0]
      } else if (scopedSlot.length &gt; 1 || !scopedSlot.length) {
        if (true) {
          warn(
            false,
            ("&lt;router-link&gt; with to=\"" + (this.to) + "\" is trying to use a scoped slot but it didn't provide exactly one child. Wrapping the content with a span element.")
          );
        }
        return scopedSlot.length === 0 ? h() : h('span', {}, scopedSlot)
      }
    }

    if (true) {
      if ('tag' in this.$options.propsData &amp;&amp; !warnedTagProp) {
        warn(
          false,
          "&lt;router-link&gt;'s tag prop is deprecated and has been removed in Vue Router 4. Use the v-slot API to remove this warning: https://next.router.vuejs.org/guide/migration/#removal-of-event-and-tag-props-in-router-link."
        );
        warnedTagProp = true;
      }
      if ('event' in this.$options.propsData &amp;&amp; !warnedEventProp) {
        warn(
          false,
          "&lt;router-link&gt;'s event prop is deprecated and has been removed in Vue Router 4. Use the v-slot API to remove this warning: https://next.router.vuejs.org/guide/migration/#removal-of-event-and-tag-props-in-router-link."
        );
        warnedEventProp = true;
      }
    }

    if (this.tag === 'a') {
      data.on = on;
      data.attrs = { href: href, 'aria-current': ariaCurrentValue };
    } else {
      // find the first &lt;a&gt; child and apply listener and href
      var a = findAnchor(this.$slots.default);
      if (a) {
        // in case the &lt;a&gt; is a static node
        a.isStatic = false;
        var aData = (a.data = extend({}, a.data));
        aData.on = aData.on || {};
        // transform existing events in both objects into arrays so we can push later
        for (var event in aData.on) {
          var handler$1 = aData.on[event];
          if (event in on) {
            aData.on[event] = Array.isArray(handler$1) ? handler$1 : [handler$1];
          }
        }
        // append new listeners for router-link
        for (var event$1 in on) {
          if (event$1 in aData.on) {
            // on[event] is always a function
            aData.on[event$1].push(on[event$1]);
          } else {
            aData.on[event$1] = handler;
          }
        }

        var aAttrs = (a.data.attrs = extend({}, a.data.attrs));
        aAttrs.href = href;
        aAttrs['aria-current'] = ariaCurrentValue;
      } else {
        // doesn't have &lt;a&gt; child, apply listener to self
        data.on = on;
      }
    }

    return h(this.tag, data, this.$slots.default)
  }
};

function guardEvent (e) {
  // don't redirect with control keys
  if (e.metaKey || e.altKey || e.ctrlKey || e.shiftKey) { return }
  // don't redirect when preventDefault called
  if (e.defaultPrevented) { return }
  // don't redirect on right click
  if (e.button !== undefined &amp;&amp; e.button !== 0) { return }
  // don't redirect if `target="_blank"`
  if (e.currentTarget &amp;&amp; e.currentTarget.getAttribute) {
    var target = e.currentTarget.getAttribute('target');
    if (/\b_blank\b/i.test(target)) { return }
  }
  // this may be a Weex event which doesn't have this method
  if (e.preventDefault) {
    e.preventDefault();
  }
  return true
}

function findAnchor (children) {
  if (children) {
    var child;
    for (var i = 0; i &lt; children.length; i++) {
      child = children[i];
      if (child.tag === 'a') {
        return child
      }
      if (child.children &amp;&amp; (child = findAnchor(child.children))) {
        return child
      }
    }
  }
}

var _Vue;

function install (Vue) {
  if (install.installed &amp;&amp; _Vue === Vue) { return }
  install.installed = true;

  _Vue = Vue;

  var isDef = function (v) { return v !== undefined; };

  var registerInstance = function (vm, callVal) {
    var i = vm.$options._parentVnode;
    if (isDef(i) &amp;&amp; isDef(i = i.data) &amp;&amp; isDef(i = i.registerRouteInstance)) {
      i(vm, callVal);
    }
  };

  Vue.mixin({
    beforeCreate: function beforeCreate () {
      if (isDef(this.$options.router)) {
        this._routerRoot = this;
        this._router = this.$options.router;
        this._router.init(this);
        Vue.util.defineReactive(this, '_route', this._router.history.current);
      } else {
        this._routerRoot = (this.$parent &amp;&amp; this.$parent._routerRoot) || this;
      }
      registerInstance(this, this);
    },
    destroyed: function destroyed () {
      registerInstance(this);
    }
  });

  Object.defineProperty(Vue.prototype, '$router', {
    get: function get () { return this._routerRoot._router }
  });

  Object.defineProperty(Vue.prototype, '$route', {
    get: function get () { return this._routerRoot._route }
  });

  Vue.component('RouterView', View);
  Vue.component('RouterLink', Link);

  var strats = Vue.config.optionMergeStrategies;
  // use the same hook merging strategy for route hooks
  strats.beforeRouteEnter = strats.beforeRouteLeave = strats.beforeRouteUpdate = strats.created;
}

/*  */

var inBrowser = typeof window !== 'undefined';

/*  */

function createRouteMap (
  routes,
  oldPathList,
  oldPathMap,
  oldNameMap,
  parentRoute
) {
  // the path list is used to control path matching priority
  var pathList = oldPathList || [];
  // $flow-disable-line
  var pathMap = oldPathMap || Object.create(null);
  // $flow-disable-line
  var nameMap = oldNameMap || Object.create(null);

  routes.forEach(function (route) {
    addRouteRecord(pathList, pathMap, nameMap, route, parentRoute);
  });

  // ensure wildcard routes are always at the end
  for (var i = 0, l = pathList.length; i &lt; l; i++) {
    if (pathList[i] === '*') {
      pathList.push(pathList.splice(i, 1)[0]);
      l--;
      i--;
    }
  }

  if (true) {
    // warn if routes do not include leading slashes
    var found = pathList
    // check for missing leading slash
      .filter(function (path) { return path &amp;&amp; path.charAt(0) !== '*' &amp;&amp; path.charAt(0) !== '/'; });

    if (found.length &gt; 0) {
      var pathNames = found.map(function (path) { return ("- " + path); }).join('\n');
      warn(false, ("Non-nested routes must include a leading slash character. Fix the following routes: \n" + pathNames));
    }
  }

  return {
    pathList: pathList,
    pathMap: pathMap,
    nameMap: nameMap
  }
}

function addRouteRecord (
  pathList,
  pathMap,
  nameMap,
  route,
  parent,
  matchAs
) {
  var path = route.path;
  var name = route.name;
  if (true) {
    assert(path != null, "\"path\" is required in a route configuration.");
    assert(
      typeof route.component !== 'string',
      "route config \"component\" for path: " + (String(
        path || name
      )) + " cannot be a " + "string id. Use an actual component instead."
    );

    warn(
      // eslint-disable-next-line no-control-regex
      !/[^\u0000-\u007F]+/.test(path),
      "Route with path \"" + path + "\" contains unencoded characters, make sure " +
        "your path is correctly encoded before passing it to the router. Use " +
        "encodeURI to encode static segments of your path."
    );
  }

  var pathToRegexpOptions =
    route.pathToRegexpOptions || {};
  var normalizedPath = normalizePath(path, parent, pathToRegexpOptions.strict);

  if (typeof route.caseSensitive === 'boolean') {
    pathToRegexpOptions.sensitive = route.caseSensitive;
  }

  var record = {
    path: normalizedPath,
    regex: compileRouteRegex(normalizedPath, pathToRegexpOptions),
    components: route.components || { default: route.component },
    alias: route.alias
      ? typeof route.alias === 'string'
        ? [route.alias]
        : route.alias
      : [],
    instances: {},
    enteredCbs: {},
    name: name,
    parent: parent,
    matchAs: matchAs,
    redirect: route.redirect,
    beforeEnter: route.beforeEnter,
    meta: route.meta || {},
    props:
      route.props == null
        ? {}
        : route.components
          ? route.props
          : { default: route.props }
  };

  if (route.children) {
    // Warn if route is named, does not redirect and has a default child route.
    // If users navigate to this route by name, the default child will
    // not be rendered (GH Issue #629)
    if (true) {
      if (
        route.name &amp;&amp;
        !route.redirect &amp;&amp;
        route.children.some(function (child) { return /^\/?$/.test(child.path); })
      ) {
        warn(
          false,
          "Named Route '" + (route.name) + "' has a default child route. " +
            "When navigating to this named route (:to=\"{name: '" + (route.name) + "'}\"), " +
            "the default child route will not be rendered. Remove the name from " +
            "this route and use the name of the default child route for named " +
            "links instead."
        );
      }
    }
    route.children.forEach(function (child) {
      var childMatchAs = matchAs
        ? cleanPath((matchAs + "/" + (child.path)))
        : undefined;
      addRouteRecord(pathList, pathMap, nameMap, child, record, childMatchAs);
    });
  }

  if (!pathMap[record.path]) {
    pathList.push(record.path);
    pathMap[record.path] = record;
  }

  if (route.alias !== undefined) {
    var aliases = Array.isArray(route.alias) ? route.alias : [route.alias];
    for (var i = 0; i &lt; aliases.length; ++i) {
      var alias = aliases[i];
      if ( true &amp;&amp; alias === path) {
        warn(
          false,
          ("Found an alias with the same value as the path: \"" + path + "\". You have to remove that alias. It will be ignored in development.")
        );
        // skip in dev to make it work
        continue
      }

      var aliasRoute = {
        path: alias,
        children: route.children
      };
      addRouteRecord(
        pathList,
        pathMap,
        nameMap,
        aliasRoute,
        parent,
        record.path || '/' // matchAs
      );
    }
  }

  if (name) {
    if (!nameMap[name]) {
      nameMap[name] = record;
    } else if ( true &amp;&amp; !matchAs) {
      warn(
        false,
        "Duplicate named routes definition: " +
          "{ name: \"" + name + "\", path: \"" + (record.path) + "\" }"
      );
    }
  }
}

function compileRouteRegex (
  path,
  pathToRegexpOptions
) {
  var regex = pathToRegexp_1(path, [], pathToRegexpOptions);
  if (true) {
    var keys = Object.create(null);
    regex.keys.forEach(function (key) {
      warn(
        !keys[key.name],
        ("Duplicate param keys in route with path: \"" + path + "\"")
      );
      keys[key.name] = true;
    });
  }
  return regex
}

function normalizePath (
  path,
  parent,
  strict
) {
  if (!strict) { path = path.replace(/\/$/, ''); }
  if (path[0] === '/') { return path }
  if (parent == null) { return path }
  return cleanPath(((parent.path) + "/" + path))
}

/*  */



function createMatcher (
  routes,
  router
) {
  var ref = createRouteMap(routes);
  var pathList = ref.pathList;
  var pathMap = ref.pathMap;
  var nameMap = ref.nameMap;

  function addRoutes (routes) {
    createRouteMap(routes, pathList, pathMap, nameMap);
  }

  function addRoute (parentOrRoute, route) {
    var parent = (typeof parentOrRoute !== 'object') ? nameMap[parentOrRoute] : undefined;
    // $flow-disable-line
    createRouteMap([route || parentOrRoute], pathList, pathMap, nameMap, parent);

    // add aliases of parent
    if (parent &amp;&amp; parent.alias.length) {
      createRouteMap(
        // $flow-disable-line route is defined if parent is
        parent.alias.map(function (alias) { return ({ path: alias, children: [route] }); }),
        pathList,
        pathMap,
        nameMap,
        parent
      );
    }
  }

  function getRoutes () {
    return pathList.map(function (path) { return pathMap[path]; })
  }

  function match (
    raw,
    currentRoute,
    redirectedFrom
  ) {
    var location = normalizeLocation(raw, currentRoute, false, router);
    var name = location.name;

    if (name) {
      var record = nameMap[name];
      if (true) {
        warn(record, ("Route with name '" + name + "' does not exist"));
      }
      if (!record) { return _createRoute(null, location) }
      var paramNames = record.regex.keys
        .filter(function (key) { return !key.optional; })
        .map(function (key) { return key.name; });

      if (typeof location.params !== 'object') {
        location.params = {};
      }

      if (currentRoute &amp;&amp; typeof currentRoute.params === 'object') {
        for (var key in currentRoute.params) {
          if (!(key in location.params) &amp;&amp; paramNames.indexOf(key) &gt; -1) {
            location.params[key] = currentRoute.params[key];
          }
        }
      }

      location.path = fillParams(record.path, location.params, ("named route \"" + name + "\""));
      return _createRoute(record, location, redirectedFrom)
    } else if (location.path) {
      location.params = {};
      for (var i = 0; i &lt; pathList.length; i++) {
        var path = pathList[i];
        var record$1 = pathMap[path];
        if (matchRoute(record$1.regex, location.path, location.params)) {
          return _createRoute(record$1, location, redirectedFrom)
        }
      }
    }
    // no match
    return _createRoute(null, location)
  }

  function redirect (
    record,
    location
  ) {
    var originalRedirect = record.redirect;
    var redirect = typeof originalRedirect === 'function'
      ? originalRedirect(createRoute(record, location, null, router))
      : originalRedirect;

    if (typeof redirect === 'string') {
      redirect = { path: redirect };
    }

    if (!redirect || typeof redirect !== 'object') {
      if (true) {
        warn(
          false, ("invalid redirect option: " + (JSON.stringify(redirect)))
        );
      }
      return _createRoute(null, location)
    }

    var re = redirect;
    var name = re.name;
    var path = re.path;
    var query = location.query;
    var hash = location.hash;
    var params = location.params;
    query = re.hasOwnProperty('query') ? re.query : query;
    hash = re.hasOwnProperty('hash') ? re.hash : hash;
    params = re.hasOwnProperty('params') ? re.params : params;

    if (name) {
      // resolved named direct
      var targetRecord = nameMap[name];
      if (true) {
        assert(targetRecord, ("redirect failed: named route \"" + name + "\" not found."));
      }
      return match({
        _normalized: true,
        name: name,
        query: query,
        hash: hash,
        params: params
      }, undefined, location)
    } else if (path) {
      // 1. resolve relative redirect
      var rawPath = resolveRecordPath(path, record);
      // 2. resolve params
      var resolvedPath = fillParams(rawPath, params, ("redirect route with path \"" + rawPath + "\""));
      // 3. rematch with existing query and hash
      return match({
        _normalized: true,
        path: resolvedPath,
        query: query,
        hash: hash
      }, undefined, location)
    } else {
      if (true) {
        warn(false, ("invalid redirect option: " + (JSON.stringify(redirect))));
      }
      return _createRoute(null, location)
    }
  }

  function alias (
    record,
    location,
    matchAs
  ) {
    var aliasedPath = fillParams(matchAs, location.params, ("aliased route with path \"" + matchAs + "\""));
    var aliasedMatch = match({
      _normalized: true,
      path: aliasedPath
    });
    if (aliasedMatch) {
      var matched = aliasedMatch.matched;
      var aliasedRecord = matched[matched.length - 1];
      location.params = aliasedMatch.params;
      return _createRoute(aliasedRecord, location)
    }
    return _createRoute(null, location)
  }

  function _createRoute (
    record,
    location,
    redirectedFrom
  ) {
    if (record &amp;&amp; record.redirect) {
      return redirect(record, redirectedFrom || location)
    }
    if (record &amp;&amp; record.matchAs) {
      return alias(record, location, record.matchAs)
    }
    return createRoute(record, location, redirectedFrom, router)
  }

  return {
    match: match,
    addRoute: addRoute,
    getRoutes: getRoutes,
    addRoutes: addRoutes
  }
}

function matchRoute (
  regex,
  path,
  params
) {
  var m = path.match(regex);

  if (!m) {
    return false
  } else if (!params) {
    return true
  }

  for (var i = 1, len = m.length; i &lt; len; ++i) {
    var key = regex.keys[i - 1];
    if (key) {
      // Fix #1994: using * with props: true generates a param named 0
      params[key.name || 'pathMatch'] = typeof m[i] === 'string' ? decode(m[i]) : m[i];
    }
  }

  return true
}

function resolveRecordPath (path, record) {
  return resolvePath(path, record.parent ? record.parent.path : '/', true)
}

/*  */

// use User Timing api (if present) for more accurate key precision
var Time =
  inBrowser &amp;&amp; window.performance &amp;&amp; window.performance.now
    ? window.performance
    : Date;

function genStateKey () {
  return Time.now().toFixed(3)
}

var _key = genStateKey();

function getStateKey () {
  return _key
}

function setStateKey (key) {
  return (_key = key)
}

/*  */

var positionStore = Object.create(null);

function setupScroll () {
  // Prevent browser scroll behavior on History popstate
  if ('scrollRestoration' in window.history) {
    window.history.scrollRestoration = 'manual';
  }
  // Fix for #1585 for Firefox
  // Fix for #2195 Add optional third attribute to workaround a bug in safari https://bugs.webkit.org/show_bug.cgi?id=182678
  // Fix for #2774 Support for apps loaded from Windows file shares not mapped to network drives: replaced location.origin with
  // window.location.protocol + '//' + window.location.host
  // location.host contains the port and location.hostname doesn't
  var protocolAndPath = window.location.protocol + '//' + window.location.host;
  var absolutePath = window.location.href.replace(protocolAndPath, '');
  // preserve existing history state as it could be overriden by the user
  var stateCopy = extend({}, window.history.state);
  stateCopy.key = getStateKey();
  window.history.replaceState(stateCopy, '', absolutePath);
  window.addEventListener('popstate', handlePopState);
  return function () {
    window.removeEventListener('popstate', handlePopState);
  }
}

function handleScroll (
  router,
  to,
  from,
  isPop
) {
  if (!router.app) {
    return
  }

  var behavior = router.options.scrollBehavior;
  if (!behavior) {
    return
  }

  if (true) {
    assert(typeof behavior === 'function', "scrollBehavior must be a function");
  }

  // wait until re-render finishes before scrolling
  router.app.$nextTick(function () {
    var position = getScrollPosition();
    var shouldScroll = behavior.call(
      router,
      to,
      from,
      isPop ? position : null
    );

    if (!shouldScroll) {
      return
    }

    if (typeof shouldScroll.then === 'function') {
      shouldScroll
        .then(function (shouldScroll) {
          scrollToPosition((shouldScroll), position);
        })
        .catch(function (err) {
          if (true) {
            assert(false, err.toString());
          }
        });
    } else {
      scrollToPosition(shouldScroll, position);
    }
  });
}

function saveScrollPosition () {
  var key = getStateKey();
  if (key) {
    positionStore[key] = {
      x: window.pageXOffset,
      y: window.pageYOffset
    };
  }
}

function handlePopState (e) {
  saveScrollPosition();
  if (e.state &amp;&amp; e.state.key) {
    setStateKey(e.state.key);
  }
}

function getScrollPosition () {
  var key = getStateKey();
  if (key) {
    return positionStore[key]
  }
}

function getElementPosition (el, offset) {
  var docEl = document.documentElement;
  var docRect = docEl.getBoundingClientRect();
  var elRect = el.getBoundingClientRect();
  return {
    x: elRect.left - docRect.left - offset.x,
    y: elRect.top - docRect.top - offset.y
  }
}

function isValidPosition (obj) {
  return isNumber(obj.x) || isNumber(obj.y)
}

function normalizePosition (obj) {
  return {
    x: isNumber(obj.x) ? obj.x : window.pageXOffset,
    y: isNumber(obj.y) ? obj.y : window.pageYOffset
  }
}

function normalizeOffset (obj) {
  return {
    x: isNumber(obj.x) ? obj.x : 0,
    y: isNumber(obj.y) ? obj.y : 0
  }
}

function isNumber (v) {
  return typeof v === 'number'
}

var hashStartsWithNumberRE = /^#\d/;

function scrollToPosition (shouldScroll, position) {
  var isObject = typeof shouldScroll === 'object';
  if (isObject &amp;&amp; typeof shouldScroll.selector === 'string') {
    // getElementById would still fail if the selector contains a more complicated query like #main[data-attr]
    // but at the same time, it doesn't make much sense to select an element with an id and an extra selector
    var el = hashStartsWithNumberRE.test(shouldScroll.selector) // $flow-disable-line
      ? document.getElementById(shouldScroll.selector.slice(1)) // $flow-disable-line
      : document.querySelector(shouldScroll.selector);

    if (el) {
      var offset =
        shouldScroll.offset &amp;&amp; typeof shouldScroll.offset === 'object'
          ? shouldScroll.offset
          : {};
      offset = normalizeOffset(offset);
      position = getElementPosition(el, offset);
    } else if (isValidPosition(shouldScroll)) {
      position = normalizePosition(shouldScroll);
    }
  } else if (isObject &amp;&amp; isValidPosition(shouldScroll)) {
    position = normalizePosition(shouldScroll);
  }

  if (position) {
    // $flow-disable-line
    if ('scrollBehavior' in document.documentElement.style) {
      window.scrollTo({
        left: position.x,
        top: position.y,
        // $flow-disable-line
        behavior: shouldScroll.behavior
      });
    } else {
      window.scrollTo(position.x, position.y);
    }
  }
}

/*  */

var supportsPushState =
  inBrowser &amp;&amp;
  (function () {
    var ua = window.navigator.userAgent;

    if (
      (ua.indexOf('Android 2.') !== -1 || ua.indexOf('Android 4.0') !== -1) &amp;&amp;
      ua.indexOf('Mobile Safari') !== -1 &amp;&amp;
      ua.indexOf('Chrome') === -1 &amp;&amp;
      ua.indexOf('Windows Phone') === -1
    ) {
      return false
    }

    return window.history &amp;&amp; typeof window.history.pushState === 'function'
  })();

function pushState (url, replace) {
  saveScrollPosition();
  // try...catch the pushState call to get around Safari
  // DOM Exception 18 where it limits to 100 pushState calls
  var history = window.history;
  try {
    if (replace) {
      // preserve existing history state as it could be overriden by the user
      var stateCopy = extend({}, history.state);
      stateCopy.key = getStateKey();
      history.replaceState(stateCopy, '', url);
    } else {
      history.pushState({ key: setStateKey(genStateKey()) }, '', url);
    }
  } catch (e) {
    window.location[replace ? 'replace' : 'assign'](url);
  }
}

function replaceState (url) {
  pushState(url, true);
}

// When changing thing, also edit router.d.ts
var NavigationFailureType = {
  redirected: 2,
  aborted: 4,
  cancelled: 8,
  duplicated: 16
};

function createNavigationRedirectedError (from, to) {
  return createRouterError(
    from,
    to,
    NavigationFailureType.redirected,
    ("Redirected when going from \"" + (from.fullPath) + "\" to \"" + (stringifyRoute(
      to
    )) + "\" via a navigation guard.")
  )
}

function createNavigationDuplicatedError (from, to) {
  var error = createRouterError(
    from,
    to,
    NavigationFailureType.duplicated,
    ("Avoided redundant navigation to current location: \"" + (from.fullPath) + "\".")
  );
  // backwards compatible with the first introduction of Errors
  error.name = 'NavigationDuplicated';
  return error
}

function createNavigationCancelledError (from, to) {
  return createRouterError(
    from,
    to,
    NavigationFailureType.cancelled,
    ("Navigation cancelled from \"" + (from.fullPath) + "\" to \"" + (to.fullPath) + "\" with a new navigation.")
  )
}

function createNavigationAbortedError (from, to) {
  return createRouterError(
    from,
    to,
    NavigationFailureType.aborted,
    ("Navigation aborted from \"" + (from.fullPath) + "\" to \"" + (to.fullPath) + "\" via a navigation guard.")
  )
}

function createRouterError (from, to, type, message) {
  var error = new Error(message);
  error._isRouter = true;
  error.from = from;
  error.to = to;
  error.type = type;

  return error
}

var propertiesToLog = ['params', 'query', 'hash'];

function stringifyRoute (to) {
  if (typeof to === 'string') { return to }
  if ('path' in to) { return to.path }
  var location = {};
  propertiesToLog.forEach(function (key) {
    if (key in to) { location[key] = to[key]; }
  });
  return JSON.stringify(location, null, 2)
}

function isError (err) {
  return Object.prototype.toString.call(err).indexOf('Error') &gt; -1
}

function isNavigationFailure (err, errorType) {
  return (
    isError(err) &amp;&amp;
    err._isRouter &amp;&amp;
    (errorType == null || err.type === errorType)
  )
}

/*  */

function runQueue (queue, fn, cb) {
  var step = function (index) {
    if (index &gt;= queue.length) {
      cb();
    } else {
      if (queue[index]) {
        fn(queue[index], function () {
          step(index + 1);
        });
      } else {
        step(index + 1);
      }
    }
  };
  step(0);
}

/*  */

function resolveAsyncComponents (matched) {
  return function (to, from, next) {
    var hasAsync = false;
    var pending = 0;
    var error = null;

    flatMapComponents(matched, function (def, _, match, key) {
      // if it's a function and doesn't have cid attached,
      // assume it's an async component resolve function.
      // we are not using Vue's default async resolving mechanism because
      // we want to halt the navigation until the incoming component has been
      // resolved.
      if (typeof def === 'function' &amp;&amp; def.cid === undefined) {
        hasAsync = true;
        pending++;

        var resolve = once(function (resolvedDef) {
          if (isESModule(resolvedDef)) {
            resolvedDef = resolvedDef.default;
          }
          // save resolved on async factory in case it's used elsewhere
          def.resolved = typeof resolvedDef === 'function'
            ? resolvedDef
            : _Vue.extend(resolvedDef);
          match.components[key] = resolvedDef;
          pending--;
          if (pending &lt;= 0) {
            next();
          }
        });

        var reject = once(function (reason) {
          var msg = "Failed to resolve async component " + key + ": " + reason;
           true &amp;&amp; warn(false, msg);
          if (!error) {
            error = isError(reason)
              ? reason
              : new Error(msg);
            next(error);
          }
        });

        var res;
        try {
          res = def(resolve, reject);
        } catch (e) {
          reject(e);
        }
        if (res) {
          if (typeof res.then === 'function') {
            res.then(resolve, reject);
          } else {
            // new syntax in Vue 2.3
            var comp = res.component;
            if (comp &amp;&amp; typeof comp.then === 'function') {
              comp.then(resolve, reject);
            }
          }
        }
      }
    });

    if (!hasAsync) { next(); }
  }
}

function flatMapComponents (
  matched,
  fn
) {
  return flatten(matched.map(function (m) {
    return Object.keys(m.components).map(function (key) { return fn(
      m.components[key],
      m.instances[key],
      m, key
    ); })
  }))
}

function flatten (arr) {
  return Array.prototype.concat.apply([], arr)
}

var hasSymbol =
  typeof Symbol === 'function' &amp;&amp;
  typeof Symbol.toStringTag === 'symbol';

function isESModule (obj) {
  return obj.__esModule || (hasSymbol &amp;&amp; obj[Symbol.toStringTag] === 'Module')
}

// in Webpack 2, require.ensure now also returns a Promise
// so the resolve/reject functions may get called an extra time
// if the user uses an arrow function shorthand that happens to
// return that Promise.
function once (fn) {
  var called = false;
  return function () {
    var args = [], len = arguments.length;
    while ( len-- ) args[ len ] = arguments[ len ];

    if (called) { return }
    called = true;
    return fn.apply(this, args)
  }
}

/*  */

var History = function History (router, base) {
  this.router = router;
  this.base = normalizeBase(base);
  // start with a route object that stands for "nowhere"
  this.current = START;
  this.pending = null;
  this.ready = false;
  this.readyCbs = [];
  this.readyErrorCbs = [];
  this.errorCbs = [];
  this.listeners = [];
};

History.prototype.listen = function listen (cb) {
  this.cb = cb;
};

History.prototype.onReady = function onReady (cb, errorCb) {
  if (this.ready) {
    cb();
  } else {
    this.readyCbs.push(cb);
    if (errorCb) {
      this.readyErrorCbs.push(errorCb);
    }
  }
};

History.prototype.onError = function onError (errorCb) {
  this.errorCbs.push(errorCb);
};

History.prototype.transitionTo = function transitionTo (
  location,
  onComplete,
  onAbort
) {
    var this$1$1 = this;

  var route;
  // catch redirect option https://github.com/vuejs/vue-router/issues/3201
  try {
    route = this.router.match(location, this.current);
  } catch (e) {
    this.errorCbs.forEach(function (cb) {
      cb(e);
    });
    // Exception should still be thrown
    throw e
  }
  var prev = this.current;
  this.confirmTransition(
    route,
    function () {
      this$1$1.updateRoute(route);
      onComplete &amp;&amp; onComplete(route);
      this$1$1.ensureURL();
      this$1$1.router.afterHooks.forEach(function (hook) {
        hook &amp;&amp; hook(route, prev);
      });

      // fire ready cbs once
      if (!this$1$1.ready) {
        this$1$1.ready = true;
        this$1$1.readyCbs.forEach(function (cb) {
          cb(route);
        });
      }
    },
    function (err) {
      if (onAbort) {
        onAbort(err);
      }
      if (err &amp;&amp; !this$1$1.ready) {
        // Initial redirection should not mark the history as ready yet
        // because it's triggered by the redirection instead
        // https://github.com/vuejs/vue-router/issues/3225
        // https://github.com/vuejs/vue-router/issues/3331
        if (!isNavigationFailure(err, NavigationFailureType.redirected) || prev !== START) {
          this$1$1.ready = true;
          this$1$1.readyErrorCbs.forEach(function (cb) {
            cb(err);
          });
        }
      }
    }
  );
};

History.prototype.confirmTransition = function confirmTransition (route, onComplete, onAbort) {
    var this$1$1 = this;

  var current = this.current;
  this.pending = route;
  var abort = function (err) {
    // changed after adding errors with
    // https://github.com/vuejs/vue-router/pull/3047 before that change,
    // redirect and aborted navigation would produce an err == null
    if (!isNavigationFailure(err) &amp;&amp; isError(err)) {
      if (this$1$1.errorCbs.length) {
        this$1$1.errorCbs.forEach(function (cb) {
          cb(err);
        });
      } else {
        if (true) {
          warn(false, 'uncaught error during route navigation:');
        }
        console.error(err);
      }
    }
    onAbort &amp;&amp; onAbort(err);
  };
  var lastRouteIndex = route.matched.length - 1;
  var lastCurrentIndex = current.matched.length - 1;
  if (
    isSameRoute(route, current) &amp;&amp;
    // in the case the route map has been dynamically appended to
    lastRouteIndex === lastCurrentIndex &amp;&amp;
    route.matched[lastRouteIndex] === current.matched[lastCurrentIndex]
  ) {
    this.ensureURL();
    if (route.hash) {
      handleScroll(this.router, current, route, false);
    }
    return abort(createNavigationDuplicatedError(current, route))
  }

  var ref = resolveQueue(
    this.current.matched,
    route.matched
  );
    var updated = ref.updated;
    var deactivated = ref.deactivated;
    var activated = ref.activated;

  var queue = [].concat(
    // in-component leave guards
    extractLeaveGuards(deactivated),
    // global before hooks
    this.router.beforeHooks,
    // in-component update hooks
    extractUpdateHooks(updated),
    // in-config enter guards
    activated.map(function (m) { return m.beforeEnter; }),
    // async components
    resolveAsyncComponents(activated)
  );

  var iterator = function (hook, next) {
    if (this$1$1.pending !== route) {
      return abort(createNavigationCancelledError(current, route))
    }
    try {
      hook(route, current, function (to) {
        if (to === false) {
          // next(false) -&gt; abort navigation, ensure current URL
          this$1$1.ensureURL(true);
          abort(createNavigationAbortedError(current, route));
        } else if (isError(to)) {
          this$1$1.ensureURL(true);
          abort(to);
        } else if (
          typeof to === 'string' ||
          (typeof to === 'object' &amp;&amp;
            (typeof to.path === 'string' || typeof to.name === 'string'))
        ) {
          // next('/') or next({ path: '/' }) -&gt; redirect
          abort(createNavigationRedirectedError(current, route));
          if (typeof to === 'object' &amp;&amp; to.replace) {
            this$1$1.replace(to);
          } else {
            this$1$1.push(to);
          }
        } else {
          // confirm transition and pass on the value
          next(to);
        }
      });
    } catch (e) {
      abort(e);
    }
  };

  runQueue(queue, iterator, function () {
    // wait until async components are resolved before
    // extracting in-component enter guards
    var enterGuards = extractEnterGuards(activated);
    var queue = enterGuards.concat(this$1$1.router.resolveHooks);
    runQueue(queue, iterator, function () {
      if (this$1$1.pending !== route) {
        return abort(createNavigationCancelledError(current, route))
      }
      this$1$1.pending = null;
      onComplete(route);
      if (this$1$1.router.app) {
        this$1$1.router.app.$nextTick(function () {
          handleRouteEntered(route);
        });
      }
    });
  });
};

History.prototype.updateRoute = function updateRoute (route) {
  this.current = route;
  this.cb &amp;&amp; this.cb(route);
};

History.prototype.setupListeners = function setupListeners () {
  // Default implementation is empty
};

History.prototype.teardown = function teardown () {
  // clean up event listeners
  // https://github.com/vuejs/vue-router/issues/2341
  this.listeners.forEach(function (cleanupListener) {
    cleanupListener();
  });
  this.listeners = [];

  // reset current history route
  // https://github.com/vuejs/vue-router/issues/3294
  this.current = START;
  this.pending = null;
};

function normalizeBase (base) {
  if (!base) {
    if (inBrowser) {
      // respect &lt;base&gt; tag
      var baseEl = document.querySelector('base');
      base = (baseEl &amp;&amp; baseEl.getAttribute('href')) || '/';
      // strip full URL origin
      base = base.replace(/^https?:\/\/[^\/]+/, '');
    } else {
      base = '/';
    }
  }
  // make sure there's the starting slash
  if (base.charAt(0) !== '/') {
    base = '/' + base;
  }
  // remove trailing slash
  return base.replace(/\/$/, '')
}

function resolveQueue (
  current,
  next
) {
  var i;
  var max = Math.max(current.length, next.length);
  for (i = 0; i &lt; max; i++) {
    if (current[i] !== next[i]) {
      break
    }
  }
  return {
    updated: next.slice(0, i),
    activated: next.slice(i),
    deactivated: current.slice(i)
  }
}

function extractGuards (
  records,
  name,
  bind,
  reverse
) {
  var guards = flatMapComponents(records, function (def, instance, match, key) {
    var guard = extractGuard(def, name);
    if (guard) {
      return Array.isArray(guard)
        ? guard.map(function (guard) { return bind(guard, instance, match, key); })
        : bind(guard, instance, match, key)
    }
  });
  return flatten(reverse ? guards.reverse() : guards)
}

function extractGuard (
  def,
  key
) {
  if (typeof def !== 'function') {
    // extend now so that global mixins are applied.
    def = _Vue.extend(def);
  }
  return def.options[key]
}

function extractLeaveGuards (deactivated) {
  return extractGuards(deactivated, 'beforeRouteLeave', bindGuard, true)
}

function extractUpdateHooks (updated) {
  return extractGuards(updated, 'beforeRouteUpdate', bindGuard)
}

function bindGuard (guard, instance) {
  if (instance) {
    return function boundRouteGuard () {
      return guard.apply(instance, arguments)
    }
  }
}

function extractEnterGuards (
  activated
) {
  return extractGuards(
    activated,
    'beforeRouteEnter',
    function (guard, _, match, key) {
      return bindEnterGuard(guard, match, key)
    }
  )
}

function bindEnterGuard (
  guard,
  match,
  key
) {
  return function routeEnterGuard (to, from, next) {
    return guard(to, from, function (cb) {
      if (typeof cb === 'function') {
        if (!match.enteredCbs[key]) {
          match.enteredCbs[key] = [];
        }
        match.enteredCbs[key].push(cb);
      }
      next(cb);
    })
  }
}

/*  */

var HTML5History = /*@__PURE__*/(function (History) {
  function HTML5History (router, base) {
    History.call(this, router, base);

    this._startLocation = getLocation(this.base);
  }

  if ( History ) HTML5History.__proto__ = History;
  HTML5History.prototype = Object.create( History &amp;&amp; History.prototype );
  HTML5History.prototype.constructor = HTML5History;

  HTML5History.prototype.setupListeners = function setupListeners () {
    var this$1$1 = this;

    if (this.listeners.length &gt; 0) {
      return
    }

    var router = this.router;
    var expectScroll = router.options.scrollBehavior;
    var supportsScroll = supportsPushState &amp;&amp; expectScroll;

    if (supportsScroll) {
      this.listeners.push(setupScroll());
    }

    var handleRoutingEvent = function () {
      var current = this$1$1.current;

      // Avoiding first `popstate` event dispatched in some browsers but first
      // history route not updated since async guard at the same time.
      var location = getLocation(this$1$1.base);
      if (this$1$1.current === START &amp;&amp; location === this$1$1._startLocation) {
        return
      }

      this$1$1.transitionTo(location, function (route) {
        if (supportsScroll) {
          handleScroll(router, route, current, true);
        }
      });
    };
    window.addEventListener('popstate', handleRoutingEvent);
    this.listeners.push(function () {
      window.removeEventListener('popstate', handleRoutingEvent);
    });
  };

  HTML5History.prototype.go = function go (n) {
    window.history.go(n);
  };

  HTML5History.prototype.push = function push (location, onComplete, onAbort) {
    var this$1$1 = this;

    var ref = this;
    var fromRoute = ref.current;
    this.transitionTo(location, function (route) {
      pushState(cleanPath(this$1$1.base + route.fullPath));
      handleScroll(this$1$1.router, route, fromRoute, false);
      onComplete &amp;&amp; onComplete(route);
    }, onAbort);
  };

  HTML5History.prototype.replace = function replace (location, onComplete, onAbort) {
    var this$1$1 = this;

    var ref = this;
    var fromRoute = ref.current;
    this.transitionTo(location, function (route) {
      replaceState(cleanPath(this$1$1.base + route.fullPath));
      handleScroll(this$1$1.router, route, fromRoute, false);
      onComplete &amp;&amp; onComplete(route);
    }, onAbort);
  };

  HTML5History.prototype.ensureURL = function ensureURL (push) {
    if (getLocation(this.base) !== this.current.fullPath) {
      var current = cleanPath(this.base + this.current.fullPath);
      push ? pushState(current) : replaceState(current);
    }
  };

  HTML5History.prototype.getCurrentLocation = function getCurrentLocation () {
    return getLocation(this.base)
  };

  return HTML5History;
}(History));

function getLocation (base) {
  var path = window.location.pathname;
  var pathLowerCase = path.toLowerCase();
  var baseLowerCase = base.toLowerCase();
  // base="/a" shouldn't turn path="/app" into "/a/pp"
  // https://github.com/vuejs/vue-router/issues/3555
  // so we ensure the trailing slash in the base
  if (base &amp;&amp; ((pathLowerCase === baseLowerCase) ||
    (pathLowerCase.indexOf(cleanPath(baseLowerCase + '/')) === 0))) {
    path = path.slice(base.length);
  }
  return (path || '/') + window.location.search + window.location.hash
}

/*  */

var HashHistory = /*@__PURE__*/(function (History) {
  function HashHistory (router, base, fallback) {
    History.call(this, router, base);
    // check history fallback deeplinking
    if (fallback &amp;&amp; checkFallback(this.base)) {
      return
    }
    ensureSlash();
  }

  if ( History ) HashHistory.__proto__ = History;
  HashHistory.prototype = Object.create( History &amp;&amp; History.prototype );
  HashHistory.prototype.constructor = HashHistory;

  // this is delayed until the app mounts
  // to avoid the hashchange listener being fired too early
  HashHistory.prototype.setupListeners = function setupListeners () {
    var this$1$1 = this;

    if (this.listeners.length &gt; 0) {
      return
    }

    var router = this.router;
    var expectScroll = router.options.scrollBehavior;
    var supportsScroll = supportsPushState &amp;&amp; expectScroll;

    if (supportsScroll) {
      this.listeners.push(setupScroll());
    }

    var handleRoutingEvent = function () {
      var current = this$1$1.current;
      if (!ensureSlash()) {
        return
      }
      this$1$1.transitionTo(getHash(), function (route) {
        if (supportsScroll) {
          handleScroll(this$1$1.router, route, current, true);
        }
        if (!supportsPushState) {
          replaceHash(route.fullPath);
        }
      });
    };
    var eventType = supportsPushState ? 'popstate' : 'hashchange';
    window.addEventListener(
      eventType,
      handleRoutingEvent
    );
    this.listeners.push(function () {
      window.removeEventListener(eventType, handleRoutingEvent);
    });
  };

  HashHistory.prototype.push = function push (location, onComplete, onAbort) {
    var this$1$1 = this;

    var ref = this;
    var fromRoute = ref.current;
    this.transitionTo(
      location,
      function (route) {
        pushHash(route.fullPath);
        handleScroll(this$1$1.router, route, fromRoute, false);
        onComplete &amp;&amp; onComplete(route);
      },
      onAbort
    );
  };

  HashHistory.prototype.replace = function replace (location, onComplete, onAbort) {
    var this$1$1 = this;

    var ref = this;
    var fromRoute = ref.current;
    this.transitionTo(
      location,
      function (route) {
        replaceHash(route.fullPath);
        handleScroll(this$1$1.router, route, fromRoute, false);
        onComplete &amp;&amp; onComplete(route);
      },
      onAbort
    );
  };

  HashHistory.prototype.go = function go (n) {
    window.history.go(n);
  };

  HashHistory.prototype.ensureURL = function ensureURL (push) {
    var current = this.current.fullPath;
    if (getHash() !== current) {
      push ? pushHash(current) : replaceHash(current);
    }
  };

  HashHistory.prototype.getCurrentLocation = function getCurrentLocation () {
    return getHash()
  };

  return HashHistory;
}(History));

function checkFallback (base) {
  var location = getLocation(base);
  if (!/^\/#/.test(location)) {
    window.location.replace(cleanPath(base + '/#' + location));
    return true
  }
}

function ensureSlash () {
  var path = getHash();
  if (path.charAt(0) === '/') {
    return true
  }
  replaceHash('/' + path);
  return false
}

function getHash () {
  // We can't use window.location.hash here because it's not
  // consistent across browsers - Firefox will pre-decode it!
  var href = window.location.href;
  var index = href.indexOf('#');
  // empty path
  if (index &lt; 0) { return '' }

  href = href.slice(index + 1);

  return href
}

function getUrl (path) {
  var href = window.location.href;
  var i = href.indexOf('#');
  var base = i &gt;= 0 ? href.slice(0, i) : href;
  return (base + "#" + path)
}

function pushHash (path) {
  if (supportsPushState) {
    pushState(getUrl(path));
  } else {
    window.location.hash = path;
  }
}

function replaceHash (path) {
  if (supportsPushState) {
    replaceState(getUrl(path));
  } else {
    window.location.replace(getUrl(path));
  }
}

/*  */

var AbstractHistory = /*@__PURE__*/(function (History) {
  function AbstractHistory (router, base) {
    History.call(this, router, base);
    this.stack = [];
    this.index = -1;
  }

  if ( History ) AbstractHistory.__proto__ = History;
  AbstractHistory.prototype = Object.create( History &amp;&amp; History.prototype );
  AbstractHistory.prototype.constructor = AbstractHistory;

  AbstractHistory.prototype.push = function push (location, onComplete, onAbort) {
    var this$1$1 = this;

    this.transitionTo(
      location,
      function (route) {
        this$1$1.stack = this$1$1.stack.slice(0, this$1$1.index + 1).concat(route);
        this$1$1.index++;
        onComplete &amp;&amp; onComplete(route);
      },
      onAbort
    );
  };

  AbstractHistory.prototype.replace = function replace (location, onComplete, onAbort) {
    var this$1$1 = this;

    this.transitionTo(
      location,
      function (route) {
        this$1$1.stack = this$1$1.stack.slice(0, this$1$1.index).concat(route);
        onComplete &amp;&amp; onComplete(route);
      },
      onAbort
    );
  };

  AbstractHistory.prototype.go = function go (n) {
    var this$1$1 = this;

    var targetIndex = this.index + n;
    if (targetIndex &lt; 0 || targetIndex &gt;= this.stack.length) {
      return
    }
    var route = this.stack[targetIndex];
    this.confirmTransition(
      route,
      function () {
        var prev = this$1$1.current;
        this$1$1.index = targetIndex;
        this$1$1.updateRoute(route);
        this$1$1.router.afterHooks.forEach(function (hook) {
          hook &amp;&amp; hook(route, prev);
        });
      },
      function (err) {
        if (isNavigationFailure(err, NavigationFailureType.duplicated)) {
          this$1$1.index = targetIndex;
        }
      }
    );
  };

  AbstractHistory.prototype.getCurrentLocation = function getCurrentLocation () {
    var current = this.stack[this.stack.length - 1];
    return current ? current.fullPath : '/'
  };

  AbstractHistory.prototype.ensureURL = function ensureURL () {
    // noop
  };

  return AbstractHistory;
}(History));

/*  */



var VueRouter = function VueRouter (options) {
  if ( options === void 0 ) options = {};

  if (true) {
    warn(this instanceof VueRouter, "Router must be called with the new operator.");
  }
  this.app = null;
  this.apps = [];
  this.options = options;
  this.beforeHooks = [];
  this.resolveHooks = [];
  this.afterHooks = [];
  this.matcher = createMatcher(options.routes || [], this);

  var mode = options.mode || 'hash';
  this.fallback =
    mode === 'history' &amp;&amp; !supportsPushState &amp;&amp; options.fallback !== false;
  if (this.fallback) {
    mode = 'hash';
  }
  if (!inBrowser) {
    mode = 'abstract';
  }
  this.mode = mode;

  switch (mode) {
    case 'history':
      this.history = new HTML5History(this, options.base);
      break
    case 'hash':
      this.history = new HashHistory(this, options.base, this.fallback);
      break
    case 'abstract':
      this.history = new AbstractHistory(this, options.base);
      break
    default:
      if (true) {
        assert(false, ("invalid mode: " + mode));
      }
  }
};

var prototypeAccessors = { currentRoute: { configurable: true } };

VueRouter.prototype.match = function match (raw, current, redirectedFrom) {
  return this.matcher.match(raw, current, redirectedFrom)
};

prototypeAccessors.currentRoute.get = function () {
  return this.history &amp;&amp; this.history.current
};

VueRouter.prototype.init = function init (app /* Vue component instance */) {
    var this$1$1 = this;

   true &amp;&amp;
    assert(
      install.installed,
      "not installed. Make sure to call `Vue.use(VueRouter)` " +
        "before creating root instance."
    );

  this.apps.push(app);

  // set up app destroyed handler
  // https://github.com/vuejs/vue-router/issues/2639
  app.$once('hook:destroyed', function () {
    // clean out app from this.apps array once destroyed
    var index = this$1$1.apps.indexOf(app);
    if (index &gt; -1) { this$1$1.apps.splice(index, 1); }
    // ensure we still have a main app or null if no apps
    // we do not release the router so it can be reused
    if (this$1$1.app === app) { this$1$1.app = this$1$1.apps[0] || null; }

    if (!this$1$1.app) { this$1$1.history.teardown(); }
  });

  // main app previously initialized
  // return as we don't need to set up new history listener
  if (this.app) {
    return
  }

  this.app = app;

  var history = this.history;

  if (history instanceof HTML5History || history instanceof HashHistory) {
    var handleInitialScroll = function (routeOrError) {
      var from = history.current;
      var expectScroll = this$1$1.options.scrollBehavior;
      var supportsScroll = supportsPushState &amp;&amp; expectScroll;

      if (supportsScroll &amp;&amp; 'fullPath' in routeOrError) {
        handleScroll(this$1$1, routeOrError, from, false);
      }
    };
    var setupListeners = function (routeOrError) {
      history.setupListeners();
      handleInitialScroll(routeOrError);
    };
    history.transitionTo(
      history.getCurrentLocation(),
      setupListeners,
      setupListeners
    );
  }

  history.listen(function (route) {
    this$1$1.apps.forEach(function (app) {
      app._route = route;
    });
  });
};

VueRouter.prototype.beforeEach = function beforeEach (fn) {
  return registerHook(this.beforeHooks, fn)
};

VueRouter.prototype.beforeResolve = function beforeResolve (fn) {
  return registerHook(this.resolveHooks, fn)
};

VueRouter.prototype.afterEach = function afterEach (fn) {
  return registerHook(this.afterHooks, fn)
};

VueRouter.prototype.onReady = function onReady (cb, errorCb) {
  this.history.onReady(cb, errorCb);
};

VueRouter.prototype.onError = function onError (errorCb) {
  this.history.onError(errorCb);
};

VueRouter.prototype.push = function push (location, onComplete, onAbort) {
    var this$1$1 = this;

  // $flow-disable-line
  if (!onComplete &amp;&amp; !onAbort &amp;&amp; typeof Promise !== 'undefined') {
    return new Promise(function (resolve, reject) {
      this$1$1.history.push(location, resolve, reject);
    })
  } else {
    this.history.push(location, onComplete, onAbort);
  }
};

VueRouter.prototype.replace = function replace (location, onComplete, onAbort) {
    var this$1$1 = this;

  // $flow-disable-line
  if (!onComplete &amp;&amp; !onAbort &amp;&amp; typeof Promise !== 'undefined') {
    return new Promise(function (resolve, reject) {
      this$1$1.history.replace(location, resolve, reject);
    })
  } else {
    this.history.replace(location, onComplete, onAbort);
  }
};

VueRouter.prototype.go = function go (n) {
  this.history.go(n);
};

VueRouter.prototype.back = function back () {
  this.go(-1);
};

VueRouter.prototype.forward = function forward () {
  this.go(1);
};

VueRouter.prototype.getMatchedComponents = function getMatchedComponents (to) {
  var route = to
    ? to.matched
      ? to
      : this.resolve(to).route
    : this.currentRoute;
  if (!route) {
    return []
  }
  return [].concat.apply(
    [],
    route.matched.map(function (m) {
      return Object.keys(m.components).map(function (key) {
        return m.components[key]
      })
    })
  )
};

VueRouter.prototype.resolve = function resolve (
  to,
  current,
  append
) {
  current = current || this.history.current;
  var location = normalizeLocation(to, current, append, this);
  var route = this.match(location, current);
  var fullPath = route.redirectedFrom || route.fullPath;
  var base = this.history.base;
  var href = createHref(base, fullPath, this.mode);
  return {
    location: location,
    route: route,
    href: href,
    // for backwards compat
    normalizedTo: location,
    resolved: route
  }
};

VueRouter.prototype.getRoutes = function getRoutes () {
  return this.matcher.getRoutes()
};

VueRouter.prototype.addRoute = function addRoute (parentOrRoute, route) {
  this.matcher.addRoute(parentOrRoute, route);
  if (this.history.current !== START) {
    this.history.transitionTo(this.history.getCurrentLocation());
  }
};

VueRouter.prototype.addRoutes = function addRoutes (routes) {
  if (true) {
    warn(false, 'router.addRoutes() is deprecated and has been removed in Vue Router 4. Use router.addRoute() instead.');
  }
  this.matcher.addRoutes(routes);
  if (this.history.current !== START) {
    this.history.transitionTo(this.history.getCurrentLocation());
  }
};

Object.defineProperties( VueRouter.prototype, prototypeAccessors );

var VueRouter$1 = VueRouter;

function registerHook (list, fn) {
  list.push(fn);
  return function () {
    var i = list.indexOf(fn);
    if (i &gt; -1) { list.splice(i, 1); }
  }
}

function createHref (base, fullPath, mode) {
  var path = mode === 'hash' ? '#' + fullPath : fullPath;
  return base ? cleanPath(base + '/' + path) : path
}

// We cannot remove this as it would be a breaking change
VueRouter.install = install;
VueRouter.version = '3.6.5';
VueRouter.isNavigationFailure = isNavigationFailure;
VueRouter.NavigationFailureType = NavigationFailureType;
VueRouter.START_LOCATION = START;

if (inBrowser &amp;&amp; window.Vue) {
  window.Vue.use(VueRouter);
}

var version = '3.6.5';




/***/ }),

/***/ "./node_modules/vue-select/dist/vue-select.js":
/*!****************************************************!*\
  !*** ./node_modules/vue-select/dist/vue-select.js ***!
  \****************************************************/
/***/ (function(module) {

!function(e,t){ true?module.exports=t():0}("undefined"!=typeof self?self:this,(function(){return(()=&gt;{var e={646:e=&gt;{e.exports=function(e){if(Array.isArray(e)){for(var t=0,n=new Array(e.length);t&lt;e.length;t++)n[t]=e[t];return n}}},713:e=&gt;{e.exports=function(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}},860:e=&gt;{e.exports=function(e){if(Symbol.iterator in Object(e)||"[object Arguments]"===Object.prototype.toString.call(e))return Array.from(e)}},206:e=&gt;{e.exports=function(){throw new TypeError("Invalid attempt to spread non-iterable instance")}},319:(e,t,n)=&gt;{var o=n(646),i=n(860),s=n(206);e.exports=function(e){return o(e)||i(e)||s()}},8:e=&gt;{function t(n){return"function"==typeof Symbol&amp;&amp;"symbol"==typeof Symbol.iterator?e.exports=t=function(e){return typeof e}:e.exports=t=function(e){return e&amp;&amp;"function"==typeof Symbol&amp;&amp;e.constructor===Symbol&amp;&amp;e!==Symbol.prototype?"symbol":typeof e},t(n)}e.exports=t}},t={};function n(o){var i=t[o];if(void 0!==i)return i.exports;var s=t[o]={exports:{}};return e[o](s,s.exports,n),s.exports}n.n=e=&gt;{var t=e&amp;&amp;e.__esModule?()=&gt;e.default:()=&gt;e;return n.d(t,{a:t}),t},n.d=(e,t)=&gt;{for(var o in t)n.o(t,o)&amp;&amp;!n.o(e,o)&amp;&amp;Object.defineProperty(e,o,{enumerable:!0,get:t[o]})},n.o=(e,t)=&gt;Object.prototype.hasOwnProperty.call(e,t),n.r=e=&gt;{"undefined"!=typeof Symbol&amp;&amp;Symbol.toStringTag&amp;&amp;Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})};var o={};return(()=&gt;{"use strict";n.r(o),n.d(o,{VueSelect:()=&gt;m,default:()=&gt;O,mixins:()=&gt;_});var e=n(319),t=n.n(e),i=n(8),s=n.n(i),r=n(713),a=n.n(r);const l={props:{autoscroll:{type:Boolean,default:!0}},watch:{typeAheadPointer:function(){this.autoscroll&amp;&amp;this.maybeAdjustScroll()},open:function(e){var t=this;this.autoscroll&amp;&amp;e&amp;&amp;this.$nextTick((function(){return t.maybeAdjustScroll()}))}},methods:{maybeAdjustScroll:function(){var e,t=(null===(e=this.$refs.dropdownMenu)||void 0===e?void 0:e.children[this.typeAheadPointer])||!1;if(t){var n=this.getDropdownViewport(),o=t.getBoundingClientRect(),i=o.top,s=o.bottom,r=o.height;if(i&lt;n.top)return this.$refs.dropdownMenu.scrollTop=t.offsetTop;if(s&gt;n.bottom)return this.$refs.dropdownMenu.scrollTop=t.offsetTop-(n.height-r)}},getDropdownViewport:function(){return this.$refs.dropdownMenu?this.$refs.dropdownMenu.getBoundingClientRect():{height:0,top:0,bottom:0}}}},c={data:function(){return{typeAheadPointer:-1}},watch:{filteredOptions:function(){for(var e=0;e&lt;this.filteredOptions.length;e++)if(this.selectable(this.filteredOptions[e])){this.typeAheadPointer=e;break}},open:function(e){e&amp;&amp;this.typeAheadToLastSelected()},selectedValue:function(){this.open&amp;&amp;this.typeAheadToLastSelected()}},methods:{typeAheadUp:function(){for(var e=this.typeAheadPointer-1;e&gt;=0;e--)if(this.selectable(this.filteredOptions[e])){this.typeAheadPointer=e;break}},typeAheadDown:function(){for(var e=this.typeAheadPointer+1;e&lt;this.filteredOptions.length;e++)if(this.selectable(this.filteredOptions[e])){this.typeAheadPointer=e;break}},typeAheadSelect:function(){var e=this.filteredOptions[this.typeAheadPointer];e&amp;&amp;this.selectable(e)&amp;&amp;this.select(e)},typeAheadToLastSelected:function(){var e=0!==this.selectedValue.length?this.filteredOptions.indexOf(this.selectedValue[this.selectedValue.length-1]):-1;-1!==e&amp;&amp;(this.typeAheadPointer=e)}}},u={props:{loading:{type:Boolean,default:!1}},data:function(){return{mutableLoading:!1}},watch:{search:function(){this.$emit("search",this.search,this.toggleLoading)},loading:function(e){this.mutableLoading=e}},methods:{toggleLoading:function(){var e=arguments.length&gt;0&amp;&amp;void 0!==arguments[0]?arguments[0]:null;return this.mutableLoading=null==e?!this.mutableLoading:e}}};function p(e,t,n,o,i,s,r,a){var l,c="function"==typeof e?e.options:e;if(t&amp;&amp;(c.render=t,c.staticRenderFns=n,c._compiled=!0),o&amp;&amp;(c.functional=!0),s&amp;&amp;(c._scopeId="data-v-"+s),r?(l=function(e){(e=e||this.$vnode&amp;&amp;this.$vnode.ssrContext||this.parent&amp;&amp;this.parent.$vnode&amp;&amp;this.parent.$vnode.ssrContext)||"undefined"==typeof __VUE_SSR_CONTEXT__||(e=__VUE_SSR_CONTEXT__),i&amp;&amp;i.call(this,e),e&amp;&amp;e._registeredComponents&amp;&amp;e._registeredComponents.add(r)},c._ssrRegister=l):i&amp;&amp;(l=a?function(){i.call(this,(c.functional?this.parent:this).$root.$options.shadowRoot)}:i),l)if(c.functional){c._injectStyles=l;var u=c.render;c.render=function(e,t){return l.call(t),u(e,t)}}else{var p=c.beforeCreate;c.beforeCreate=p?[].concat(p,l):[l]}return{exports:e,options:c}}const h={Deselect:p({},(function(){var e=this.$createElement,t=this._self._c||e;return t("svg",{attrs:{xmlns:"http://www.w3.org/2000/svg",width:"10",height:"10"}},[t("path",{attrs:{d:"M6.895455 5l2.842897-2.842898c.348864-.348863.348864-.914488 0-1.263636L9.106534.261648c-.348864-.348864-.914489-.348864-1.263636 0L5 3.104545 2.157102.261648c-.348863-.348864-.914488-.348864-1.263636 0L.261648.893466c-.348864.348864-.348864.914489 0 1.263636L3.104545 5 .261648 7.842898c-.348864.348863-.348864.914488 0 1.263636l.631818.631818c.348864.348864.914773.348864 1.263636 0L5 6.895455l2.842898 2.842897c.348863.348864.914772.348864 1.263636 0l.631818-.631818c.348864-.348864.348864-.914489 0-1.263636L6.895455 5z"}})])}),[],!1,null,null,null).exports,OpenIndicator:p({},(function(){var e=this.$createElement,t=this._self._c||e;return t("svg",{attrs:{xmlns:"http://www.w3.org/2000/svg",width:"14",height:"10"}},[t("path",{attrs:{d:"M9.211364 7.59931l4.48338-4.867229c.407008-.441854.407008-1.158247 0-1.60046l-.73712-.80023c-.407008-.441854-1.066904-.441854-1.474243 0L7 5.198617 2.51662.33139c-.407008-.441853-1.066904-.441853-1.474243 0l-.737121.80023c-.407008.441854-.407008 1.158248 0 1.600461l4.48338 4.867228L7 10l2.211364-2.40069z"}})])}),[],!1,null,null,null).exports},d={inserted:function(e,t,n){var o=n.context;if(o.appendToBody){var i=o.$refs.toggle.getBoundingClientRect(),s=i.height,r=i.top,a=i.left,l=i.width,c=window.scrollX||window.pageXOffset,u=window.scrollY||window.pageYOffset;e.unbindPosition=o.calculatePosition(e,o,{width:l+"px",left:c+a+"px",top:u+r+s+"px"}),document.body.appendChild(e)}},unbind:function(e,t,n){n.context.appendToBody&amp;&amp;(e.unbindPosition&amp;&amp;"function"==typeof e.unbindPosition&amp;&amp;e.unbindPosition(),e.parentNode&amp;&amp;e.parentNode.removeChild(e))}};const f=function(e){var t={};return Object.keys(e).sort().forEach((function(n){t[n]=e[n]})),JSON.stringify(t)};var y=0;const g=function(){return++y};function b(e,t){var n=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&amp;&amp;(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),n.push.apply(n,o)}return n}function v(e){for(var t=1;t&lt;arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{};t%2?b(Object(n),!0).forEach((function(t){a()(e,t,n[t])})):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(n)):b(Object(n)).forEach((function(t){Object.defineProperty(e,t,Object.getOwnPropertyDescriptor(n,t))}))}return e}const m=p({components:v({},h),directives:{appendToBody:d},mixins:[l,c,u],props:{value:{},components:{type:Object,default:function(){return{}}},options:{type:Array,default:function(){return[]}},disabled:{type:Boolean,default:!1},clearable:{type:Boolean,default:!0},deselectFromDropdown:{type:Boolean,default:!1},searchable:{type:Boolean,default:!0},multiple:{type:Boolean,default:!1},placeholder:{type:String,default:""},transition:{type:String,default:"vs__fade"},clearSearchOnSelect:{type:Boolean,default:!0},closeOnSelect:{type:Boolean,default:!0},label:{type:String,default:"label"},autocomplete:{type:String,default:"off"},reduce:{type:Function,default:function(e){return e}},selectable:{type:Function,default:function(e){return!0}},getOptionLabel:{type:Function,default:function(e){return"object"===s()(e)?e.hasOwnProperty(this.label)?e[this.label]:console.warn('[vue-select warn]: Label key "option.'.concat(this.label,'" does not')+" exist in options object ".concat(JSON.stringify(e),".\n")+"https://vue-select.org/api/props.html#getoptionlabel"):e}},getOptionKey:{type:Function,default:function(e){if("object"!==s()(e))return e;try{return e.hasOwnProperty("id")?e.id:f(e)}catch(t){return console.warn("[vue-select warn]: Could not stringify this option to generate unique key. Please provide'getOptionKey' prop to return a unique key for each option.\nhttps://vue-select.org/api/props.html#getoptionkey",e,t)}}},onTab:{type:Function,default:function(){this.selectOnTab&amp;&amp;!this.isComposing&amp;&amp;this.typeAheadSelect()}},taggable:{type:Boolean,default:!1},tabindex:{type:Number,default:null},pushTags:{type:Boolean,default:!1},filterable:{type:Boolean,default:!0},filterBy:{type:Function,default:function(e,t,n){return(t||"").toLocaleLowerCase().indexOf(n.toLocaleLowerCase())&gt;-1}},filter:{type:Function,default:function(e,t){var n=this;return e.filter((function(e){var o=n.getOptionLabel(e);return"number"==typeof o&amp;&amp;(o=o.toString()),n.filterBy(e,o,t)}))}},createOption:{type:Function,default:function(e){return"object"===s()(this.optionList[0])?a()({},this.label,e):e}},resetOnOptionsChange:{default:!1,validator:function(e){return["function","boolean"].includes(s()(e))}},clearSearchOnBlur:{type:Function,default:function(e){var t=e.clearSearchOnSelect,n=e.multiple;return t&amp;&amp;!n}},noDrop:{type:Boolean,default:!1},inputId:{type:String},dir:{type:String,default:"auto"},selectOnTab:{type:Boolean,default:!1},selectOnKeyCodes:{type:Array,default:function(){return[13]}},searchInputQuerySelector:{type:String,default:"[type=search]"},mapKeydown:{type:Function,default:function(e,t){return e}},appendToBody:{type:Boolean,default:!1},calculatePosition:{type:Function,default:function(e,t,n){var o=n.width,i=n.top,s=n.left;e.style.top=i,e.style.left=s,e.style.width=o}},dropdownShouldOpen:{type:Function,default:function(e){var t=e.noDrop,n=e.open,o=e.mutableLoading;return!t&amp;&amp;(n&amp;&amp;!o)}},uid:{type:[String,Number],default:function(){return g()}}},data:function(){return{search:"",open:!1,isComposing:!1,pushedTags:[],_value:[]}},computed:{isTrackingValues:function(){return void 0===this.value||this.$options.propsData.hasOwnProperty("reduce")},selectedValue:function(){var e=this.value;return this.isTrackingValues&amp;&amp;(e=this.$data._value),null!=e&amp;&amp;""!==e?[].concat(e):[]},optionList:function(){return this.options.concat(this.pushTags?this.pushedTags:[])},searchEl:function(){return this.$scopedSlots.search?this.$refs.selectedOptions.querySelector(this.searchInputQuerySelector):this.$refs.search},scope:function(){var e=this,t={search:this.search,loading:this.loading,searching:this.searching,filteredOptions:this.filteredOptions};return{search:{attributes:v({disabled:this.disabled,placeholder:this.searchPlaceholder,tabindex:this.tabindex,readonly:!this.searchable,id:this.inputId,"aria-autocomplete":"list","aria-labelledby":"vs".concat(this.uid,"__combobox"),"aria-controls":"vs".concat(this.uid,"__listbox"),ref:"search",type:"search",autocomplete:this.autocomplete,value:this.search},this.dropdownOpen&amp;&amp;this.filteredOptions[this.typeAheadPointer]?{"aria-activedescendant":"vs".concat(this.uid,"__option-").concat(this.typeAheadPointer)}:{}),events:{compositionstart:function(){return e.isComposing=!0},compositionend:function(){return e.isComposing=!1},keydown:this.onSearchKeyDown,keypress:this.onSearchKeyPress,blur:this.onSearchBlur,focus:this.onSearchFocus,input:function(t){return e.search=t.target.value}}},spinner:{loading:this.mutableLoading},noOptions:{search:this.search,loading:this.mutableLoading,searching:this.searching},openIndicator:{attributes:{ref:"openIndicator",role:"presentation",class:"vs__open-indicator"}},listHeader:t,listFooter:t,header:v({},t,{deselect:this.deselect}),footer:v({},t,{deselect:this.deselect})}},childComponents:function(){return v({},h,{},this.components)},stateClasses:function(){return{"vs--open":this.dropdownOpen,"vs--single":!this.multiple,"vs--multiple":this.multiple,"vs--searching":this.searching&amp;&amp;!this.noDrop,"vs--searchable":this.searchable&amp;&amp;!this.noDrop,"vs--unsearchable":!this.searchable,"vs--loading":this.mutableLoading,"vs--disabled":this.disabled}},searching:function(){return!!this.search},dropdownOpen:function(){return this.dropdownShouldOpen(this)},searchPlaceholder:function(){return this.isValueEmpty&amp;&amp;this.placeholder?this.placeholder:void 0},filteredOptions:function(){var e=[].concat(this.optionList);if(!this.filterable&amp;&amp;!this.taggable)return e;var t=this.search.length?this.filter(e,this.search,this):e;if(this.taggable&amp;&amp;this.search.length){var n=this.createOption(this.search);this.optionExists(n)||t.unshift(n)}return t},isValueEmpty:function(){return 0===this.selectedValue.length},showClearButton:function(){return!this.multiple&amp;&amp;this.clearable&amp;&amp;!this.open&amp;&amp;!this.isValueEmpty}},watch:{options:function(e,t){var n=this;!this.taggable&amp;&amp;("function"==typeof n.resetOnOptionsChange?n.resetOnOptionsChange(e,t,n.selectedValue):n.resetOnOptionsChange)&amp;&amp;this.clearSelection(),this.value&amp;&amp;this.isTrackingValues&amp;&amp;this.setInternalValueFromOptions(this.value)},value:{immediate:!0,handler:function(e){this.isTrackingValues&amp;&amp;this.setInternalValueFromOptions(e)}},multiple:function(){this.clearSelection()},open:function(e){this.$emit(e?"open":"close")},search:function(e){e.length&amp;&amp;(this.open=!0)}},created:function(){this.mutableLoading=this.loading,this.$on("option:created",this.pushTag)},methods:{setInternalValueFromOptions:function(e){var t=this;Array.isArray(e)?this.$data._value=e.map((function(e){return t.findOptionFromReducedValue(e)})):this.$data._value=this.findOptionFromReducedValue(e)},select:function(e){this.$emit("option:selecting",e),this.isOptionSelected(e)?this.deselectFromDropdown&amp;&amp;(this.clearable||this.multiple&amp;&amp;this.selectedValue.length&gt;1)&amp;&amp;this.deselect(e):(this.taggable&amp;&amp;!this.optionExists(e)&amp;&amp;this.$emit("option:created",e),this.multiple&amp;&amp;(e=this.selectedValue.concat(e)),this.updateValue(e),this.$emit("option:selected",e)),this.onAfterSelect(e)},deselect:function(e){var t=this;this.$emit("option:deselecting",e),this.updateValue(this.selectedValue.filter((function(n){return!t.optionComparator(n,e)}))),this.$emit("option:deselected",e)},clearSelection:function(){this.updateValue(this.multiple?[]:null)},onAfterSelect:function(e){var t=this;this.closeOnSelect&amp;&amp;(this.open=!this.open),this.clearSearchOnSelect&amp;&amp;(this.search=""),this.noDrop&amp;&amp;this.multiple&amp;&amp;this.$nextTick((function(){return t.$refs.search.focus()}))},updateValue:function(e){var t=this;void 0===this.value&amp;&amp;(this.$data._value=e),null!==e&amp;&amp;(e=Array.isArray(e)?e.map((function(e){return t.reduce(e)})):this.reduce(e)),this.$emit("input",e)},toggleDropdown:function(e){var n=e.target!==this.searchEl;n&amp;&amp;e.preventDefault();var o=[].concat(t()(this.$refs.deselectButtons||[]),t()([this.$refs.clearButton]||0));void 0===this.searchEl||o.filter(Boolean).some((function(t){return t.contains(e.target)||t===e.target}))?e.preventDefault():this.open&amp;&amp;n?this.searchEl.blur():this.disabled||(this.open=!0,this.searchEl.focus())},isOptionSelected:function(e){var t=this;return this.selectedValue.some((function(n){return t.optionComparator(n,e)}))},isOptionDeselectable:function(e){return this.isOptionSelected(e)&amp;&amp;this.deselectFromDropdown},optionComparator:function(e,t){return this.getOptionKey(e)===this.getOptionKey(t)},findOptionFromReducedValue:function(e){var n=this,o=[].concat(t()(this.options),t()(this.pushedTags)).filter((function(t){return JSON.stringify(n.reduce(t))===JSON.stringify(e)}));return 1===o.length?o[0]:o.find((function(e){return n.optionComparator(e,n.$data._value)}))||e},closeSearchOptions:function(){this.open=!1,this.$emit("search:blur")},maybeDeleteValue:function(){if(!this.searchEl.value.length&amp;&amp;this.selectedValue&amp;&amp;this.selectedValue.length&amp;&amp;this.clearable){var e=null;this.multiple&amp;&amp;(e=t()(this.selectedValue.slice(0,this.selectedValue.length-1))),this.updateValue(e)}},optionExists:function(e){var t=this;return this.optionList.some((function(n){return t.optionComparator(n,e)}))},normalizeOptionForSlot:function(e){return"object"===s()(e)?e:a()({},this.label,e)},pushTag:function(e){this.pushedTags.push(e)},onEscape:function(){this.search.length?this.search="":this.open=!1},onSearchBlur:function(){if(!this.mousedown||this.searching){var e=this.clearSearchOnSelect,t=this.multiple;return this.clearSearchOnBlur({clearSearchOnSelect:e,multiple:t})&amp;&amp;(this.search=""),void this.closeSearchOptions()}this.mousedown=!1,0!==this.search.length||0!==this.options.length||this.closeSearchOptions()},onSearchFocus:function(){this.open=!0,this.$emit("search:focus")},onMousedown:function(){this.mousedown=!0},onMouseUp:function(){this.mousedown=!1},onSearchKeyDown:function(e){var t=this,n=function(e){return e.preventDefault(),!t.isComposing&amp;&amp;t.typeAheadSelect()},o={8:function(e){return t.maybeDeleteValue()},9:function(e){return t.onTab()},27:function(e){return t.onEscape()},38:function(e){if(e.preventDefault(),t.open)return t.typeAheadUp();t.open=!0},40:function(e){if(e.preventDefault(),t.open)return t.typeAheadDown();t.open=!0}};this.selectOnKeyCodes.forEach((function(e){return o[e]=n}));var i=this.mapKeydown(o,this);if("function"==typeof i[e.keyCode])return i[e.keyCode](e)},onSearchKeyPress:function(e){this.open||32!==e.keyCode||(e.preventDefault(),this.open=!0)}}},(function(){var e=this,t=e.$createElement,n=e._self._c||t;return n("div",{staticClass:"v-select",class:e.stateClasses,attrs:{dir:e.dir}},[e._t("header",null,null,e.scope.header),e._v(" "),n("div",{ref:"toggle",staticClass:"vs__dropdown-toggle",attrs:{id:"vs"+e.uid+"__combobox",role:"combobox","aria-expanded":e.dropdownOpen.toString(),"aria-owns":"vs"+e.uid+"__listbox","aria-label":"Search for option"},on:{mousedown:function(t){return e.toggleDropdown(t)}}},[n("div",{ref:"selectedOptions",staticClass:"vs__selected-options"},[e._l(e.selectedValue,(function(t){return e._t("selected-option-container",[n("span",{key:e.getOptionKey(t),staticClass:"vs__selected"},[e._t("selected-option",[e._v("\n            "+e._s(e.getOptionLabel(t))+"\n          ")],null,e.normalizeOptionForSlot(t)),e._v(" "),e.multiple?n("button",{ref:"deselectButtons",refInFor:!0,staticClass:"vs__deselect",attrs:{disabled:e.disabled,type:"button",title:"Deselect "+e.getOptionLabel(t),"aria-label":"Deselect "+e.getOptionLabel(t)},on:{click:function(n){return e.deselect(t)}}},[n(e.childComponents.Deselect,{tag:"component"})],1):e._e()],2)],{option:e.normalizeOptionForSlot(t),deselect:e.deselect,multiple:e.multiple,disabled:e.disabled})})),e._v(" "),e._t("search",[n("input",e._g(e._b({staticClass:"vs__search"},"input",e.scope.search.attributes,!1),e.scope.search.events))],null,e.scope.search)],2),e._v(" "),n("div",{ref:"actions",staticClass:"vs__actions"},[n("button",{directives:[{name:"show",rawName:"v-show",value:e.showClearButton,expression:"showClearButton"}],ref:"clearButton",staticClass:"vs__clear",attrs:{disabled:e.disabled,type:"button",title:"Clear Selected","aria-label":"Clear Selected"},on:{click:e.clearSelection}},[n(e.childComponents.Deselect,{tag:"component"})],1),e._v(" "),e._t("open-indicator",[e.noDrop?e._e():n(e.childComponents.OpenIndicator,e._b({tag:"component"},"component",e.scope.openIndicator.attributes,!1))],null,e.scope.openIndicator),e._v(" "),e._t("spinner",[n("div",{directives:[{name:"show",rawName:"v-show",value:e.mutableLoading,expression:"mutableLoading"}],staticClass:"vs__spinner"},[e._v("Loading...")])],null,e.scope.spinner)],2)]),e._v(" "),n("transition",{attrs:{name:e.transition}},[e.dropdownOpen?n("ul",{directives:[{name:"append-to-body",rawName:"v-append-to-body"}],key:"vs"+e.uid+"__listbox",ref:"dropdownMenu",staticClass:"vs__dropdown-menu",attrs:{id:"vs"+e.uid+"__listbox",role:"listbox",tabindex:"-1"},on:{mousedown:function(t){return t.preventDefault(),e.onMousedown(t)},mouseup:e.onMouseUp}},[e._t("list-header",null,null,e.scope.listHeader),e._v(" "),e._l(e.filteredOptions,(function(t,o){return n("li",{key:e.getOptionKey(t),staticClass:"vs__dropdown-option",class:{"vs__dropdown-option--deselect":e.isOptionDeselectable(t)&amp;&amp;o===e.typeAheadPointer,"vs__dropdown-option--selected":e.isOptionSelected(t),"vs__dropdown-option--highlight":o===e.typeAheadPointer,"vs__dropdown-option--disabled":!e.selectable(t)},attrs:{id:"vs"+e.uid+"__option-"+o,role:"option","aria-selected":o===e.typeAheadPointer||null},on:{mouseover:function(n){e.selectable(t)&amp;&amp;(e.typeAheadPointer=o)},click:function(n){n.preventDefault(),n.stopPropagation(),e.selectable(t)&amp;&amp;e.select(t)}}},[e._t("option",[e._v("\n          "+e._s(e.getOptionLabel(t))+"\n        ")],null,e.normalizeOptionForSlot(t))],2)})),e._v(" "),0===e.filteredOptions.length?n("li",{staticClass:"vs__no-options"},[e._t("no-options",[e._v("\n          Sorry, no matching options.\n        ")],null,e.scope.noOptions)],2):e._e(),e._v(" "),e._t("list-footer",null,null,e.scope.listFooter)],2):n("ul",{staticStyle:{display:"none",visibility:"hidden"},attrs:{id:"vs"+e.uid+"__listbox",role:"listbox"}})]),e._v(" "),e._t("footer",null,null,e.scope.footer)],2)}),[],!1,null,null,null).exports,_={ajax:u,pointer:c,pointerScroll:l},O=m})(),o})()}));
//# sourceMappingURL=vue-select.js.map

/***/ }),

/***/ "./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js":
/*!*****************************************************************!*\
  !*** ./node_modules/vue-sweetalert2/dist/vue-sweetalert.umd.js ***!
  \*****************************************************************/
/***/ (function(module, __unused_webpack_exports, __webpack_require__) {

!function(t,e){ true?module.exports=e():0}(this,(function(){"use strict";var t="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:"undefined"!=typeof __webpack_require__.g?__webpack_require__.g:"undefined"!=typeof self?self:{},e={exports:{}};e.exports=function(){const t=t=&gt;{const e=[];for(let n=0;n&lt;t.length;n++)-1===e.indexOf(t[n])&amp;&amp;e.push(t[n]);return e},e=t=&gt;t.charAt(0).toUpperCase()+t.slice(1),n=t=&gt;Array.prototype.slice.call(t),o=t=&gt;{},i=t=&gt;{},s=[],r=t=&gt;{s.includes(t)||(s.push(t),o(t))},a=(t,e)=&gt;{r('"'.concat(t,'" is deprecated and will be removed in the next major release. Please use "').concat(e,'" instead.'))},c=t=&gt;"function"==typeof t?t():t,l=t=&gt;t&amp;&amp;"function"==typeof t.toPromise,u=t=&gt;l(t)?t.toPromise():Promise.resolve(t),d=t=&gt;t&amp;&amp;Promise.resolve(t)===t,p={title:"",titleText:"",text:"",html:"",footer:"",icon:void 0,iconColor:void 0,iconHtml:void 0,template:void 0,toast:!1,showClass:{popup:"swal2-show",backdrop:"swal2-backdrop-show",icon:"swal2-icon-show"},hideClass:{popup:"swal2-hide",backdrop:"swal2-backdrop-hide",icon:"swal2-icon-hide"},customClass:{},target:"body",color:void 0,backdrop:!0,heightAuto:!0,allowOutsideClick:!0,allowEscapeKey:!0,allowEnterKey:!0,stopKeydownPropagation:!0,keydownListenerCapture:!1,showConfirmButton:!0,showDenyButton:!1,showCancelButton:!1,preConfirm:void 0,preDeny:void 0,confirmButtonText:"OK",confirmButtonAriaLabel:"",confirmButtonColor:void 0,denyButtonText:"No",denyButtonAriaLabel:"",denyButtonColor:void 0,cancelButtonText:"Cancel",cancelButtonAriaLabel:"",cancelButtonColor:void 0,buttonsStyling:!0,reverseButtons:!1,focusConfirm:!0,focusDeny:!1,focusCancel:!1,returnFocus:!0,showCloseButton:!1,closeButtonHtml:"&amp;times;",closeButtonAriaLabel:"Close this dialog",loaderHtml:"",showLoaderOnConfirm:!1,showLoaderOnDeny:!1,imageUrl:void 0,imageWidth:void 0,imageHeight:void 0,imageAlt:"",timer:void 0,timerProgressBar:!1,width:void 0,padding:void 0,background:void 0,input:void 0,inputPlaceholder:"",inputLabel:"",inputValue:"",inputOptions:{},inputAutoTrim:!0,inputAttributes:{},inputValidator:void 0,returnInputValueOnDeny:!1,validationMessage:void 0,grow:!1,position:"center",progressSteps:[],currentProgressStep:void 0,progressStepsDistance:void 0,willOpen:void 0,didOpen:void 0,didRender:void 0,willClose:void 0,didClose:void 0,didDestroy:void 0,scrollbarPadding:!0},m=["allowEscapeKey","allowOutsideClick","background","buttonsStyling","cancelButtonAriaLabel","cancelButtonColor","cancelButtonText","closeButtonAriaLabel","closeButtonHtml","color","confirmButtonAriaLabel","confirmButtonColor","confirmButtonText","currentProgressStep","customClass","denyButtonAriaLabel","denyButtonColor","denyButtonText","didClose","didDestroy","footer","hideClass","html","icon","iconColor","iconHtml","imageAlt","imageHeight","imageUrl","imageWidth","preConfirm","preDeny","progressSteps","returnFocus","reverseButtons","showCancelButton","showCloseButton","showConfirmButton","showDenyButton","text","title","titleText","willClose"],g={},h=["allowOutsideClick","allowEnterKey","backdrop","focusConfirm","focusDeny","focusCancel","returnFocus","heightAuto","keydownListenerCapture"],f=t=&gt;Object.prototype.hasOwnProperty.call(p,t),b=t=&gt;-1!==m.indexOf(t),y=t=&gt;g[t],w=t=&gt;{f(t)||o('Unknown parameter "'.concat(t,'"'))},v=t=&gt;{h.includes(t)&amp;&amp;o('The parameter "'.concat(t,'" is incompatible with toasts'))},C=t=&gt;{y(t)&amp;&amp;a(t,y(t))},k=t=&gt;{!t.backdrop&amp;&amp;t.allowOutsideClick&amp;&amp;o('"allowOutsideClick" parameter requires `backdrop` parameter to be set to `true`');for(const e in t)w(e),t.toast&amp;&amp;v(e),C(e)},A="swal2-",P=t=&gt;{const e={};for(const n in t)e[t[n]]=A+t[n];return e},B=P(["container","shown","height-auto","iosfix","popup","modal","no-backdrop","no-transition","toast","toast-shown","show","hide","close","title","html-container","actions","confirm","deny","cancel","default-outline","footer","icon","icon-content","image","input","file","range","select","radio","checkbox","label","textarea","inputerror","input-label","validation-message","progress-steps","active-progress-step","progress-step","progress-step-line","loader","loading","styled","top","top-start","top-end","top-left","top-right","center","center-start","center-end","center-left","center-right","bottom","bottom-start","bottom-end","bottom-left","bottom-right","grow-row","grow-column","grow-fullscreen","rtl","timer-progress-bar","timer-progress-bar-container","scrollbar-measure","icon-success","icon-warning","icon-info","icon-question","icon-error"]),x=P(["success","warning","info","question","error"]),E=()=&gt;document.body.querySelector(".".concat(B.container)),T=t=&gt;{const e=E();return e?e.querySelector(t):null},S=t=&gt;T(".".concat(t)),O=()=&gt;S(B.popup),L=()=&gt;S(B.icon),j=()=&gt;S(B.title),M=()=&gt;S(B["html-container"]),D=()=&gt;S(B.image),I=()=&gt;S(B["progress-steps"]),H=()=&gt;S(B["validation-message"]),q=()=&gt;T(".".concat(B.actions," .").concat(B.confirm)),V=()=&gt;T(".".concat(B.actions," .").concat(B.deny)),N=()=&gt;S(B["input-label"]),R=()=&gt;T(".".concat(B.loader)),F=()=&gt;T(".".concat(B.actions," .").concat(B.cancel)),U=()=&gt;S(B.actions),W=()=&gt;S(B.footer),z=()=&gt;S(B["timer-progress-bar"]),_=()=&gt;S(B.close),K='\n  a[href],\n  area[href],\n  input:not([disabled]),\n  select:not([disabled]),\n  textarea:not([disabled]),\n  button:not([disabled]),\n  iframe,\n  object,\n  embed,\n  [tabindex="0"],\n  [contenteditable],\n  audio[controls],\n  video[controls],\n  summary\n',$=()=&gt;{const e=n(O().querySelectorAll('[tabindex]:not([tabindex="-1"]):not([tabindex="0"])')).sort(((t,e)=&gt;{const n=parseInt(t.getAttribute("tabindex")),o=parseInt(e.getAttribute("tabindex"));return n&gt;o?1:n&lt;o?-1:0})),o=n(O().querySelectorAll(K)).filter((t=&gt;"-1"!==t.getAttribute("tabindex")));return t(e.concat(o)).filter((t=&gt;mt(t)))},Y=()=&gt;!Q(document.body,B["toast-shown"])&amp;&amp;!Q(document.body,B["no-backdrop"]),Z=()=&gt;O()&amp;&amp;Q(O(),B.toast),J=()=&gt;O().hasAttribute("data-loading"),X={previousBodyPadding:null},G=(t,e)=&gt;{if(t.textContent="",e){const o=(new DOMParser).parseFromString(e,"text/html");n(o.querySelector("head").childNodes).forEach((e=&gt;{t.appendChild(e)})),n(o.querySelector("body").childNodes).forEach((e=&gt;{t.appendChild(e)}))}},Q=(t,e)=&gt;{if(!e)return!1;const n=e.split(/\s+/);for(let o=0;o&lt;n.length;o++)if(!t.classList.contains(n[o]))return!1;return!0},tt=(t,e)=&gt;{n(t.classList).forEach((n=&gt;{Object.values(B).includes(n)||Object.values(x).includes(n)||Object.values(e.showClass).includes(n)||t.classList.remove(n)}))},et=(t,e,n)=&gt;{if(tt(t,e),e.customClass&amp;&amp;e.customClass[n]){if("string"!=typeof e.customClass[n]&amp;&amp;!e.customClass[n].forEach)return o("Invalid type of customClass.".concat(n,'! Expected string or iterable object, got "').concat(typeof e.customClass[n],'"'));st(t,e.customClass[n])}},nt=(t,e)=&gt;{if(!e)return null;switch(e){case"select":case"textarea":case"file":return t.querySelector(".".concat(B.popup," &gt; .").concat(B[e]));case"checkbox":return t.querySelector(".".concat(B.popup," &gt; .").concat(B.checkbox," input"));case"radio":return t.querySelector(".".concat(B.popup," &gt; .").concat(B.radio," input:checked"))||t.querySelector(".".concat(B.popup," &gt; .").concat(B.radio," input:first-child"));case"range":return t.querySelector(".".concat(B.popup," &gt; .").concat(B.range," input"));default:return t.querySelector(".".concat(B.popup," &gt; .").concat(B.input))}},ot=t=&gt;{if(t.focus(),"file"!==t.type){const e=t.value;t.value="",t.value=e}},it=(t,e,n)=&gt;{t&amp;&amp;e&amp;&amp;("string"==typeof e&amp;&amp;(e=e.split(/\s+/).filter(Boolean)),e.forEach((e=&gt;{Array.isArray(t)?t.forEach((t=&gt;{n?t.classList.add(e):t.classList.remove(e)})):n?t.classList.add(e):t.classList.remove(e)})))},st=(t,e)=&gt;{it(t,e,!0)},rt=(t,e)=&gt;{it(t,e,!1)},at=(t,e)=&gt;{const o=n(t.childNodes);for(let n=0;n&lt;o.length;n++)if(Q(o[n],e))return o[n]},ct=(t,e,n)=&gt;{n==="".concat(parseInt(n))&amp;&amp;(n=parseInt(n)),n||0===parseInt(n)?t.style[e]="number"==typeof n?"".concat(n,"px"):n:t.style.removeProperty(e)},lt=function(t){let e=arguments.length&gt;1&amp;&amp;void 0!==arguments[1]?arguments[1]:"flex";t.style.display=e},ut=t=&gt;{t.style.display="none"},dt=(t,e,n,o)=&gt;{const i=t.querySelector(e);i&amp;&amp;(i.style[n]=o)},pt=(t,e,n)=&gt;{e?lt(t,n):ut(t)},mt=t=&gt;!(!t||!(t.offsetWidth||t.offsetHeight||t.getClientRects().length)),gt=()=&gt;!mt(q())&amp;&amp;!mt(V())&amp;&amp;!mt(F()),ht=t=&gt;!!(t.scrollHeight&gt;t.clientHeight),ft=t=&gt;{const e=window.getComputedStyle(t),n=parseFloat(e.getPropertyValue("animation-duration")||"0"),o=parseFloat(e.getPropertyValue("transition-duration")||"0");return n&gt;0||o&gt;0},bt=function(t){let e=arguments.length&gt;1&amp;&amp;void 0!==arguments[1]&amp;&amp;arguments[1];const n=z();mt(n)&amp;&amp;(e&amp;&amp;(n.style.transition="none",n.style.width="100%"),setTimeout((()=&gt;{n.style.transition="width ".concat(t/1e3,"s linear"),n.style.width="0%"}),10))},yt=()=&gt;{const t=z(),e=parseInt(window.getComputedStyle(t).width);t.style.removeProperty("transition"),t.style.width="100%";const n=e/parseInt(window.getComputedStyle(t).width)*100;t.style.removeProperty("transition"),t.style.width="".concat(n,"%")},wt=()=&gt;"undefined"==typeof window||"undefined"==typeof document,vt=100,Ct={},kt=()=&gt;{Ct.previousActiveElement&amp;&amp;Ct.previousActiveElement.focus?(Ct.previousActiveElement.focus(),Ct.previousActiveElement=null):document.body&amp;&amp;document.body.focus()},At=t=&gt;new Promise((e=&gt;{if(!t)return e();const n=window.scrollX,o=window.scrollY;Ct.restoreFocusTimeout=setTimeout((()=&gt;{kt(),e()}),vt),window.scrollTo(n,o)})),Pt='\n &lt;div aria-labelledby="'.concat(B.title,'" aria-describedby="').concat(B["html-container"],'" class="').concat(B.popup,'" tabindex="-1"&gt;\n   &lt;button type="button" class="').concat(B.close,'"&gt;&lt;/button&gt;\n   &lt;ul class="').concat(B["progress-steps"],'"&gt;&lt;/ul&gt;\n   &lt;div class="').concat(B.icon,'"&gt;&lt;/div&gt;\n   &lt;img class="').concat(B.image,'" /&gt;\n   &lt;h2 class="').concat(B.title,'" id="').concat(B.title,'"&gt;&lt;/h2&gt;\n   &lt;div class="').concat(B["html-container"],'" id="').concat(B["html-container"],'"&gt;&lt;/div&gt;\n   &lt;input class="').concat(B.input,'" /&gt;\n   &lt;input type="file" class="').concat(B.file,'" /&gt;\n   &lt;div class="').concat(B.range,'"&gt;\n     &lt;input type="range" /&gt;\n     &lt;output&gt;&lt;/output&gt;\n   &lt;/div&gt;\n   &lt;select class="').concat(B.select,'"&gt;&lt;/select&gt;\n   &lt;div class="').concat(B.radio,'"&gt;&lt;/div&gt;\n   &lt;label for="').concat(B.checkbox,'" class="').concat(B.checkbox,'"&gt;\n     &lt;input type="checkbox" /&gt;\n     &lt;span class="').concat(B.label,'"&gt;&lt;/span&gt;\n   &lt;/label&gt;\n   &lt;textarea class="').concat(B.textarea,'"&gt;&lt;/textarea&gt;\n   &lt;div class="').concat(B["validation-message"],'" id="').concat(B["validation-message"],'"&gt;&lt;/div&gt;\n   &lt;div class="').concat(B.actions,'"&gt;\n     &lt;div class="').concat(B.loader,'"&gt;&lt;/div&gt;\n     &lt;button type="button" class="').concat(B.confirm,'"&gt;&lt;/button&gt;\n     &lt;button type="button" class="').concat(B.deny,'"&gt;&lt;/button&gt;\n     &lt;button type="button" class="').concat(B.cancel,'"&gt;&lt;/button&gt;\n   &lt;/div&gt;\n   &lt;div class="').concat(B.footer,'"&gt;&lt;/div&gt;\n   &lt;div class="').concat(B["timer-progress-bar-container"],'"&gt;\n     &lt;div class="').concat(B["timer-progress-bar"],'"&gt;&lt;/div&gt;\n   &lt;/div&gt;\n &lt;/div&gt;\n').replace(/(^|\n)\s*/g,""),Bt=()=&gt;{const t=E();return!!t&amp;&amp;(t.remove(),rt([document.documentElement,document.body],[B["no-backdrop"],B["toast-shown"],B["has-column"]]),!0)},xt=()=&gt;{Ct.currentInstance.resetValidationMessage()},Et=()=&gt;{const t=O(),e=at(t,B.input),n=at(t,B.file),o=t.querySelector(".".concat(B.range," input")),i=t.querySelector(".".concat(B.range," output")),s=at(t,B.select),r=t.querySelector(".".concat(B.checkbox," input")),a=at(t,B.textarea);e.oninput=xt,n.onchange=xt,s.onchange=xt,r.onchange=xt,a.oninput=xt,o.oninput=()=&gt;{xt(),i.value=o.value},o.onchange=()=&gt;{xt(),o.nextSibling.value=o.value}},Tt=t=&gt;"string"==typeof t?document.querySelector(t):t,St=t=&gt;{const e=O();e.setAttribute("role",t.toast?"alert":"dialog"),e.setAttribute("aria-live",t.toast?"polite":"assertive"),t.toast||e.setAttribute("aria-modal","true")},Ot=t=&gt;{"rtl"===window.getComputedStyle(t).direction&amp;&amp;st(E(),B.rtl)},Lt=t=&gt;{const e=Bt();if(wt())return void i("SweetAlert2 requires document to initialize");const n=document.createElement("div");n.className=B.container,e&amp;&amp;st(n,B["no-transition"]),G(n,Pt);const o=Tt(t.target);o.appendChild(n),St(t),Ot(o),Et()},jt=(t,e)=&gt;{t instanceof HTMLElement?e.appendChild(t):"object"==typeof t?Mt(t,e):t&amp;&amp;G(e,t)},Mt=(t,e)=&gt;{t.jquery?Dt(e,t):G(e,t.toString())},Dt=(t,e)=&gt;{if(t.textContent="",0 in e)for(let n=0;n in e;n++)t.appendChild(e[n].cloneNode(!0));else t.appendChild(e.cloneNode(!0))},It=(()=&gt;{if(wt())return!1;const t=document.createElement("div"),e={WebkitAnimation:"webkitAnimationEnd",animation:"animationend"};for(const n in e)if(Object.prototype.hasOwnProperty.call(e,n)&amp;&amp;void 0!==t.style[n])return e[n];return!1})(),Ht=()=&gt;{const t=document.createElement("div");t.className=B["scrollbar-measure"],document.body.appendChild(t);const e=t.getBoundingClientRect().width-t.clientWidth;return document.body.removeChild(t),e},qt=(t,e)=&gt;{const n=U(),o=R();e.showConfirmButton||e.showDenyButton||e.showCancelButton?lt(n):ut(n),et(n,e,"actions"),Vt(n,o,e),G(o,e.loaderHtml),et(o,e,"loader")};function Vt(t,e,n){const o=q(),i=V(),s=F();Rt(o,"confirm",n),Rt(i,"deny",n),Rt(s,"cancel",n),Nt(o,i,s,n),n.reverseButtons&amp;&amp;(n.toast?(t.insertBefore(s,o),t.insertBefore(i,o)):(t.insertBefore(s,e),t.insertBefore(i,e),t.insertBefore(o,e)))}function Nt(t,e,n,o){if(!o.buttonsStyling)return rt([t,e,n],B.styled);st([t,e,n],B.styled),o.confirmButtonColor&amp;&amp;(t.style.backgroundColor=o.confirmButtonColor,st(t,B["default-outline"])),o.denyButtonColor&amp;&amp;(e.style.backgroundColor=o.denyButtonColor,st(e,B["default-outline"])),o.cancelButtonColor&amp;&amp;(n.style.backgroundColor=o.cancelButtonColor,st(n,B["default-outline"]))}function Rt(t,n,o){pt(t,o["show".concat(e(n),"Button")],"inline-block"),G(t,o["".concat(n,"ButtonText")]),t.setAttribute("aria-label",o["".concat(n,"ButtonAriaLabel")]),t.className=B[n],et(t,o,"".concat(n,"Button")),st(t,o["".concat(n,"ButtonClass")])}function Ft(t,e){"string"==typeof e?t.style.background=e:e||st([document.documentElement,document.body],B["no-backdrop"])}function Ut(t,e){e in B?st(t,B[e]):(o('The "position" parameter is not valid, defaulting to "center"'),st(t,B.center))}function Wt(t,e){if(e&amp;&amp;"string"==typeof e){const n="grow-".concat(e);n in B&amp;&amp;st(t,B[n])}}const zt=(t,e)=&gt;{const n=E();n&amp;&amp;(Ft(n,e.backdrop),Ut(n,e.position),Wt(n,e.grow),et(n,e,"container"))};var _t={awaitingPromise:new WeakMap,promise:new WeakMap,innerParams:new WeakMap,domCache:new WeakMap};const Kt=["input","file","range","select","radio","checkbox","textarea"],$t=(t,e)=&gt;{const n=O(),o=_t.innerParams.get(t),i=!o||e.input!==o.input;Kt.forEach((t=&gt;{const o=B[t],s=at(n,o);Jt(t,e.inputAttributes),s.className=o,i&amp;&amp;ut(s)})),e.input&amp;&amp;(i&amp;&amp;Yt(e),Xt(e))},Yt=t=&gt;{if(!ee[t.input])return i('Unexpected type of input! Expected "text", "email", "password", "number", "tel", "select", "radio", "checkbox", "textarea", "file" or "url", got "'.concat(t.input,'"'));const e=te(t.input),n=ee[t.input](e,t);lt(n),setTimeout((()=&gt;{ot(n)}))},Zt=t=&gt;{for(let e=0;e&lt;t.attributes.length;e++){const n=t.attributes[e].name;["type","value","style"].includes(n)||t.removeAttribute(n)}},Jt=(t,e)=&gt;{const n=nt(O(),t);if(n){Zt(n);for(const t in e)n.setAttribute(t,e[t])}},Xt=t=&gt;{const e=te(t.input);t.customClass&amp;&amp;st(e,t.customClass.input)},Gt=(t,e)=&gt;{t.placeholder&amp;&amp;!e.inputPlaceholder||(t.placeholder=e.inputPlaceholder)},Qt=(t,e,n)=&gt;{if(n.inputLabel){t.id=B.input;const o=document.createElement("label"),i=B["input-label"];o.setAttribute("for",t.id),o.className=i,st(o,n.customClass.inputLabel),o.innerText=n.inputLabel,e.insertAdjacentElement("beforebegin",o)}},te=t=&gt;{const e=B[t]?B[t]:B.input;return at(O(),e)},ee={};ee.text=ee.email=ee.password=ee.number=ee.tel=ee.url=(t,e)=&gt;("string"==typeof e.inputValue||"number"==typeof e.inputValue?t.value=e.inputValue:d(e.inputValue)||o('Unexpected type of inputValue! Expected "string", "number" or "Promise", got "'.concat(typeof e.inputValue,'"')),Qt(t,t,e),Gt(t,e),t.type=e.input,t),ee.file=(t,e)=&gt;(Qt(t,t,e),Gt(t,e),t),ee.range=(t,e)=&gt;{const n=t.querySelector("input"),o=t.querySelector("output");return n.value=e.inputValue,n.type=e.input,o.value=e.inputValue,Qt(n,t,e),t},ee.select=(t,e)=&gt;{if(t.textContent="",e.inputPlaceholder){const n=document.createElement("option");G(n,e.inputPlaceholder),n.value="",n.disabled=!0,n.selected=!0,t.appendChild(n)}return Qt(t,t,e),t},ee.radio=t=&gt;(t.textContent="",t),ee.checkbox=(t,e)=&gt;{const n=nt(O(),"checkbox");n.value="1",n.id=B.checkbox,n.checked=Boolean(e.inputValue);const o=t.querySelector("span");return G(o,e.inputPlaceholder),t},ee.textarea=(t,e)=&gt;{t.value=e.inputValue,Gt(t,e),Qt(t,t,e);const n=t=&gt;parseInt(window.getComputedStyle(t).marginLeft)+parseInt(window.getComputedStyle(t).marginRight);return setTimeout((()=&gt;{if("MutationObserver"in window){const e=parseInt(window.getComputedStyle(O()).width);new MutationObserver((()=&gt;{const o=t.offsetWidth+n(t);O().style.width=o&gt;e?"".concat(o,"px"):null})).observe(t,{attributes:!0,attributeFilter:["style"]})}})),t};const ne=(t,e)=&gt;{const n=M();et(n,e,"htmlContainer"),e.html?(jt(e.html,n),lt(n,"block")):e.text?(n.textContent=e.text,lt(n,"block")):ut(n),$t(t,e)},oe=(t,e)=&gt;{const n=W();pt(n,e.footer),e.footer&amp;&amp;jt(e.footer,n),et(n,e,"footer")},ie=(t,e)=&gt;{const n=_();G(n,e.closeButtonHtml),et(n,e,"closeButton"),pt(n,e.showCloseButton),n.setAttribute("aria-label",e.closeButtonAriaLabel)},se=(t,e)=&gt;{const n=_t.innerParams.get(t),o=L();return n&amp;&amp;e.icon===n.icon?(ue(o,e),void re(o,e)):e.icon||e.iconHtml?e.icon&amp;&amp;-1===Object.keys(x).indexOf(e.icon)?(i('Unknown icon! Expected "success", "error", "warning", "info" or "question", got "'.concat(e.icon,'"')),ut(o)):(lt(o),ue(o,e),re(o,e),void st(o,e.showClass.icon)):ut(o)},re=(t,e)=&gt;{for(const n in x)e.icon!==n&amp;&amp;rt(t,x[n]);st(t,x[e.icon]),de(t,e),ae(),et(t,e,"icon")},ae=()=&gt;{const t=O(),e=window.getComputedStyle(t).getPropertyValue("background-color"),n=t.querySelectorAll("[class^=swal2-success-circular-line], .swal2-success-fix");for(let o=0;o&lt;n.length;o++)n[o].style.backgroundColor=e},ce='\n  &lt;div class="swal2-success-circular-line-left"&gt;&lt;/div&gt;\n  &lt;span class="swal2-success-line-tip"&gt;&lt;/span&gt; &lt;span class="swal2-success-line-long"&gt;&lt;/span&gt;\n  &lt;div class="swal2-success-ring"&gt;&lt;/div&gt; &lt;div class="swal2-success-fix"&gt;&lt;/div&gt;\n  &lt;div class="swal2-success-circular-line-right"&gt;&lt;/div&gt;\n',le='\n  &lt;span class="swal2-x-mark"&gt;\n    &lt;span class="swal2-x-mark-line-left"&gt;&lt;/span&gt;\n    &lt;span class="swal2-x-mark-line-right"&gt;&lt;/span&gt;\n  &lt;/span&gt;\n',ue=(t,e)=&gt;{t.textContent="",e.iconHtml?G(t,pe(e.iconHtml)):"success"===e.icon?G(t,ce):"error"===e.icon?G(t,le):G(t,pe({question:"?",warning:"!",info:"i"}[e.icon]))},de=(t,e)=&gt;{if(e.iconColor){t.style.color=e.iconColor,t.style.borderColor=e.iconColor;for(const n of[".swal2-success-line-tip",".swal2-success-line-long",".swal2-x-mark-line-left",".swal2-x-mark-line-right"])dt(t,n,"backgroundColor",e.iconColor);dt(t,".swal2-success-ring","borderColor",e.iconColor)}},pe=t=&gt;'&lt;div class="'.concat(B["icon-content"],'"&gt;').concat(t,"&lt;/div&gt;"),me=(t,e)=&gt;{const n=D();if(!e.imageUrl)return ut(n);lt(n,""),n.setAttribute("src",e.imageUrl),n.setAttribute("alt",e.imageAlt),ct(n,"width",e.imageWidth),ct(n,"height",e.imageHeight),n.className=B.image,et(n,e,"image")},ge=t=&gt;{const e=document.createElement("li");return st(e,B["progress-step"]),G(e,t),e},he=t=&gt;{const e=document.createElement("li");return st(e,B["progress-step-line"]),t.progressStepsDistance&amp;&amp;(e.style.width=t.progressStepsDistance),e},fe=(t,e)=&gt;{const n=I();if(!e.progressSteps||0===e.progressSteps.length)return ut(n);lt(n),n.textContent="",e.currentProgressStep&gt;=e.progressSteps.length&amp;&amp;o("Invalid currentProgressStep parameter, it should be less than progressSteps.length (currentProgressStep like JS arrays starts from 0)"),e.progressSteps.forEach(((t,o)=&gt;{const i=ge(t);if(n.appendChild(i),o===e.currentProgressStep&amp;&amp;st(i,B["active-progress-step"]),o!==e.progressSteps.length-1){const t=he(e);n.appendChild(t)}}))},be=(t,e)=&gt;{const n=j();pt(n,e.title||e.titleText,"block"),e.title&amp;&amp;jt(e.title,n),e.titleText&amp;&amp;(n.innerText=e.titleText),et(n,e,"title")},ye=(t,e)=&gt;{const n=E(),o=O();e.toast?(ct(n,"width",e.width),o.style.width="100%",o.insertBefore(R(),L())):ct(o,"width",e.width),ct(o,"padding",e.padding),e.color&amp;&amp;(o.style.color=e.color),e.background&amp;&amp;(o.style.background=e.background),ut(H()),we(o,e)},we=(t,e)=&gt;{t.className="".concat(B.popup," ").concat(mt(t)?e.showClass.popup:""),e.toast?(st([document.documentElement,document.body],B["toast-shown"]),st(t,B.toast)):st(t,B.modal),et(t,e,"popup"),"string"==typeof e.customClass&amp;&amp;st(t,e.customClass),e.icon&amp;&amp;st(t,B["icon-".concat(e.icon)])},ve=(t,e)=&gt;{ye(t,e),zt(t,e),fe(t,e),se(t,e),me(t,e),be(t,e),ie(t,e),ne(t,e),qt(t,e),oe(t,e),"function"==typeof e.didRender&amp;&amp;e.didRender(O())},Ce=Object.freeze({cancel:"cancel",backdrop:"backdrop",close:"close",esc:"esc",timer:"timer"}),ke=()=&gt;{n(document.body.children).forEach((t=&gt;{t===E()||t.contains(E())||(t.hasAttribute("aria-hidden")&amp;&amp;t.setAttribute("data-previous-aria-hidden",t.getAttribute("aria-hidden")),t.setAttribute("aria-hidden","true"))}))},Ae=()=&gt;{n(document.body.children).forEach((t=&gt;{t.hasAttribute("data-previous-aria-hidden")?(t.setAttribute("aria-hidden",t.getAttribute("data-previous-aria-hidden")),t.removeAttribute("data-previous-aria-hidden")):t.removeAttribute("aria-hidden")}))},Pe=["swal-title","swal-html","swal-footer"],Be=t=&gt;{const e="string"==typeof t.template?document.querySelector(t.template):t.template;if(!e)return{};const n=e.content;return je(n),Object.assign(xe(n),Ee(n),Te(n),Se(n),Oe(n),Le(n,Pe))},xe=t=&gt;{const e={};return n(t.querySelectorAll("swal-param")).forEach((t=&gt;{Me(t,["name","value"]);const n=t.getAttribute("name"),o=t.getAttribute("value");"boolean"==typeof p[n]&amp;&amp;"false"===o&amp;&amp;(e[n]=!1),"object"==typeof p[n]&amp;&amp;(e[n]=JSON.parse(o))})),e},Ee=t=&gt;{const o={};return n(t.querySelectorAll("swal-button")).forEach((t=&gt;{Me(t,["type","color","aria-label"]);const n=t.getAttribute("type");o["".concat(n,"ButtonText")]=t.innerHTML,o["show".concat(e(n),"Button")]=!0,t.hasAttribute("color")&amp;&amp;(o["".concat(n,"ButtonColor")]=t.getAttribute("color")),t.hasAttribute("aria-label")&amp;&amp;(o["".concat(n,"ButtonAriaLabel")]=t.getAttribute("aria-label"))})),o},Te=t=&gt;{const e={},n=t.querySelector("swal-image");return n&amp;&amp;(Me(n,["src","width","height","alt"]),n.hasAttribute("src")&amp;&amp;(e.imageUrl=n.getAttribute("src")),n.hasAttribute("width")&amp;&amp;(e.imageWidth=n.getAttribute("width")),n.hasAttribute("height")&amp;&amp;(e.imageHeight=n.getAttribute("height")),n.hasAttribute("alt")&amp;&amp;(e.imageAlt=n.getAttribute("alt"))),e},Se=t=&gt;{const e={},n=t.querySelector("swal-icon");return n&amp;&amp;(Me(n,["type","color"]),n.hasAttribute("type")&amp;&amp;(e.icon=n.getAttribute("type")),n.hasAttribute("color")&amp;&amp;(e.iconColor=n.getAttribute("color")),e.iconHtml=n.innerHTML),e},Oe=t=&gt;{const e={},o=t.querySelector("swal-input");o&amp;&amp;(Me(o,["type","label","placeholder","value"]),e.input=o.getAttribute("type")||"text",o.hasAttribute("label")&amp;&amp;(e.inputLabel=o.getAttribute("label")),o.hasAttribute("placeholder")&amp;&amp;(e.inputPlaceholder=o.getAttribute("placeholder")),o.hasAttribute("value")&amp;&amp;(e.inputValue=o.getAttribute("value")));const i=t.querySelectorAll("swal-input-option");return i.length&amp;&amp;(e.inputOptions={},n(i).forEach((t=&gt;{Me(t,["value"]);const n=t.getAttribute("value"),o=t.innerHTML;e.inputOptions[n]=o}))),e},Le=(t,e)=&gt;{const n={};for(const o in e){const i=e[o],s=t.querySelector(i);s&amp;&amp;(Me(s,[]),n[i.replace(/^swal-/,"")]=s.innerHTML.trim())}return n},je=t=&gt;{const e=Pe.concat(["swal-param","swal-button","swal-image","swal-icon","swal-input","swal-input-option"]);n(t.children).forEach((t=&gt;{const n=t.tagName.toLowerCase();-1===e.indexOf(n)&amp;&amp;o("Unrecognized element &lt;".concat(n,"&gt;"))}))},Me=(t,e)=&gt;{n(t.attributes).forEach((n=&gt;{-1===e.indexOf(n.name)&amp;&amp;o(['Unrecognized attribute "'.concat(n.name,'" on &lt;').concat(t.tagName.toLowerCase(),"&gt;."),"".concat(e.length?"Allowed attributes are: ".concat(e.join(", ")):"To set the value, use HTML within the element.")])}))};var De={email:(t,e)=&gt;/^[a-zA-Z0-9.+_-]+@[a-zA-Z0-9.-]+\.[a-zA-Z0-9-]{2,24}$/.test(t)?Promise.resolve():Promise.resolve(e||"Invalid email address"),url:(t,e)=&gt;/^https?:\/\/(www\.)?[-a-zA-Z0-9@:%._+~#=]{1,256}\.[a-z]{2,63}\b([-a-zA-Z0-9@:%_+.~#?&amp;/=]*)$/.test(t)?Promise.resolve():Promise.resolve(e||"Invalid URL")};function Ie(t){t.inputValidator||Object.keys(De).forEach((e=&gt;{t.input===e&amp;&amp;(t.inputValidator=De[e])}))}function He(t){(!t.target||"string"==typeof t.target&amp;&amp;!document.querySelector(t.target)||"string"!=typeof t.target&amp;&amp;!t.target.appendChild)&amp;&amp;(o('Target parameter is not valid, defaulting to "body"'),t.target="body")}function qe(t){Ie(t),t.showLoaderOnConfirm&amp;&amp;!t.preConfirm&amp;&amp;o("showLoaderOnConfirm is set to true, but preConfirm is not defined.\nshowLoaderOnConfirm should be used together with preConfirm, see usage example:\nhttps://sweetalert2.github.io/#ajax-request"),He(t),"string"==typeof t.title&amp;&amp;(t.title=t.title.split("\n").join("&lt;br /&gt;")),Lt(t)}class Ve{constructor(t,e){this.callback=t,this.remaining=e,this.running=!1,this.start()}start(){return this.running||(this.running=!0,this.started=new Date,this.id=setTimeout(this.callback,this.remaining)),this.remaining}stop(){return this.running&amp;&amp;(this.running=!1,clearTimeout(this.id),this.remaining-=(new Date).getTime()-this.started.getTime()),this.remaining}increase(t){const e=this.running;return e&amp;&amp;this.stop(),this.remaining+=t,e&amp;&amp;this.start(),this.remaining}getTimerLeft(){return this.running&amp;&amp;(this.stop(),this.start()),this.remaining}isRunning(){return this.running}}const Ne=()=&gt;{null===X.previousBodyPadding&amp;&amp;document.body.scrollHeight&gt;window.innerHeight&amp;&amp;(X.previousBodyPadding=parseInt(window.getComputedStyle(document.body).getPropertyValue("padding-right")),document.body.style.paddingRight="".concat(X.previousBodyPadding+Ht(),"px"))},Re=()=&gt;{null!==X.previousBodyPadding&amp;&amp;(document.body.style.paddingRight="".concat(X.previousBodyPadding,"px"),X.previousBodyPadding=null)},Fe=()=&gt;{if((/iPad|iPhone|iPod/.test(navigator.userAgent)&amp;&amp;!window.MSStream||"MacIntel"===navigator.platform&amp;&amp;navigator.maxTouchPoints&gt;1)&amp;&amp;!Q(document.body,B.iosfix)){const t=document.body.scrollTop;document.body.style.top="".concat(-1*t,"px"),st(document.body,B.iosfix),We(),Ue()}},Ue=()=&gt;{const t=navigator.userAgent,e=!!t.match(/iPad/i)||!!t.match(/iPhone/i),n=!!t.match(/WebKit/i);if(e&amp;&amp;n&amp;&amp;!t.match(/CriOS/i)){const t=44;O().scrollHeight&gt;window.innerHeight-t&amp;&amp;(E().style.paddingBottom="".concat(t,"px"))}},We=()=&gt;{const t=E();let e;t.ontouchstart=t=&gt;{e=ze(t)},t.ontouchmove=t=&gt;{e&amp;&amp;(t.preventDefault(),t.stopPropagation())}},ze=t=&gt;{const e=t.target,n=E();return!(_e(t)||Ke(t)||e!==n&amp;&amp;(ht(n)||"INPUT"===e.tagName||"TEXTAREA"===e.tagName||ht(M())&amp;&amp;M().contains(e)))},_e=t=&gt;t.touches&amp;&amp;t.touches.length&amp;&amp;"stylus"===t.touches[0].touchType,Ke=t=&gt;t.touches&amp;&amp;t.touches.length&gt;1,$e=()=&gt;{if(Q(document.body,B.iosfix)){const t=parseInt(document.body.style.top,10);rt(document.body,B.iosfix),document.body.style.top="",document.body.scrollTop=-1*t}},Ye=10,Ze=t=&gt;{const e=E(),n=O();"function"==typeof t.willOpen&amp;&amp;t.willOpen(n);const o=window.getComputedStyle(document.body).overflowY;Qe(e,n,t),setTimeout((()=&gt;{Xe(e,n)}),Ye),Y()&amp;&amp;(Ge(e,t.scrollbarPadding,o),ke()),Z()||Ct.previousActiveElement||(Ct.previousActiveElement=document.activeElement),"function"==typeof t.didOpen&amp;&amp;setTimeout((()=&gt;t.didOpen(n))),rt(e,B["no-transition"])},Je=t=&gt;{const e=O();if(t.target!==e)return;const n=E();e.removeEventListener(It,Je),n.style.overflowY="auto"},Xe=(t,e)=&gt;{It&amp;&amp;ft(e)?(t.style.overflowY="hidden",e.addEventListener(It,Je)):t.style.overflowY="auto"},Ge=(t,e,n)=&gt;{Fe(),e&amp;&amp;"hidden"!==n&amp;&amp;Ne(),setTimeout((()=&gt;{t.scrollTop=0}))},Qe=(t,e,n)=&gt;{st(t,n.showClass.backdrop),e.style.setProperty("opacity","0","important"),lt(e,"grid"),setTimeout((()=&gt;{st(e,n.showClass.popup),e.style.removeProperty("opacity")}),Ye),st([document.documentElement,document.body],B.shown),n.heightAuto&amp;&amp;n.backdrop&amp;&amp;!n.toast&amp;&amp;st([document.documentElement,document.body],B["height-auto"])},tn=t=&gt;{let e=O();e||new _o,e=O();const n=R();Z()?ut(L()):en(e,t),lt(n),e.setAttribute("data-loading",!0),e.setAttribute("aria-busy",!0),e.focus()},en=(t,e)=&gt;{const n=U(),o=R();!e&amp;&amp;mt(q())&amp;&amp;(e=q()),lt(n),e&amp;&amp;(ut(e),o.setAttribute("data-button-to-replace",e.className)),o.parentNode.insertBefore(o,e),st([t,n],B.loading)},nn=(t,e)=&gt;{"select"===e.input||"radio"===e.input?cn(t,e):["text","email","number","tel","textarea"].includes(e.input)&amp;&amp;(l(e.inputValue)||d(e.inputValue))&amp;&amp;(tn(q()),ln(t,e))},on=(t,e)=&gt;{const n=t.getInput();if(!n)return null;switch(e.input){case"checkbox":return sn(n);case"radio":return rn(n);case"file":return an(n);default:return e.inputAutoTrim?n.value.trim():n.value}},sn=t=&gt;t.checked?1:0,rn=t=&gt;t.checked?t.value:null,an=t=&gt;t.files.length?null!==t.getAttribute("multiple")?t.files:t.files[0]:null,cn=(t,e)=&gt;{const n=O(),o=t=&gt;un[e.input](n,dn(t),e);l(e.inputOptions)||d(e.inputOptions)?(tn(q()),u(e.inputOptions).then((e=&gt;{t.hideLoading(),o(e)}))):"object"==typeof e.inputOptions?o(e.inputOptions):i("Unexpected type of inputOptions! Expected object, Map or Promise, got ".concat(typeof e.inputOptions))},ln=(t,e)=&gt;{const n=t.getInput();ut(n),u(e.inputValue).then((o=&gt;{n.value="number"===e.input?parseFloat(o)||0:"".concat(o),lt(n),n.focus(),t.hideLoading()})).catch((e=&gt;{i("Error in inputValue promise: ".concat(e)),n.value="",lt(n),n.focus(),t.hideLoading()}))},un={select:(t,e,n)=&gt;{const o=at(t,B.select),i=(t,e,o)=&gt;{const i=document.createElement("option");i.value=o,G(i,e),i.selected=pn(o,n.inputValue),t.appendChild(i)};e.forEach((t=&gt;{const e=t[0],n=t[1];if(Array.isArray(n)){const t=document.createElement("optgroup");t.label=e,t.disabled=!1,o.appendChild(t),n.forEach((e=&gt;i(t,e[1],e[0])))}else i(o,n,e)})),o.focus()},radio:(t,e,n)=&gt;{const o=at(t,B.radio);e.forEach((t=&gt;{const e=t[0],i=t[1],s=document.createElement("input"),r=document.createElement("label");s.type="radio",s.name=B.radio,s.value=e,pn(e,n.inputValue)&amp;&amp;(s.checked=!0);const a=document.createElement("span");G(a,i),a.className=B.label,r.appendChild(s),r.appendChild(a),o.appendChild(r)}));const i=o.querySelectorAll("input");i.length&amp;&amp;i[0].focus()}},dn=t=&gt;{const e=[];return"undefined"!=typeof Map&amp;&amp;t instanceof Map?t.forEach(((t,n)=&gt;{let o=t;"object"==typeof o&amp;&amp;(o=dn(o)),e.push([n,o])})):Object.keys(t).forEach((n=&gt;{let o=t[n];"object"==typeof o&amp;&amp;(o=dn(o)),e.push([n,o])})),e},pn=(t,e)=&gt;e&amp;&amp;e.toString()===t.toString(),mn=t=&gt;{const e=_t.innerParams.get(t);t.disableButtons(),e.input?fn(t,"confirm"):Cn(t,!0)},gn=t=&gt;{const e=_t.innerParams.get(t);t.disableButtons(),e.returnInputValueOnDeny?fn(t,"deny"):yn(t,!1)},hn=(t,e)=&gt;{t.disableButtons(),e(Ce.cancel)},fn=(t,n)=&gt;{const o=_t.innerParams.get(t);if(!o.input)return i('The "input" parameter is needed to be set when using returnInputValueOn'.concat(e(n)));const s=on(t,o);o.inputValidator?bn(t,s,n):t.getInput().checkValidity()?"deny"===n?yn(t,s):Cn(t,s):(t.enableButtons(),t.showValidationMessage(o.validationMessage))},bn=(t,e,n)=&gt;{const o=_t.innerParams.get(t);t.disableInput(),Promise.resolve().then((()=&gt;u(o.inputValidator(e,o.validationMessage)))).then((o=&gt;{t.enableButtons(),t.enableInput(),o?t.showValidationMessage(o):"deny"===n?yn(t,e):Cn(t,e)}))},yn=(t,e)=&gt;{const n=_t.innerParams.get(t||void 0);n.showLoaderOnDeny&amp;&amp;tn(V()),n.preDeny?(_t.awaitingPromise.set(t||void 0,!0),Promise.resolve().then((()=&gt;u(n.preDeny(e,n.validationMessage)))).then((n=&gt;{!1===n?t.hideLoading():t.closePopup({isDenied:!0,value:void 0===n?e:n})})).catch((e=&gt;vn(t||void 0,e)))):t.closePopup({isDenied:!0,value:e})},wn=(t,e)=&gt;{t.closePopup({isConfirmed:!0,value:e})},vn=(t,e)=&gt;{t.rejectPromise(e)},Cn=(t,e)=&gt;{const n=_t.innerParams.get(t||void 0);n.showLoaderOnConfirm&amp;&amp;tn(),n.preConfirm?(t.resetValidationMessage(),_t.awaitingPromise.set(t||void 0,!0),Promise.resolve().then((()=&gt;u(n.preConfirm(e,n.validationMessage)))).then((n=&gt;{mt(H())||!1===n?t.hideLoading():wn(t,void 0===n?e:n)})).catch((e=&gt;vn(t||void 0,e)))):wn(t,e)},kn=(t,e,n)=&gt;{_t.innerParams.get(t).toast?An(t,e,n):(xn(e),En(e),Tn(t,e,n))},An=(t,e,n)=&gt;{e.popup.onclick=()=&gt;{const e=_t.innerParams.get(t);e&amp;&amp;(Pn(e)||e.timer||e.input)||n(Ce.close)}},Pn=t=&gt;t.showConfirmButton||t.showDenyButton||t.showCancelButton||t.showCloseButton;let Bn=!1;const xn=t=&gt;{t.popup.onmousedown=()=&gt;{t.container.onmouseup=function(e){t.container.onmouseup=void 0,e.target===t.container&amp;&amp;(Bn=!0)}}},En=t=&gt;{t.container.onmousedown=()=&gt;{t.popup.onmouseup=function(e){t.popup.onmouseup=void 0,(e.target===t.popup||t.popup.contains(e.target))&amp;&amp;(Bn=!0)}}},Tn=(t,e,n)=&gt;{e.container.onclick=o=&gt;{const i=_t.innerParams.get(t);Bn?Bn=!1:o.target===e.container&amp;&amp;c(i.allowOutsideClick)&amp;&amp;n(Ce.backdrop)}},Sn=()=&gt;mt(O()),On=()=&gt;q()&amp;&amp;q().click(),Ln=()=&gt;V()&amp;&amp;V().click(),jn=()=&gt;F()&amp;&amp;F().click(),Mn=(t,e,n,o)=&gt;{e.keydownTarget&amp;&amp;e.keydownHandlerAdded&amp;&amp;(e.keydownTarget.removeEventListener("keydown",e.keydownHandler,{capture:e.keydownListenerCapture}),e.keydownHandlerAdded=!1),n.toast||(e.keydownHandler=e=&gt;qn(t,e,o),e.keydownTarget=n.keydownListenerCapture?window:O(),e.keydownListenerCapture=n.keydownListenerCapture,e.keydownTarget.addEventListener("keydown",e.keydownHandler,{capture:e.keydownListenerCapture}),e.keydownHandlerAdded=!0)},Dn=(t,e,n)=&gt;{const o=$();if(o.length)return(e+=n)===o.length?e=0:-1===e&amp;&amp;(e=o.length-1),o[e].focus();O().focus()},In=["ArrowRight","ArrowDown"],Hn=["ArrowLeft","ArrowUp"],qn=(t,e,n)=&gt;{const o=_t.innerParams.get(t);o&amp;&amp;(o.stopKeydownPropagation&amp;&amp;e.stopPropagation(),"Enter"===e.key?Vn(t,e,o):"Tab"===e.key?Nn(e,o):[...In,...Hn].includes(e.key)?Rn(e.key):"Escape"===e.key&amp;&amp;Fn(e,o,n))},Vn=(t,e,n)=&gt;{if(c(n.allowEnterKey)&amp;&amp;!e.isComposing&amp;&amp;e.target&amp;&amp;t.getInput()&amp;&amp;e.target.outerHTML===t.getInput().outerHTML){if(["textarea","file"].includes(n.input))return;On(),e.preventDefault()}},Nn=(t,e)=&gt;{const n=t.target,o=$();let i=-1;for(let s=0;s&lt;o.length;s++)if(n===o[s]){i=s;break}t.shiftKey?Dn(e,i,-1):Dn(e,i,1),t.stopPropagation(),t.preventDefault()},Rn=t=&gt;{if(![q(),V(),F()].includes(document.activeElement))return;const e=In.includes(t)?"nextElementSibling":"previousElementSibling",n=document.activeElement[e];n instanceof HTMLElement&amp;&amp;n.focus()},Fn=(t,e,n)=&gt;{c(e.allowEscapeKey)&amp;&amp;(t.preventDefault(),n(Ce.esc))},Un=t=&gt;"object"==typeof t&amp;&amp;t.jquery,Wn=t=&gt;t instanceof Element||Un(t),zn=t=&gt;{const e={};return"object"!=typeof t[0]||Wn(t[0])?["title","html","icon"].forEach(((n,o)=&gt;{const s=t[o];"string"==typeof s||Wn(s)?e[n]=s:void 0!==s&amp;&amp;i("Unexpected type of ".concat(n,'! Expected "string" or "Element", got ').concat(typeof s))})):Object.assign(e,t[0]),e};function _n(){const t=this;for(var e=arguments.length,n=new Array(e),o=0;o&lt;e;o++)n[o]=arguments[o];return new t(...n)}function Kn(t){class e extends(this){_main(e,n){return super._main(e,Object.assign({},t,n))}}return e}const $n=()=&gt;Ct.timeout&amp;&amp;Ct.timeout.getTimerLeft(),Yn=()=&gt;{if(Ct.timeout)return yt(),Ct.timeout.stop()},Zn=()=&gt;{if(Ct.timeout){const t=Ct.timeout.start();return bt(t),t}},Jn=()=&gt;{const t=Ct.timeout;return t&amp;&amp;(t.running?Yn():Zn())},Xn=t=&gt;{if(Ct.timeout){const e=Ct.timeout.increase(t);return bt(e,!0),e}},Gn=()=&gt;Ct.timeout&amp;&amp;Ct.timeout.isRunning();let Qn=!1;const to={};function eo(){to[arguments.length&gt;0&amp;&amp;void 0!==arguments[0]?arguments[0]:"data-swal-template"]=this,Qn||(document.body.addEventListener("click",no),Qn=!0)}const no=t=&gt;{for(let e=t.target;e&amp;&amp;e!==document;e=e.parentNode)for(const t in to){const n=e.getAttribute(t);if(n)return void to[t].fire({template:n})}};var oo=Object.freeze({isValidParameter:f,isUpdatableParameter:b,isDeprecatedParameter:y,argsToParams:zn,isVisible:Sn,clickConfirm:On,clickDeny:Ln,clickCancel:jn,getContainer:E,getPopup:O,getTitle:j,getHtmlContainer:M,getImage:D,getIcon:L,getInputLabel:N,getCloseButton:_,getActions:U,getConfirmButton:q,getDenyButton:V,getCancelButton:F,getLoader:R,getFooter:W,getTimerProgressBar:z,getFocusableElements:$,getValidationMessage:H,isLoading:J,fire:_n,mixin:Kn,showLoading:tn,enableLoading:tn,getTimerLeft:$n,stopTimer:Yn,resumeTimer:Zn,toggleTimer:Jn,increaseTimer:Xn,isTimerRunning:Gn,bindClickHandler:eo});function io(){const t=_t.innerParams.get(this);if(!t)return;const e=_t.domCache.get(this);ut(e.loader),Z()?t.icon&amp;&amp;lt(L()):so(e),rt([e.popup,e.actions],B.loading),e.popup.removeAttribute("aria-busy"),e.popup.removeAttribute("data-loading"),e.confirmButton.disabled=!1,e.denyButton.disabled=!1,e.cancelButton.disabled=!1}const so=t=&gt;{const e=t.popup.getElementsByClassName(t.loader.getAttribute("data-button-to-replace"));e.length?lt(e[0],"inline-block"):gt()&amp;&amp;ut(t.actions)};function ro(t){const e=_t.innerParams.get(t||this),n=_t.domCache.get(t||this);return n?nt(n.popup,e.input):null}var ao={swalPromiseResolve:new WeakMap,swalPromiseReject:new WeakMap};function co(t,e,n,o){Z()?wo(t,o):(At(n).then((()=&gt;wo(t,o))),Ct.keydownTarget.removeEventListener("keydown",Ct.keydownHandler,{capture:Ct.keydownListenerCapture}),Ct.keydownHandlerAdded=!1),/^((?!chrome|android).)*safari/i.test(navigator.userAgent)?(e.setAttribute("style","display:none !important"),e.removeAttribute("class"),e.innerHTML=""):e.remove(),Y()&amp;&amp;(Re(),$e(),Ae()),lo()}function lo(){rt([document.documentElement,document.body],[B.shown,B["height-auto"],B["no-backdrop"],B["toast-shown"]])}function uo(t){t=fo(t);const e=ao.swalPromiseResolve.get(this),n=mo(this);this.isAwaitingPromise()?t.isDismissed||(ho(this),e(t)):n&amp;&amp;e(t)}function po(){return!!_t.awaitingPromise.get(this)}const mo=t=&gt;{const e=O();if(!e)return!1;const n=_t.innerParams.get(t);if(!n||Q(e,n.hideClass.popup))return!1;rt(e,n.showClass.popup),st(e,n.hideClass.popup);const o=E();return rt(o,n.showClass.backdrop),st(o,n.hideClass.backdrop),bo(t,e,n),!0};function go(t){const e=ao.swalPromiseReject.get(this);ho(this),e&amp;&amp;e(t)}const ho=t=&gt;{t.isAwaitingPromise()&amp;&amp;(_t.awaitingPromise.delete(t),_t.innerParams.get(t)||t._destroy())},fo=t=&gt;void 0===t?{isConfirmed:!1,isDenied:!1,isDismissed:!0}:Object.assign({isConfirmed:!1,isDenied:!1,isDismissed:!1},t),bo=(t,e,n)=&gt;{const o=E(),i=It&amp;&amp;ft(e);"function"==typeof n.willClose&amp;&amp;n.willClose(e),i?yo(t,e,o,n.returnFocus,n.didClose):co(t,o,n.returnFocus,n.didClose)},yo=(t,e,n,o,i)=&gt;{Ct.swalCloseEventFinishedCallback=co.bind(null,t,n,o,i),e.addEventListener(It,(function(t){t.target===e&amp;&amp;(Ct.swalCloseEventFinishedCallback(),delete Ct.swalCloseEventFinishedCallback)}))},wo=(t,e)=&gt;{setTimeout((()=&gt;{"function"==typeof e&amp;&amp;e.bind(t.params)(),t._destroy()}))};function vo(t,e,n){const o=_t.domCache.get(t);e.forEach((t=&gt;{o[t].disabled=n}))}function Co(t,e){if(!t)return!1;if("radio"===t.type){const n=t.parentNode.parentNode.querySelectorAll("input");for(let t=0;t&lt;n.length;t++)n[t].disabled=e}else t.disabled=e}function ko(){vo(this,["confirmButton","denyButton","cancelButton"],!1)}function Ao(){vo(this,["confirmButton","denyButton","cancelButton"],!0)}function Po(){return Co(this.getInput(),!1)}function Bo(){return Co(this.getInput(),!0)}function xo(t){const e=_t.domCache.get(this),n=_t.innerParams.get(this);G(e.validationMessage,t),e.validationMessage.className=B["validation-message"],n.customClass&amp;&amp;n.customClass.validationMessage&amp;&amp;st(e.validationMessage,n.customClass.validationMessage),lt(e.validationMessage);const o=this.getInput();o&amp;&amp;(o.setAttribute("aria-invalid",!0),o.setAttribute("aria-describedby",B["validation-message"]),ot(o),st(o,B.inputerror))}function Eo(){const t=_t.domCache.get(this);t.validationMessage&amp;&amp;ut(t.validationMessage);const e=this.getInput();e&amp;&amp;(e.removeAttribute("aria-invalid"),e.removeAttribute("aria-describedby"),rt(e,B.inputerror))}function To(){return _t.domCache.get(this).progressSteps}function So(t){const e=O(),n=_t.innerParams.get(this);if(!e||Q(e,n.hideClass.popup))return o("You're trying to update the closed or closing popup, that won't work. Use the update() method in preConfirm parameter or show a new popup.");const i=Oo(t),s=Object.assign({},n,i);ve(this,s),_t.innerParams.set(this,s),Object.defineProperties(this,{params:{value:Object.assign({},this.params,t),writable:!1,enumerable:!0}})}const Oo=t=&gt;{const e={};return Object.keys(t).forEach((n=&gt;{b(n)?e[n]=t[n]:o('Invalid parameter to update: "'.concat(n,'". Updatable params are listed here: https://github.com/sweetalert2/sweetalert2/blob/master/src/utils/params.js\n\nIf you think this parameter should be updatable, request it here: https://github.com/sweetalert2/sweetalert2/issues/new?template=02_feature_request.md'))})),e};function Lo(){const t=_t.domCache.get(this),e=_t.innerParams.get(this);e?(t.popup&amp;&amp;Ct.swalCloseEventFinishedCallback&amp;&amp;(Ct.swalCloseEventFinishedCallback(),delete Ct.swalCloseEventFinishedCallback),Ct.deferDisposalTimer&amp;&amp;(clearTimeout(Ct.deferDisposalTimer),delete Ct.deferDisposalTimer),"function"==typeof e.didDestroy&amp;&amp;e.didDestroy(),jo(this)):Mo(this)}const jo=t=&gt;{Mo(t),delete t.params,delete Ct.keydownHandler,delete Ct.keydownTarget,delete Ct.currentInstance},Mo=t=&gt;{t.isAwaitingPromise()?(Do(_t,t),_t.awaitingPromise.set(t,!0)):(Do(ao,t),Do(_t,t))},Do=(t,e)=&gt;{for(const n in t)t[n].delete(e)};var Io=Object.freeze({hideLoading:io,disableLoading:io,getInput:ro,close:uo,isAwaitingPromise:po,rejectPromise:go,closePopup:uo,closeModal:uo,closeToast:uo,enableButtons:ko,disableButtons:Ao,enableInput:Po,disableInput:Bo,showValidationMessage:xo,resetValidationMessage:Eo,getProgressSteps:To,update:So,_destroy:Lo});let Ho;class qo{constructor(){if("undefined"==typeof window)return;Ho=this;for(var t=arguments.length,e=new Array(t),n=0;n&lt;t;n++)e[n]=arguments[n];const o=Object.freeze(this.constructor.argsToParams(e));Object.defineProperties(this,{params:{value:o,writable:!1,enumerable:!0,configurable:!0}});const i=this._main(this.params);_t.promise.set(this,i)}_main(t){let e=arguments.length&gt;1&amp;&amp;void 0!==arguments[1]?arguments[1]:{};k(Object.assign({},e,t)),Ct.currentInstance&amp;&amp;(Ct.currentInstance._destroy(),Y()&amp;&amp;Ae()),Ct.currentInstance=this;const n=No(t,e);qe(n),Object.freeze(n),Ct.timeout&amp;&amp;(Ct.timeout.stop(),delete Ct.timeout),clearTimeout(Ct.restoreFocusTimeout);const o=Ro(this);return ve(this,n),_t.innerParams.set(this,n),Vo(this,o,n)}then(t){return _t.promise.get(this).then(t)}finally(t){return _t.promise.get(this).finally(t)}}const Vo=(t,e,n)=&gt;new Promise(((o,i)=&gt;{const s=e=&gt;{t.closePopup({isDismissed:!0,dismiss:e})};ao.swalPromiseResolve.set(t,o),ao.swalPromiseReject.set(t,i),e.confirmButton.onclick=()=&gt;mn(t),e.denyButton.onclick=()=&gt;gn(t),e.cancelButton.onclick=()=&gt;hn(t,s),e.closeButton.onclick=()=&gt;s(Ce.close),kn(t,e,s),Mn(t,Ct,n,s),nn(t,n),Ze(n),Fo(Ct,n,s),Uo(e,n),setTimeout((()=&gt;{e.container.scrollTop=0}))})),No=(t,e)=&gt;{const n=Be(t),o=Object.assign({},p,e,n,t);return o.showClass=Object.assign({},p.showClass,o.showClass),o.hideClass=Object.assign({},p.hideClass,o.hideClass),o},Ro=t=&gt;{const e={popup:O(),container:E(),actions:U(),confirmButton:q(),denyButton:V(),cancelButton:F(),loader:R(),closeButton:_(),validationMessage:H(),progressSteps:I()};return _t.domCache.set(t,e),e},Fo=(t,e,n)=&gt;{const o=z();ut(o),e.timer&amp;&amp;(t.timeout=new Ve((()=&gt;{n("timer"),delete t.timeout}),e.timer),e.timerProgressBar&amp;&amp;(lt(o),et(o,e,"timerProgressBar"),setTimeout((()=&gt;{t.timeout&amp;&amp;t.timeout.running&amp;&amp;bt(e.timer)}))))},Uo=(t,e)=&gt;{if(!e.toast)return c(e.allowEnterKey)?void(Wo(t,e)||Dn(e,-1,1)):zo()},Wo=(t,e)=&gt;e.focusDeny&amp;&amp;mt(t.denyButton)?(t.denyButton.focus(),!0):e.focusCancel&amp;&amp;mt(t.cancelButton)?(t.cancelButton.focus(),!0):!(!e.focusConfirm||!mt(t.confirmButton)||(t.confirmButton.focus(),0)),zo=()=&gt;{document.activeElement instanceof HTMLElement&amp;&amp;"function"==typeof document.activeElement.blur&amp;&amp;document.activeElement.blur()};Object.assign(qo.prototype,Io),Object.assign(qo,oo),Object.keys(Io).forEach((t=&gt;{qo[t]=function(){if(Ho)return Ho[t](...arguments)}})),qo.DismissReason=Ce,qo.version="11.4.0";const _o=qo;return _o.default=_o,_o}(),void 0!==t&amp;&amp;t.Sweetalert2&amp;&amp;(t.swal=t.sweetAlert=t.Swal=t.SweetAlert=t.Sweetalert2);var n=e.exports;return class{static install(t,e={}){var o;const i=n.mixin(e),s=function(...t){return i.fire.call(i,...t)};Object.assign(s,n),Object.keys(n).filter((t=&gt;"function"==typeof n[t])).forEach((t=&gt;{s[t]=i[t].bind(i)})),(null==(o=t.config)?void 0:o.globalProperties)&amp;&amp;!t.config.globalProperties.$swal?(t.config.globalProperties.$swal=s,t.provide("$swal",s)):Object.prototype.hasOwnProperty.call(t,"$swal")||(t.prototype.$swal=s,t.swal=s)}}}));


/***/ }),

/***/ "./node_modules/vue-the-mask/dist/vue-the-mask.js":
/*!********************************************************!*\
  !*** ./node_modules/vue-the-mask/dist/vue-the-mask.js ***!
  \********************************************************/
/***/ (function(module) {

(function(e,t){ true?module.exports=t():0})(this,function(){return function(e){function t(r){if(n[r])return n[r].exports;var a=n[r]={i:r,l:!1,exports:{}};return e[r].call(a.exports,a,a.exports,t),a.l=!0,a.exports}var n={};return t.m=e,t.c=n,t.i=function(e){return e},t.d=function(e,n,r){t.o(e,n)||Object.defineProperty(e,n,{configurable:!1,enumerable:!0,get:r})},t.n=function(e){var n=e&amp;&amp;e.__esModule?function(){return e.default}:function(){return e};return t.d(n,"a",n),n},t.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},t.p=".",t(t.s=10)}([function(e,t){e.exports={"#":{pattern:/\d/},X:{pattern:/[0-9a-zA-Z]/},S:{pattern:/[a-zA-Z]/},A:{pattern:/[a-zA-Z]/,transform:function(e){return e.toLocaleUpperCase()}},a:{pattern:/[a-zA-Z]/,transform:function(e){return e.toLocaleLowerCase()}},"!":{escape:!0}}},function(e,t,n){"use strict";function r(e){var t=document.createEvent("Event");return t.initEvent(e,!0,!0),t}var a=n(2),o=n(0),i=n.n(o);t.a=function(e,t){var o=t.value;if((Array.isArray(o)||"string"==typeof o)&amp;&amp;(o={mask:o,tokens:i.a}),"INPUT"!==e.tagName.toLocaleUpperCase()){var u=e.getElementsByTagName("input");if(1!==u.length)throw new Error("v-mask directive requires 1 input, found "+u.length);e=u[0]}e.oninput=function(t){if(t.isTrusted){var i=e.selectionEnd,u=e.value[i-1];for(e.value=n.i(a.a)(e.value,o.mask,!0,o.tokens);i&lt;e.value.length&amp;&amp;e.value.charAt(i-1)!==u;)i++;e===document.activeElement&amp;&amp;(e.setSelectionRange(i,i),setTimeout(function(){e.setSelectionRange(i,i)},0)),e.dispatchEvent(r("input"))}};var s=n.i(a.a)(e.value,o.mask,!0,o.tokens);s!==e.value&amp;&amp;(e.value=s,e.dispatchEvent(r("input")))}},function(e,t,n){"use strict";var r=n(6),a=n(5);t.a=function(e,t){var o=!(arguments.length&gt;2&amp;&amp;void 0!==arguments[2])||arguments[2],i=arguments[3];return Array.isArray(t)?n.i(a.a)(r.a,t,i)(e,t,o,i):n.i(r.a)(e,t,o,i)}},function(e,t,n){"use strict";function r(e){e.component(s.a.name,s.a),e.directive("mask",i.a)}Object.defineProperty(t,"__esModule",{value:!0});var a=n(0),o=n.n(a),i=n(1),u=n(7),s=n.n(u);n.d(t,"TheMask",function(){return s.a}),n.d(t,"mask",function(){return i.a}),n.d(t,"tokens",function(){return o.a}),n.d(t,"version",function(){return c});var c="0.11.1";t.default=r,"undefined"!=typeof window&amp;&amp;window.Vue&amp;&amp;window.Vue.use(r)},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1),a=n(0),o=n.n(a),i=n(2);t.default={name:"TheMask",props:{value:[String,Number],mask:{type:[String,Array],required:!0},masked:{type:Boolean,default:!1},tokens:{type:Object,default:function(){return o.a}}},directives:{mask:r.a},data:function(){return{lastValue:null,display:this.value}},watch:{value:function(e){e!==this.lastValue&amp;&amp;(this.display=e)},masked:function(){this.refresh(this.display)}},computed:{config:function(){return{mask:this.mask,tokens:this.tokens,masked:this.masked}}},methods:{onInput:function(e){e.isTrusted||this.refresh(e.target.value)},refresh:function(e){this.display=e;var e=n.i(i.a)(e,this.mask,this.masked,this.tokens);e!==this.lastValue&amp;&amp;(this.lastValue=e,this.$emit("input",e))}}}},function(e,t,n){"use strict";function r(e,t,n){return t=t.sort(function(e,t){return e.length-t.length}),function(r,a){for(var o=!(arguments.length&gt;2&amp;&amp;void 0!==arguments[2])||arguments[2],i=0;i&lt;t.length;){var u=t[i];i++;var s=t[i];if(!(s&amp;&amp;e(r,s,!0,n).length&gt;u.length))return e(r,u,o,n)}return""}}t.a=r},function(e,t,n){"use strict";function r(e,t){var n=!(arguments.length&gt;2&amp;&amp;void 0!==arguments[2])||arguments[2],r=arguments[3];e=e||"",t=t||"";for(var a=0,o=0,i="";a&lt;t.length&amp;&amp;o&lt;e.length;){var u=t[a],s=r[u],c=e[o];s&amp;&amp;!s.escape?(s.pattern.test(c)&amp;&amp;(i+=s.transform?s.transform(c):c,a++),o++):(s&amp;&amp;s.escape&amp;&amp;(a++,u=t[a]),n&amp;&amp;(i+=u),c===u&amp;&amp;o++,a++)}for(var f="";a&lt;t.length&amp;&amp;n;){var u=t[a];if(r[u]){f="";break}f+=u,a++}return i+f}t.a=r},function(e,t,n){var r=n(8)(n(4),n(9),null,null);e.exports=r.exports},function(e,t){e.exports=function(e,t,n,r){var a,o=e=e||{},i=typeof e.default;"object"!==i&amp;&amp;"function"!==i||(a=e,o=e.default);var u="function"==typeof o?o.options:o;if(t&amp;&amp;(u.render=t.render,u.staticRenderFns=t.staticRenderFns),n&amp;&amp;(u._scopeId=n),r){var s=u.computed||(u.computed={});Object.keys(r).forEach(function(e){var t=r[e];s[e]=function(){return t}})}return{esModule:a,exports:o,options:u}}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement;return(e._self._c||t)("input",{directives:[{name:"mask",rawName:"v-mask",value:e.config,expression:"config"}],attrs:{type:"text"},domProps:{value:e.display},on:{input:e.onInput}})},staticRenderFns:[]}},function(e,t,n){e.exports=n(3)}])});

/***/ }),

/***/ "./node_modules/vue/dist/vue.esm.js":
/*!******************************************!*\
  !*** ./node_modules/vue/dist/vue.esm.js ***!
  \******************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   EffectScope: () =&gt; (/* binding */ EffectScope),
/* harmony export */   computed: () =&gt; (/* binding */ computed),
/* harmony export */   customRef: () =&gt; (/* binding */ customRef),
/* harmony export */   "default": () =&gt; (/* binding */ Vue),
/* harmony export */   defineAsyncComponent: () =&gt; (/* binding */ defineAsyncComponent),
/* harmony export */   defineComponent: () =&gt; (/* binding */ defineComponent),
/* harmony export */   del: () =&gt; (/* binding */ del),
/* harmony export */   effectScope: () =&gt; (/* binding */ effectScope),
/* harmony export */   getCurrentInstance: () =&gt; (/* binding */ getCurrentInstance),
/* harmony export */   getCurrentScope: () =&gt; (/* binding */ getCurrentScope),
/* harmony export */   h: () =&gt; (/* binding */ h),
/* harmony export */   inject: () =&gt; (/* binding */ inject),
/* harmony export */   isProxy: () =&gt; (/* binding */ isProxy),
/* harmony export */   isReactive: () =&gt; (/* binding */ isReactive),
/* harmony export */   isReadonly: () =&gt; (/* binding */ isReadonly),
/* harmony export */   isRef: () =&gt; (/* binding */ isRef),
/* harmony export */   isShallow: () =&gt; (/* binding */ isShallow),
/* harmony export */   markRaw: () =&gt; (/* binding */ markRaw),
/* harmony export */   mergeDefaults: () =&gt; (/* binding */ mergeDefaults),
/* harmony export */   nextTick: () =&gt; (/* binding */ nextTick),
/* harmony export */   onActivated: () =&gt; (/* binding */ onActivated),
/* harmony export */   onBeforeMount: () =&gt; (/* binding */ onBeforeMount),
/* harmony export */   onBeforeUnmount: () =&gt; (/* binding */ onBeforeUnmount),
/* harmony export */   onBeforeUpdate: () =&gt; (/* binding */ onBeforeUpdate),
/* harmony export */   onDeactivated: () =&gt; (/* binding */ onDeactivated),
/* harmony export */   onErrorCaptured: () =&gt; (/* binding */ onErrorCaptured),
/* harmony export */   onMounted: () =&gt; (/* binding */ onMounted),
/* harmony export */   onRenderTracked: () =&gt; (/* binding */ onRenderTracked),
/* harmony export */   onRenderTriggered: () =&gt; (/* binding */ onRenderTriggered),
/* harmony export */   onScopeDispose: () =&gt; (/* binding */ onScopeDispose),
/* harmony export */   onServerPrefetch: () =&gt; (/* binding */ onServerPrefetch),
/* harmony export */   onUnmounted: () =&gt; (/* binding */ onUnmounted),
/* harmony export */   onUpdated: () =&gt; (/* binding */ onUpdated),
/* harmony export */   provide: () =&gt; (/* binding */ provide),
/* harmony export */   proxyRefs: () =&gt; (/* binding */ proxyRefs),
/* harmony export */   reactive: () =&gt; (/* binding */ reactive),
/* harmony export */   readonly: () =&gt; (/* binding */ readonly),
/* harmony export */   ref: () =&gt; (/* binding */ ref$1),
/* harmony export */   set: () =&gt; (/* binding */ set),
/* harmony export */   shallowReactive: () =&gt; (/* binding */ shallowReactive),
/* harmony export */   shallowReadonly: () =&gt; (/* binding */ shallowReadonly),
/* harmony export */   shallowRef: () =&gt; (/* binding */ shallowRef),
/* harmony export */   toRaw: () =&gt; (/* binding */ toRaw),
/* harmony export */   toRef: () =&gt; (/* binding */ toRef),
/* harmony export */   toRefs: () =&gt; (/* binding */ toRefs),
/* harmony export */   triggerRef: () =&gt; (/* binding */ triggerRef),
/* harmony export */   unref: () =&gt; (/* binding */ unref),
/* harmony export */   useAttrs: () =&gt; (/* binding */ useAttrs),
/* harmony export */   useCssModule: () =&gt; (/* binding */ useCssModule),
/* harmony export */   useCssVars: () =&gt; (/* binding */ useCssVars),
/* harmony export */   useListeners: () =&gt; (/* binding */ useListeners),
/* harmony export */   useSlots: () =&gt; (/* binding */ useSlots),
/* harmony export */   version: () =&gt; (/* binding */ version),
/* harmony export */   watch: () =&gt; (/* binding */ watch),
/* harmony export */   watchEffect: () =&gt; (/* binding */ watchEffect),
/* harmony export */   watchPostEffect: () =&gt; (/* binding */ watchPostEffect),
/* harmony export */   watchSyncEffect: () =&gt; (/* binding */ watchSyncEffect)
/* harmony export */ });
/*!
 * Vue.js v2.7.14
 * (c) 2014-2022 Evan You
 * Released under the MIT License.
 */
var emptyObject = Object.freeze({});
var isArray = Array.isArray;
// These helpers produce better VM code in JS engines due to their
// explicitness and function inlining.
function isUndef(v) {
    return v === undefined || v === null;
}
function isDef(v) {
    return v !== undefined &amp;&amp; v !== null;
}
function isTrue(v) {
    return v === true;
}
function isFalse(v) {
    return v === false;
}
/**
 * Check if value is primitive.
 */
function isPrimitive(value) {
    return (typeof value === 'string' ||
        typeof value === 'number' ||
        // $flow-disable-line
        typeof value === 'symbol' ||
        typeof value === 'boolean');
}
function isFunction(value) {
    return typeof value === 'function';
}
/**
 * Quick object check - this is primarily used to tell
 * objects from primitive values when we know the value
 * is a JSON-compliant type.
 */
function isObject(obj) {
    return obj !== null &amp;&amp; typeof obj === 'object';
}
/**
 * Get the raw type string of a value, e.g., [object Object].
 */
var _toString = Object.prototype.toString;
function toRawType(value) {
    return _toString.call(value).slice(8, -1);
}
/**
 * Strict object type check. Only returns true
 * for plain JavaScript objects.
 */
function isPlainObject(obj) {
    return _toString.call(obj) === '[object Object]';
}
function isRegExp(v) {
    return _toString.call(v) === '[object RegExp]';
}
/**
 * Check if val is a valid array index.
 */
function isValidArrayIndex(val) {
    var n = parseFloat(String(val));
    return n &gt;= 0 &amp;&amp; Math.floor(n) === n &amp;&amp; isFinite(val);
}
function isPromise(val) {
    return (isDef(val) &amp;&amp;
        typeof val.then === 'function' &amp;&amp;
        typeof val.catch === 'function');
}
/**
 * Convert a value to a string that is actually rendered.
 */
function toString(val) {
    return val == null
        ? ''
        : Array.isArray(val) || (isPlainObject(val) &amp;&amp; val.toString === _toString)
            ? JSON.stringify(val, null, 2)
            : String(val);
}
/**
 * Convert an input value to a number for persistence.
 * If the conversion fails, return original string.
 */
function toNumber(val) {
    var n = parseFloat(val);
    return isNaN(n) ? val : n;
}
/**
 * Make a map and return a function for checking if a key
 * is in that map.
 */
function makeMap(str, expectsLowerCase) {
    var map = Object.create(null);
    var list = str.split(',');
    for (var i = 0; i &lt; list.length; i++) {
        map[list[i]] = true;
    }
    return expectsLowerCase ? function (val) { return map[val.toLowerCase()]; } : function (val) { return map[val]; };
}
/**
 * Check if a tag is a built-in tag.
 */
var isBuiltInTag = makeMap('slot,component', true);
/**
 * Check if an attribute is a reserved attribute.
 */
var isReservedAttribute = makeMap('key,ref,slot,slot-scope,is');
/**
 * Remove an item from an array.
 */
function remove$2(arr, item) {
    var len = arr.length;
    if (len) {
        // fast path for the only / last item
        if (item === arr[len - 1]) {
            arr.length = len - 1;
            return;
        }
        var index = arr.indexOf(item);
        if (index &gt; -1) {
            return arr.splice(index, 1);
        }
    }
}
/**
 * Check whether an object has the property.
 */
var hasOwnProperty = Object.prototype.hasOwnProperty;
function hasOwn(obj, key) {
    return hasOwnProperty.call(obj, key);
}
/**
 * Create a cached version of a pure function.
 */
function cached(fn) {
    var cache = Object.create(null);
    return function cachedFn(str) {
        var hit = cache[str];
        return hit || (cache[str] = fn(str));
    };
}
/**
 * Camelize a hyphen-delimited string.
 */
var camelizeRE = /-(\w)/g;
var camelize = cached(function (str) {
    return str.replace(camelizeRE, function (_, c) { return (c ? c.toUpperCase() : ''); });
});
/**
 * Capitalize a string.
 */
var capitalize = cached(function (str) {
    return str.charAt(0).toUpperCase() + str.slice(1);
});
/**
 * Hyphenate a camelCase string.
 */
var hyphenateRE = /\B([A-Z])/g;
var hyphenate = cached(function (str) {
    return str.replace(hyphenateRE, '-$1').toLowerCase();
});
/**
 * Simple bind polyfill for environments that do not support it,
 * e.g., PhantomJS 1.x. Technically, we don't need this anymore
 * since native bind is now performant enough in most browsers.
 * But removing it would mean breaking code that was able to run in
 * PhantomJS 1.x, so this must be kept for backward compatibility.
 */
/* istanbul ignore next */
function polyfillBind(fn, ctx) {
    function boundFn(a) {
        var l = arguments.length;
        return l
            ? l &gt; 1
                ? fn.apply(ctx, arguments)
                : fn.call(ctx, a)
            : fn.call(ctx);
    }
    boundFn._length = fn.length;
    return boundFn;
}
function nativeBind(fn, ctx) {
    return fn.bind(ctx);
}
// @ts-expect-error bind cannot be `undefined`
var bind$1 = Function.prototype.bind ? nativeBind : polyfillBind;
/**
 * Convert an Array-like object to a real Array.
 */
function toArray(list, start) {
    start = start || 0;
    var i = list.length - start;
    var ret = new Array(i);
    while (i--) {
        ret[i] = list[i + start];
    }
    return ret;
}
/**
 * Mix properties into target object.
 */
function extend(to, _from) {
    for (var key in _from) {
        to[key] = _from[key];
    }
    return to;
}
/**
 * Merge an Array of Objects into a single Object.
 */
function toObject(arr) {
    var res = {};
    for (var i = 0; i &lt; arr.length; i++) {
        if (arr[i]) {
            extend(res, arr[i]);
        }
    }
    return res;
}
/* eslint-disable no-unused-vars */
/**
 * Perform no operation.
 * Stubbing args to make Flow happy without leaving useless transpiled code
 * with ...rest (https://flow.org/blog/2017/05/07/Strict-Function-Call-Arity/).
 */
function noop(a, b, c) { }
/**
 * Always return false.
 */
var no = function (a, b, c) { return false; };
/* eslint-enable no-unused-vars */
/**
 * Return the same value.
 */
var identity = function (_) { return _; };
/**
 * Generate a string containing static keys from compiler modules.
 */
function genStaticKeys$1(modules) {
    return modules
        .reduce(function (keys, m) {
        return keys.concat(m.staticKeys || []);
    }, [])
        .join(',');
}
/**
 * Check if two values are loosely equal - that is,
 * if they are plain objects, do they have the same shape?
 */
function looseEqual(a, b) {
    if (a === b)
        return true;
    var isObjectA = isObject(a);
    var isObjectB = isObject(b);
    if (isObjectA &amp;&amp; isObjectB) {
        try {
            var isArrayA = Array.isArray(a);
            var isArrayB = Array.isArray(b);
            if (isArrayA &amp;&amp; isArrayB) {
                return (a.length === b.length &amp;&amp;
                    a.every(function (e, i) {
                        return looseEqual(e, b[i]);
                    }));
            }
            else if (a instanceof Date &amp;&amp; b instanceof Date) {
                return a.getTime() === b.getTime();
            }
            else if (!isArrayA &amp;&amp; !isArrayB) {
                var keysA = Object.keys(a);
                var keysB = Object.keys(b);
                return (keysA.length === keysB.length &amp;&amp;
                    keysA.every(function (key) {
                        return looseEqual(a[key], b[key]);
                    }));
            }
            else {
                /* istanbul ignore next */
                return false;
            }
        }
        catch (e) {
            /* istanbul ignore next */
            return false;
        }
    }
    else if (!isObjectA &amp;&amp; !isObjectB) {
        return String(a) === String(b);
    }
    else {
        return false;
    }
}
/**
 * Return the first index at which a loosely equal value can be
 * found in the array (if value is a plain object, the array must
 * contain an object of the same shape), or -1 if it is not present.
 */
function looseIndexOf(arr, val) {
    for (var i = 0; i &lt; arr.length; i++) {
        if (looseEqual(arr[i], val))
            return i;
    }
    return -1;
}
/**
 * Ensure a function is called only once.
 */
function once(fn) {
    var called = false;
    return function () {
        if (!called) {
            called = true;
            fn.apply(this, arguments);
        }
    };
}
// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is#polyfill
function hasChanged(x, y) {
    if (x === y) {
        return x === 0 &amp;&amp; 1 / x !== 1 / y;
    }
    else {
        return x === x || y === y;
    }
}

var SSR_ATTR = 'data-server-rendered';
var ASSET_TYPES = ['component', 'directive', 'filter'];
var LIFECYCLE_HOOKS = [
    'beforeCreate',
    'created',
    'beforeMount',
    'mounted',
    'beforeUpdate',
    'updated',
    'beforeDestroy',
    'destroyed',
    'activated',
    'deactivated',
    'errorCaptured',
    'serverPrefetch',
    'renderTracked',
    'renderTriggered'
];

var config = {
    /**
     * Option merge strategies (used in core/util/options)
     */
    // $flow-disable-line
    optionMergeStrategies: Object.create(null),
    /**
     * Whether to suppress warnings.
     */
    silent: false,
    /**
     * Show production mode tip message on boot?
     */
    productionTip: "development" !== 'production',
    /**
     * Whether to enable devtools
     */
    devtools: "development" !== 'production',
    /**
     * Whether to record perf
     */
    performance: false,
    /**
     * Error handler for watcher errors
     */
    errorHandler: null,
    /**
     * Warn handler for watcher warns
     */
    warnHandler: null,
    /**
     * Ignore certain custom elements
     */
    ignoredElements: [],
    /**
     * Custom user key aliases for v-on
     */
    // $flow-disable-line
    keyCodes: Object.create(null),
    /**
     * Check if a tag is reserved so that it cannot be registered as a
     * component. This is platform-dependent and may be overwritten.
     */
    isReservedTag: no,
    /**
     * Check if an attribute is reserved so that it cannot be used as a component
     * prop. This is platform-dependent and may be overwritten.
     */
    isReservedAttr: no,
    /**
     * Check if a tag is an unknown element.
     * Platform-dependent.
     */
    isUnknownElement: no,
    /**
     * Get the namespace of an element
     */
    getTagNamespace: noop,
    /**
     * Parse the real tag name for the specific platform.
     */
    parsePlatformTagName: identity,
    /**
     * Check if an attribute must be bound using property, e.g. value
     * Platform-dependent.
     */
    mustUseProp: no,
    /**
     * Perform updates asynchronously. Intended to be used by Vue Test Utils
     * This will significantly reduce performance if set to false.
     */
    async: true,
    /**
     * Exposed for legacy reasons
     */
    _lifecycleHooks: LIFECYCLE_HOOKS
};

/**
 * unicode letters used for parsing html tags, component names and property paths.
 * using https://www.w3.org/TR/html53/semantics-scripting.html#potentialcustomelementname
 * skipping \u10000-\uEFFFF due to it freezing up PhantomJS
 */
var unicodeRegExp = /a-zA-Z\u00B7\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u037D\u037F-\u1FFF\u200C-\u200D\u203F-\u2040\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD/;
/**
 * Check if a string starts with $ or _
 */
function isReserved(str) {
    var c = (str + '').charCodeAt(0);
    return c === 0x24 || c === 0x5f;
}
/**
 * Define a property.
 */
function def(obj, key, val, enumerable) {
    Object.defineProperty(obj, key, {
        value: val,
        enumerable: !!enumerable,
        writable: true,
        configurable: true
    });
}
/**
 * Parse simple path.
 */
var bailRE = new RegExp("[^".concat(unicodeRegExp.source, ".$_\\d]"));
function parsePath(path) {
    if (bailRE.test(path)) {
        return;
    }
    var segments = path.split('.');
    return function (obj) {
        for (var i = 0; i &lt; segments.length; i++) {
            if (!obj)
                return;
            obj = obj[segments[i]];
        }
        return obj;
    };
}

// can we use __proto__?
var hasProto = '__proto__' in {};
// Browser environment sniffing
var inBrowser = typeof window !== 'undefined';
var UA = inBrowser &amp;&amp; window.navigator.userAgent.toLowerCase();
var isIE = UA &amp;&amp; /msie|trident/.test(UA);
var isIE9 = UA &amp;&amp; UA.indexOf('msie 9.0') &gt; 0;
var isEdge = UA &amp;&amp; UA.indexOf('edge/') &gt; 0;
UA &amp;&amp; UA.indexOf('android') &gt; 0;
var isIOS = UA &amp;&amp; /iphone|ipad|ipod|ios/.test(UA);
UA &amp;&amp; /chrome\/\d+/.test(UA) &amp;&amp; !isEdge;
UA &amp;&amp; /phantomjs/.test(UA);
var isFF = UA &amp;&amp; UA.match(/firefox\/(\d+)/);
// Firefox has a "watch" function on Object.prototype...
// @ts-expect-error firebox support
var nativeWatch = {}.watch;
var supportsPassive = false;
if (inBrowser) {
    try {
        var opts = {};
        Object.defineProperty(opts, 'passive', {
            get: function () {
                /* istanbul ignore next */
                supportsPassive = true;
            }
        }); // https://github.com/facebook/flow/issues/285
        window.addEventListener('test-passive', null, opts);
    }
    catch (e) { }
}
// this needs to be lazy-evaled because vue may be required before
// vue-server-renderer can set VUE_ENV
var _isServer;
var isServerRendering = function () {
    if (_isServer === undefined) {
        /* istanbul ignore if */
        if (!inBrowser &amp;&amp; typeof __webpack_require__.g !== 'undefined') {
            // detect presence of vue-server-renderer and avoid
            // Webpack shimming the process
            _isServer =
                __webpack_require__.g['process'] &amp;&amp; __webpack_require__.g['process'].env.VUE_ENV === 'server';
        }
        else {
            _isServer = false;
        }
    }
    return _isServer;
};
// detect devtools
var devtools = inBrowser &amp;&amp; window.__VUE_DEVTOOLS_GLOBAL_HOOK__;
/* istanbul ignore next */
function isNative(Ctor) {
    return typeof Ctor === 'function' &amp;&amp; /native code/.test(Ctor.toString());
}
var hasSymbol = typeof Symbol !== 'undefined' &amp;&amp;
    isNative(Symbol) &amp;&amp;
    typeof Reflect !== 'undefined' &amp;&amp;
    isNative(Reflect.ownKeys);
var _Set; // $flow-disable-line
/* istanbul ignore if */ if (typeof Set !== 'undefined' &amp;&amp; isNative(Set)) {
    // use native Set when available.
    _Set = Set;
}
else {
    // a non-standard Set polyfill that only works with primitive keys.
    _Set = /** @class */ (function () {
        function Set() {
            this.set = Object.create(null);
        }
        Set.prototype.has = function (key) {
            return this.set[key] === true;
        };
        Set.prototype.add = function (key) {
            this.set[key] = true;
        };
        Set.prototype.clear = function () {
            this.set = Object.create(null);
        };
        return Set;
    }());
}

var currentInstance = null;
/**
 * This is exposed for compatibility with v3 (e.g. some functions in VueUse
 * relies on it). Do not use this internally, just use `currentInstance`.
 *
 * @internal this function needs manual type declaration because it relies
 * on previously manually authored types from Vue 2
 */
function getCurrentInstance() {
    return currentInstance &amp;&amp; { proxy: currentInstance };
}
/**
 * @internal
 */
function setCurrentInstance(vm) {
    if (vm === void 0) { vm = null; }
    if (!vm)
        currentInstance &amp;&amp; currentInstance._scope.off();
    currentInstance = vm;
    vm &amp;&amp; vm._scope.on();
}

/**
 * @internal
 */
var VNode = /** @class */ (function () {
    function VNode(tag, data, children, text, elm, context, componentOptions, asyncFactory) {
        this.tag = tag;
        this.data = data;
        this.children = children;
        this.text = text;
        this.elm = elm;
        this.ns = undefined;
        this.context = context;
        this.fnContext = undefined;
        this.fnOptions = undefined;
        this.fnScopeId = undefined;
        this.key = data &amp;&amp; data.key;
        this.componentOptions = componentOptions;
        this.componentInstance = undefined;
        this.parent = undefined;
        this.raw = false;
        this.isStatic = false;
        this.isRootInsert = true;
        this.isComment = false;
        this.isCloned = false;
        this.isOnce = false;
        this.asyncFactory = asyncFactory;
        this.asyncMeta = undefined;
        this.isAsyncPlaceholder = false;
    }
    Object.defineProperty(VNode.prototype, "child", {
        // DEPRECATED: alias for componentInstance for backwards compat.
        /* istanbul ignore next */
        get: function () {
            return this.componentInstance;
        },
        enumerable: false,
        configurable: true
    });
    return VNode;
}());
var createEmptyVNode = function (text) {
    if (text === void 0) { text = ''; }
    var node = new VNode();
    node.text = text;
    node.isComment = true;
    return node;
};
function createTextVNode(val) {
    return new VNode(undefined, undefined, undefined, String(val));
}
// optimized shallow clone
// used for static nodes and slot nodes because they may be reused across
// multiple renders, cloning them avoids errors when DOM manipulations rely
// on their elm reference.
function cloneVNode(vnode) {
    var cloned = new VNode(vnode.tag, vnode.data, 
    // #7975
    // clone children array to avoid mutating original in case of cloning
    // a child.
    vnode.children &amp;&amp; vnode.children.slice(), vnode.text, vnode.elm, vnode.context, vnode.componentOptions, vnode.asyncFactory);
    cloned.ns = vnode.ns;
    cloned.isStatic = vnode.isStatic;
    cloned.key = vnode.key;
    cloned.isComment = vnode.isComment;
    cloned.fnContext = vnode.fnContext;
    cloned.fnOptions = vnode.fnOptions;
    cloned.fnScopeId = vnode.fnScopeId;
    cloned.asyncMeta = vnode.asyncMeta;
    cloned.isCloned = true;
    return cloned;
}

/* not type checking this file because flow doesn't play well with Proxy */
var initProxy;
if (true) {
    var allowedGlobals_1 = makeMap('Infinity,undefined,NaN,isFinite,isNaN,' +
        'parseFloat,parseInt,decodeURI,decodeURIComponent,encodeURI,encodeURIComponent,' +
        'Math,Number,Date,Array,Object,Boolean,String,RegExp,Map,Set,JSON,Intl,BigInt,' +
        'require' // for Webpack/Browserify
    );
    var warnNonPresent_1 = function (target, key) {
        warn$2("Property or method \"".concat(key, "\" is not defined on the instance but ") +
            'referenced during render. Make sure that this property is reactive, ' +
            'either in the data option, or for class-based components, by ' +
            'initializing the property. ' +
            'See: https://v2.vuejs.org/v2/guide/reactivity.html#Declaring-Reactive-Properties.', target);
    };
    var warnReservedPrefix_1 = function (target, key) {
        warn$2("Property \"".concat(key, "\" must be accessed with \"$data.").concat(key, "\" because ") +
            'properties starting with "$" or "_" are not proxied in the Vue instance to ' +
            'prevent conflicts with Vue internals. ' +
            'See: https://v2.vuejs.org/v2/api/#data', target);
    };
    var hasProxy_1 = typeof Proxy !== 'undefined' &amp;&amp; isNative(Proxy);
    if (hasProxy_1) {
        var isBuiltInModifier_1 = makeMap('stop,prevent,self,ctrl,shift,alt,meta,exact');
        config.keyCodes = new Proxy(config.keyCodes, {
            set: function (target, key, value) {
                if (isBuiltInModifier_1(key)) {
                    warn$2("Avoid overwriting built-in modifier in config.keyCodes: .".concat(key));
                    return false;
                }
                else {
                    target[key] = value;
                    return true;
                }
            }
        });
    }
    var hasHandler_1 = {
        has: function (target, key) {
            var has = key in target;
            var isAllowed = allowedGlobals_1(key) ||
                (typeof key === 'string' &amp;&amp;
                    key.charAt(0) === '_' &amp;&amp;
                    !(key in target.$data));
            if (!has &amp;&amp; !isAllowed) {
                if (key in target.$data)
                    warnReservedPrefix_1(target, key);
                else
                    warnNonPresent_1(target, key);
            }
            return has || !isAllowed;
        }
    };
    var getHandler_1 = {
        get: function (target, key) {
            if (typeof key === 'string' &amp;&amp; !(key in target)) {
                if (key in target.$data)
                    warnReservedPrefix_1(target, key);
                else
                    warnNonPresent_1(target, key);
            }
            return target[key];
        }
    };
    initProxy = function initProxy(vm) {
        if (hasProxy_1) {
            // determine which proxy handler to use
            var options = vm.$options;
            var handlers = options.render &amp;&amp; options.render._withStripped ? getHandler_1 : hasHandler_1;
            vm._renderProxy = new Proxy(vm, handlers);
        }
        else {
            vm._renderProxy = vm;
        }
    };
}

/******************************************************************************
Copyright (c) Microsoft Corporation.

Permission to use, copy, modify, and/or distribute this software for any
purpose with or without fee is hereby granted.

THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH
REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY
AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL, DIRECT,
INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM
LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR
OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR
PERFORMANCE OF THIS SOFTWARE.
***************************************************************************** */

var __assign = function() {
    __assign = Object.assign || function __assign(t) {
        for (var s, i = 1, n = arguments.length; i &lt; n; i++) {
            s = arguments[i];
            for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];
        }
        return t;
    };
    return __assign.apply(this, arguments);
};

var uid$2 = 0;
var pendingCleanupDeps = [];
var cleanupDeps = function () {
    for (var i = 0; i &lt; pendingCleanupDeps.length; i++) {
        var dep = pendingCleanupDeps[i];
        dep.subs = dep.subs.filter(function (s) { return s; });
        dep._pending = false;
    }
    pendingCleanupDeps.length = 0;
};
/**
 * A dep is an observable that can have multiple
 * directives subscribing to it.
 * @internal
 */
var Dep = /** @class */ (function () {
    function Dep() {
        // pending subs cleanup
        this._pending = false;
        this.id = uid$2++;
        this.subs = [];
    }
    Dep.prototype.addSub = function (sub) {
        this.subs.push(sub);
    };
    Dep.prototype.removeSub = function (sub) {
        // #12696 deps with massive amount of subscribers are extremely slow to
        // clean up in Chromium
        // to workaround this, we unset the sub for now, and clear them on
        // next scheduler flush.
        this.subs[this.subs.indexOf(sub)] = null;
        if (!this._pending) {
            this._pending = true;
            pendingCleanupDeps.push(this);
        }
    };
    Dep.prototype.depend = function (info) {
        if (Dep.target) {
            Dep.target.addDep(this);
            if ( true &amp;&amp; info &amp;&amp; Dep.target.onTrack) {
                Dep.target.onTrack(__assign({ effect: Dep.target }, info));
            }
        }
    };
    Dep.prototype.notify = function (info) {
        // stabilize the subscriber list first
        var subs = this.subs.filter(function (s) { return s; });
        if ( true &amp;&amp; !config.async) {
            // subs aren't sorted in scheduler if not running async
            // we need to sort them now to make sure they fire in correct
            // order
            subs.sort(function (a, b) { return a.id - b.id; });
        }
        for (var i = 0, l = subs.length; i &lt; l; i++) {
            var sub = subs[i];
            if ( true &amp;&amp; info) {
                sub.onTrigger &amp;&amp;
                    sub.onTrigger(__assign({ effect: subs[i] }, info));
            }
            sub.update();
        }
    };
    return Dep;
}());
// The current target watcher being evaluated.
// This is globally unique because only one watcher
// can be evaluated at a time.
Dep.target = null;
var targetStack = [];
function pushTarget(target) {
    targetStack.push(target);
    Dep.target = target;
}
function popTarget() {
    targetStack.pop();
    Dep.target = targetStack[targetStack.length - 1];
}

/*
 * not type checking this file because flow doesn't play well with
 * dynamically accessing methods on Array prototype
 */
var arrayProto = Array.prototype;
var arrayMethods = Object.create(arrayProto);
var methodsToPatch = [
    'push',
    'pop',
    'shift',
    'unshift',
    'splice',
    'sort',
    'reverse'
];
/**
 * Intercept mutating methods and emit events
 */
methodsToPatch.forEach(function (method) {
    // cache original method
    var original = arrayProto[method];
    def(arrayMethods, method, function mutator() {
        var args = [];
        for (var _i = 0; _i &lt; arguments.length; _i++) {
            args[_i] = arguments[_i];
        }
        var result = original.apply(this, args);
        var ob = this.__ob__;
        var inserted;
        switch (method) {
            case 'push':
            case 'unshift':
                inserted = args;
                break;
            case 'splice':
                inserted = args.slice(2);
                break;
        }
        if (inserted)
            ob.observeArray(inserted);
        // notify change
        if (true) {
            ob.dep.notify({
                type: "array mutation" /* TriggerOpTypes.ARRAY_MUTATION */,
                target: this,
                key: method
            });
        }
        else {}
        return result;
    });
});

var arrayKeys = Object.getOwnPropertyNames(arrayMethods);
var NO_INIITIAL_VALUE = {};
/**
 * In some cases we may want to disable observation inside a component's
 * update computation.
 */
var shouldObserve = true;
function toggleObserving(value) {
    shouldObserve = value;
}
// ssr mock dep
var mockDep = {
    notify: noop,
    depend: noop,
    addSub: noop,
    removeSub: noop
};
/**
 * Observer class that is attached to each observed
 * object. Once attached, the observer converts the target
 * object's property keys into getter/setters that
 * collect dependencies and dispatch updates.
 */
var Observer = /** @class */ (function () {
    function Observer(value, shallow, mock) {
        if (shallow === void 0) { shallow = false; }
        if (mock === void 0) { mock = false; }
        this.value = value;
        this.shallow = shallow;
        this.mock = mock;
        // this.value = value
        this.dep = mock ? mockDep : new Dep();
        this.vmCount = 0;
        def(value, '__ob__', this);
        if (isArray(value)) {
            if (!mock) {
                if (hasProto) {
                    value.__proto__ = arrayMethods;
                    /* eslint-enable no-proto */
                }
                else {
                    for (var i = 0, l = arrayKeys.length; i &lt; l; i++) {
                        var key = arrayKeys[i];
                        def(value, key, arrayMethods[key]);
                    }
                }
            }
            if (!shallow) {
                this.observeArray(value);
            }
        }
        else {
            /**
             * Walk through all properties and convert them into
             * getter/setters. This method should only be called when
             * value type is Object.
             */
            var keys = Object.keys(value);
            for (var i = 0; i &lt; keys.length; i++) {
                var key = keys[i];
                defineReactive(value, key, NO_INIITIAL_VALUE, undefined, shallow, mock);
            }
        }
    }
    /**
     * Observe a list of Array items.
     */
    Observer.prototype.observeArray = function (value) {
        for (var i = 0, l = value.length; i &lt; l; i++) {
            observe(value[i], false, this.mock);
        }
    };
    return Observer;
}());
// helpers
/**
 * Attempt to create an observer instance for a value,
 * returns the new observer if successfully observed,
 * or the existing observer if the value already has one.
 */
function observe(value, shallow, ssrMockReactivity) {
    if (value &amp;&amp; hasOwn(value, '__ob__') &amp;&amp; value.__ob__ instanceof Observer) {
        return value.__ob__;
    }
    if (shouldObserve &amp;&amp;
        (ssrMockReactivity || !isServerRendering()) &amp;&amp;
        (isArray(value) || isPlainObject(value)) &amp;&amp;
        Object.isExtensible(value) &amp;&amp;
        !value.__v_skip /* ReactiveFlags.SKIP */ &amp;&amp;
        !isRef(value) &amp;&amp;
        !(value instanceof VNode)) {
        return new Observer(value, shallow, ssrMockReactivity);
    }
}
/**
 * Define a reactive property on an Object.
 */
function defineReactive(obj, key, val, customSetter, shallow, mock) {
    var dep = new Dep();
    var property = Object.getOwnPropertyDescriptor(obj, key);
    if (property &amp;&amp; property.configurable === false) {
        return;
    }
    // cater for pre-defined getter/setters
    var getter = property &amp;&amp; property.get;
    var setter = property &amp;&amp; property.set;
    if ((!getter || setter) &amp;&amp;
        (val === NO_INIITIAL_VALUE || arguments.length === 2)) {
        val = obj[key];
    }
    var childOb = !shallow &amp;&amp; observe(val, false, mock);
    Object.defineProperty(obj, key, {
        enumerable: true,
        configurable: true,
        get: function reactiveGetter() {
            var value = getter ? getter.call(obj) : val;
            if (Dep.target) {
                if (true) {
                    dep.depend({
                        target: obj,
                        type: "get" /* TrackOpTypes.GET */,
                        key: key
                    });
                }
                else {}
                if (childOb) {
                    childOb.dep.depend();
                    if (isArray(value)) {
                        dependArray(value);
                    }
                }
            }
            return isRef(value) &amp;&amp; !shallow ? value.value : value;
        },
        set: function reactiveSetter(newVal) {
            var value = getter ? getter.call(obj) : val;
            if (!hasChanged(value, newVal)) {
                return;
            }
            if ( true &amp;&amp; customSetter) {
                customSetter();
            }
            if (setter) {
                setter.call(obj, newVal);
            }
            else if (getter) {
                // #7981: for accessor properties without setter
                return;
            }
            else if (!shallow &amp;&amp; isRef(value) &amp;&amp; !isRef(newVal)) {
                value.value = newVal;
                return;
            }
            else {
                val = newVal;
            }
            childOb = !shallow &amp;&amp; observe(newVal, false, mock);
            if (true) {
                dep.notify({
                    type: "set" /* TriggerOpTypes.SET */,
                    target: obj,
                    key: key,
                    newValue: newVal,
                    oldValue: value
                });
            }
            else {}
        }
    });
    return dep;
}
function set(target, key, val) {
    if ( true &amp;&amp; (isUndef(target) || isPrimitive(target))) {
        warn$2("Cannot set reactive property on undefined, null, or primitive value: ".concat(target));
    }
    if (isReadonly(target)) {
         true &amp;&amp; warn$2("Set operation on key \"".concat(key, "\" failed: target is readonly."));
        return;
    }
    var ob = target.__ob__;
    if (isArray(target) &amp;&amp; isValidArrayIndex(key)) {
        target.length = Math.max(target.length, key);
        target.splice(key, 1, val);
        // when mocking for SSR, array methods are not hijacked
        if (ob &amp;&amp; !ob.shallow &amp;&amp; ob.mock) {
            observe(val, false, true);
        }
        return val;
    }
    if (key in target &amp;&amp; !(key in Object.prototype)) {
        target[key] = val;
        return val;
    }
    if (target._isVue || (ob &amp;&amp; ob.vmCount)) {
         true &amp;&amp;
            warn$2('Avoid adding reactive properties to a Vue instance or its root $data ' +
                'at runtime - declare it upfront in the data option.');
        return val;
    }
    if (!ob) {
        target[key] = val;
        return val;
    }
    defineReactive(ob.value, key, val, undefined, ob.shallow, ob.mock);
    if (true) {
        ob.dep.notify({
            type: "add" /* TriggerOpTypes.ADD */,
            target: target,
            key: key,
            newValue: val,
            oldValue: undefined
        });
    }
    else {}
    return val;
}
function del(target, key) {
    if ( true &amp;&amp; (isUndef(target) || isPrimitive(target))) {
        warn$2("Cannot delete reactive property on undefined, null, or primitive value: ".concat(target));
    }
    if (isArray(target) &amp;&amp; isValidArrayIndex(key)) {
        target.splice(key, 1);
        return;
    }
    var ob = target.__ob__;
    if (target._isVue || (ob &amp;&amp; ob.vmCount)) {
         true &amp;&amp;
            warn$2('Avoid deleting properties on a Vue instance or its root $data ' +
                '- just set it to null.');
        return;
    }
    if (isReadonly(target)) {
         true &amp;&amp;
            warn$2("Delete operation on key \"".concat(key, "\" failed: target is readonly."));
        return;
    }
    if (!hasOwn(target, key)) {
        return;
    }
    delete target[key];
    if (!ob) {
        return;
    }
    if (true) {
        ob.dep.notify({
            type: "delete" /* TriggerOpTypes.DELETE */,
            target: target,
            key: key
        });
    }
    else {}
}
/**
 * Collect dependencies on array elements when the array is touched, since
 * we cannot intercept array element access like property getters.
 */
function dependArray(value) {
    for (var e = void 0, i = 0, l = value.length; i &lt; l; i++) {
        e = value[i];
        if (e &amp;&amp; e.__ob__) {
            e.__ob__.dep.depend();
        }
        if (isArray(e)) {
            dependArray(e);
        }
    }
}

function reactive(target) {
    makeReactive(target, false);
    return target;
}
/**
 * Return a shallowly-reactive copy of the original object, where only the root
 * level properties are reactive. It also does not auto-unwrap refs (even at the
 * root level).
 */
function shallowReactive(target) {
    makeReactive(target, true);
    def(target, "__v_isShallow" /* ReactiveFlags.IS_SHALLOW */, true);
    return target;
}
function makeReactive(target, shallow) {
    // if trying to observe a readonly proxy, return the readonly version.
    if (!isReadonly(target)) {
        if (true) {
            if (isArray(target)) {
                warn$2("Avoid using Array as root value for ".concat(shallow ? "shallowReactive()" : "reactive()", " as it cannot be tracked in watch() or watchEffect(). Use ").concat(shallow ? "shallowRef()" : "ref()", " instead. This is a Vue-2-only limitation."));
            }
            var existingOb = target &amp;&amp; target.__ob__;
            if (existingOb &amp;&amp; existingOb.shallow !== shallow) {
                warn$2("Target is already a ".concat(existingOb.shallow ? "" : "non-", "shallow reactive object, and cannot be converted to ").concat(shallow ? "" : "non-", "shallow."));
            }
        }
        var ob = observe(target, shallow, isServerRendering() /* ssr mock reactivity */);
        if ( true &amp;&amp; !ob) {
            if (target == null || isPrimitive(target)) {
                warn$2("value cannot be made reactive: ".concat(String(target)));
            }
            if (isCollectionType(target)) {
                warn$2("Vue 2 does not support reactive collection types such as Map or Set.");
            }
        }
    }
}
function isReactive(value) {
    if (isReadonly(value)) {
        return isReactive(value["__v_raw" /* ReactiveFlags.RAW */]);
    }
    return !!(value &amp;&amp; value.__ob__);
}
function isShallow(value) {
    return !!(value &amp;&amp; value.__v_isShallow);
}
function isReadonly(value) {
    return !!(value &amp;&amp; value.__v_isReadonly);
}
function isProxy(value) {
    return isReactive(value) || isReadonly(value);
}
function toRaw(observed) {
    var raw = observed &amp;&amp; observed["__v_raw" /* ReactiveFlags.RAW */];
    return raw ? toRaw(raw) : observed;
}
function markRaw(value) {
    // non-extensible objects won't be observed anyway
    if (Object.isExtensible(value)) {
        def(value, "__v_skip" /* ReactiveFlags.SKIP */, true);
    }
    return value;
}
/**
 * @internal
 */
function isCollectionType(value) {
    var type = toRawType(value);
    return (type === 'Map' || type === 'WeakMap' || type === 'Set' || type === 'WeakSet');
}

/**
 * @internal
 */
var RefFlag = "__v_isRef";
function isRef(r) {
    return !!(r &amp;&amp; r.__v_isRef === true);
}
function ref$1(value) {
    return createRef(value, false);
}
function shallowRef(value) {
    return createRef(value, true);
}
function createRef(rawValue, shallow) {
    if (isRef(rawValue)) {
        return rawValue;
    }
    var ref = {};
    def(ref, RefFlag, true);
    def(ref, "__v_isShallow" /* ReactiveFlags.IS_SHALLOW */, shallow);
    def(ref, 'dep', defineReactive(ref, 'value', rawValue, null, shallow, isServerRendering()));
    return ref;
}
function triggerRef(ref) {
    if ( true &amp;&amp; !ref.dep) {
        warn$2("received object is not a triggerable ref.");
    }
    if (true) {
        ref.dep &amp;&amp;
            ref.dep.notify({
                type: "set" /* TriggerOpTypes.SET */,
                target: ref,
                key: 'value'
            });
    }
    else {}
}
function unref(ref) {
    return isRef(ref) ? ref.value : ref;
}
function proxyRefs(objectWithRefs) {
    if (isReactive(objectWithRefs)) {
        return objectWithRefs;
    }
    var proxy = {};
    var keys = Object.keys(objectWithRefs);
    for (var i = 0; i &lt; keys.length; i++) {
        proxyWithRefUnwrap(proxy, objectWithRefs, keys[i]);
    }
    return proxy;
}
function proxyWithRefUnwrap(target, source, key) {
    Object.defineProperty(target, key, {
        enumerable: true,
        configurable: true,
        get: function () {
            var val = source[key];
            if (isRef(val)) {
                return val.value;
            }
            else {
                var ob = val &amp;&amp; val.__ob__;
                if (ob)
                    ob.dep.depend();
                return val;
            }
        },
        set: function (value) {
            var oldValue = source[key];
            if (isRef(oldValue) &amp;&amp; !isRef(value)) {
                oldValue.value = value;
            }
            else {
                source[key] = value;
            }
        }
    });
}
function customRef(factory) {
    var dep = new Dep();
    var _a = factory(function () {
        if (true) {
            dep.depend({
                target: ref,
                type: "get" /* TrackOpTypes.GET */,
                key: 'value'
            });
        }
        else {}
    }, function () {
        if (true) {
            dep.notify({
                target: ref,
                type: "set" /* TriggerOpTypes.SET */,
                key: 'value'
            });
        }
        else {}
    }), get = _a.get, set = _a.set;
    var ref = {
        get value() {
            return get();
        },
        set value(newVal) {
            set(newVal);
        }
    };
    def(ref, RefFlag, true);
    return ref;
}
function toRefs(object) {
    if ( true &amp;&amp; !isReactive(object)) {
        warn$2("toRefs() expects a reactive object but received a plain one.");
    }
    var ret = isArray(object) ? new Array(object.length) : {};
    for (var key in object) {
        ret[key] = toRef(object, key);
    }
    return ret;
}
function toRef(object, key, defaultValue) {
    var val = object[key];
    if (isRef(val)) {
        return val;
    }
    var ref = {
        get value() {
            var val = object[key];
            return val === undefined ? defaultValue : val;
        },
        set value(newVal) {
            object[key] = newVal;
        }
    };
    def(ref, RefFlag, true);
    return ref;
}

var rawToReadonlyFlag = "__v_rawToReadonly";
var rawToShallowReadonlyFlag = "__v_rawToShallowReadonly";
function readonly(target) {
    return createReadonly(target, false);
}
function createReadonly(target, shallow) {
    if (!isPlainObject(target)) {
        if (true) {
            if (isArray(target)) {
                warn$2("Vue 2 does not support readonly arrays.");
            }
            else if (isCollectionType(target)) {
                warn$2("Vue 2 does not support readonly collection types such as Map or Set.");
            }
            else {
                warn$2("value cannot be made readonly: ".concat(typeof target));
            }
        }
        return target;
    }
    if ( true &amp;&amp; !Object.isExtensible(target)) {
        warn$2("Vue 2 does not support creating readonly proxy for non-extensible object.");
    }
    // already a readonly object
    if (isReadonly(target)) {
        return target;
    }
    // already has a readonly proxy
    var existingFlag = shallow ? rawToShallowReadonlyFlag : rawToReadonlyFlag;
    var existingProxy = target[existingFlag];
    if (existingProxy) {
        return existingProxy;
    }
    var proxy = Object.create(Object.getPrototypeOf(target));
    def(target, existingFlag, proxy);
    def(proxy, "__v_isReadonly" /* ReactiveFlags.IS_READONLY */, true);
    def(proxy, "__v_raw" /* ReactiveFlags.RAW */, target);
    if (isRef(target)) {
        def(proxy, RefFlag, true);
    }
    if (shallow || isShallow(target)) {
        def(proxy, "__v_isShallow" /* ReactiveFlags.IS_SHALLOW */, true);
    }
    var keys = Object.keys(target);
    for (var i = 0; i &lt; keys.length; i++) {
        defineReadonlyProperty(proxy, target, keys[i], shallow);
    }
    return proxy;
}
function defineReadonlyProperty(proxy, target, key, shallow) {
    Object.defineProperty(proxy, key, {
        enumerable: true,
        configurable: true,
        get: function () {
            var val = target[key];
            return shallow || !isPlainObject(val) ? val : readonly(val);
        },
        set: function () {
             true &amp;&amp;
                warn$2("Set operation on key \"".concat(key, "\" failed: target is readonly."));
        }
    });
}
/**
 * Returns a reactive-copy of the original object, where only the root level
 * properties are readonly, and does NOT unwrap refs nor recursively convert
 * returned properties.
 * This is used for creating the props proxy object for stateful components.
 */
function shallowReadonly(target) {
    return createReadonly(target, true);
}

function computed(getterOrOptions, debugOptions) {
    var getter;
    var setter;
    var onlyGetter = isFunction(getterOrOptions);
    if (onlyGetter) {
        getter = getterOrOptions;
        setter =  true
            ? function () {
                warn$2('Write operation failed: computed value is readonly');
            }
            : 0;
    }
    else {
        getter = getterOrOptions.get;
        setter = getterOrOptions.set;
    }
    var watcher = isServerRendering()
        ? null
        : new Watcher(currentInstance, getter, noop, { lazy: true });
    if ( true &amp;&amp; watcher &amp;&amp; debugOptions) {
        watcher.onTrack = debugOptions.onTrack;
        watcher.onTrigger = debugOptions.onTrigger;
    }
    var ref = {
        // some libs rely on the presence effect for checking computed refs
        // from normal refs, but the implementation doesn't matter
        effect: watcher,
        get value() {
            if (watcher) {
                if (watcher.dirty) {
                    watcher.evaluate();
                }
                if (Dep.target) {
                    if ( true &amp;&amp; Dep.target.onTrack) {
                        Dep.target.onTrack({
                            effect: Dep.target,
                            target: ref,
                            type: "get" /* TrackOpTypes.GET */,
                            key: 'value'
                        });
                    }
                    watcher.depend();
                }
                return watcher.value;
            }
            else {
                return getter();
            }
        },
        set value(newVal) {
            setter(newVal);
        }
    };
    def(ref, RefFlag, true);
    def(ref, "__v_isReadonly" /* ReactiveFlags.IS_READONLY */, onlyGetter);
    return ref;
}

var mark;
var measure;
if (true) {
    var perf_1 = inBrowser &amp;&amp; window.performance;
    /* istanbul ignore if */
    if (perf_1 &amp;&amp;
        // @ts-ignore
        perf_1.mark &amp;&amp;
        // @ts-ignore
        perf_1.measure &amp;&amp;
        // @ts-ignore
        perf_1.clearMarks &amp;&amp;
        // @ts-ignore
        perf_1.clearMeasures) {
        mark = function (tag) { return perf_1.mark(tag); };
        measure = function (name, startTag, endTag) {
            perf_1.measure(name, startTag, endTag);
            perf_1.clearMarks(startTag);
            perf_1.clearMarks(endTag);
            // perf.clearMeasures(name)
        };
    }
}

var normalizeEvent = cached(function (name) {
    var passive = name.charAt(0) === '&amp;';
    name = passive ? name.slice(1) : name;
    var once = name.charAt(0) === '~'; // Prefixed last, checked first
    name = once ? name.slice(1) : name;
    var capture = name.charAt(0) === '!';
    name = capture ? name.slice(1) : name;
    return {
        name: name,
        once: once,
        capture: capture,
        passive: passive
    };
});
function createFnInvoker(fns, vm) {
    function invoker() {
        var fns = invoker.fns;
        if (isArray(fns)) {
            var cloned = fns.slice();
            for (var i = 0; i &lt; cloned.length; i++) {
                invokeWithErrorHandling(cloned[i], null, arguments, vm, "v-on handler");
            }
        }
        else {
            // return handler return value for single handlers
            return invokeWithErrorHandling(fns, null, arguments, vm, "v-on handler");
        }
    }
    invoker.fns = fns;
    return invoker;
}
function updateListeners(on, oldOn, add, remove, createOnceHandler, vm) {
    var name, cur, old, event;
    for (name in on) {
        cur = on[name];
        old = oldOn[name];
        event = normalizeEvent(name);
        if (isUndef(cur)) {
             true &amp;&amp;
                warn$2("Invalid handler for event \"".concat(event.name, "\": got ") + String(cur), vm);
        }
        else if (isUndef(old)) {
            if (isUndef(cur.fns)) {
                cur = on[name] = createFnInvoker(cur, vm);
            }
            if (isTrue(event.once)) {
                cur = on[name] = createOnceHandler(event.name, cur, event.capture);
            }
            add(event.name, cur, event.capture, event.passive, event.params);
        }
        else if (cur !== old) {
            old.fns = cur;
            on[name] = old;
        }
    }
    for (name in oldOn) {
        if (isUndef(on[name])) {
            event = normalizeEvent(name);
            remove(event.name, oldOn[name], event.capture);
        }
    }
}

function mergeVNodeHook(def, hookKey, hook) {
    if (def instanceof VNode) {
        def = def.data.hook || (def.data.hook = {});
    }
    var invoker;
    var oldHook = def[hookKey];
    function wrappedHook() {
        hook.apply(this, arguments);
        // important: remove merged hook to ensure it's called only once
        // and prevent memory leak
        remove$2(invoker.fns, wrappedHook);
    }
    if (isUndef(oldHook)) {
        // no existing hook
        invoker = createFnInvoker([wrappedHook]);
    }
    else {
        /* istanbul ignore if */
        if (isDef(oldHook.fns) &amp;&amp; isTrue(oldHook.merged)) {
            // already a merged invoker
            invoker = oldHook;
            invoker.fns.push(wrappedHook);
        }
        else {
            // existing plain hook
            invoker = createFnInvoker([oldHook, wrappedHook]);
        }
    }
    invoker.merged = true;
    def[hookKey] = invoker;
}

function extractPropsFromVNodeData(data, Ctor, tag) {
    // we are only extracting raw values here.
    // validation and default values are handled in the child
    // component itself.
    var propOptions = Ctor.options.props;
    if (isUndef(propOptions)) {
        return;
    }
    var res = {};
    var attrs = data.attrs, props = data.props;
    if (isDef(attrs) || isDef(props)) {
        for (var key in propOptions) {
            var altKey = hyphenate(key);
            if (true) {
                var keyInLowerCase = key.toLowerCase();
                if (key !== keyInLowerCase &amp;&amp; attrs &amp;&amp; hasOwn(attrs, keyInLowerCase)) {
                    tip("Prop \"".concat(keyInLowerCase, "\" is passed to component ") +
                        "".concat(formatComponentName(
                        // @ts-expect-error tag is string
                        tag || Ctor), ", but the declared prop name is") +
                        " \"".concat(key, "\". ") +
                        "Note that HTML attributes are case-insensitive and camelCased " +
                        "props need to use their kebab-case equivalents when using in-DOM " +
                        "templates. You should probably use \"".concat(altKey, "\" instead of \"").concat(key, "\"."));
                }
            }
            checkProp(res, props, key, altKey, true) ||
                checkProp(res, attrs, key, altKey, false);
        }
    }
    return res;
}
function checkProp(res, hash, key, altKey, preserve) {
    if (isDef(hash)) {
        if (hasOwn(hash, key)) {
            res[key] = hash[key];
            if (!preserve) {
                delete hash[key];
            }
            return true;
        }
        else if (hasOwn(hash, altKey)) {
            res[key] = hash[altKey];
            if (!preserve) {
                delete hash[altKey];
            }
            return true;
        }
    }
    return false;
}

// The template compiler attempts to minimize the need for normalization by
// statically analyzing the template at compile time.
//
// For plain HTML markup, normalization can be completely skipped because the
// generated render function is guaranteed to return Array&lt;VNode&gt;. There are
// two cases where extra normalization is needed:
// 1. When the children contains components - because a functional component
// may return an Array instead of a single root. In this case, just a simple
// normalization is needed - if any child is an Array, we flatten the whole
// thing with Array.prototype.concat. It is guaranteed to be only 1-level deep
// because functional components already normalize their own children.
function simpleNormalizeChildren(children) {
    for (var i = 0; i &lt; children.length; i++) {
        if (isArray(children[i])) {
            return Array.prototype.concat.apply([], children);
        }
    }
    return children;
}
// 2. When the children contains constructs that always generated nested Arrays,
// e.g. &lt;template&gt;, &lt;slot&gt;, v-for, or when the children is provided by user
// with hand-written render functions / JSX. In such cases a full normalization
// is needed to cater to all possible types of children values.
function normalizeChildren(children) {
    return isPrimitive(children)
        ? [createTextVNode(children)]
        : isArray(children)
            ? normalizeArrayChildren(children)
            : undefined;
}
function isTextNode(node) {
    return isDef(node) &amp;&amp; isDef(node.text) &amp;&amp; isFalse(node.isComment);
}
function normalizeArrayChildren(children, nestedIndex) {
    var res = [];
    var i, c, lastIndex, last;
    for (i = 0; i &lt; children.length; i++) {
        c = children[i];
        if (isUndef(c) || typeof c === 'boolean')
            continue;
        lastIndex = res.length - 1;
        last = res[lastIndex];
        //  nested
        if (isArray(c)) {
            if (c.length &gt; 0) {
                c = normalizeArrayChildren(c, "".concat(nestedIndex || '', "_").concat(i));
                // merge adjacent text nodes
                if (isTextNode(c[0]) &amp;&amp; isTextNode(last)) {
                    res[lastIndex] = createTextVNode(last.text + c[0].text);
                    c.shift();
                }
                res.push.apply(res, c);
            }
        }
        else if (isPrimitive(c)) {
            if (isTextNode(last)) {
                // merge adjacent text nodes
                // this is necessary for SSR hydration because text nodes are
                // essentially merged when rendered to HTML strings
                res[lastIndex] = createTextVNode(last.text + c);
            }
            else if (c !== '') {
                // convert primitive to vnode
                res.push(createTextVNode(c));
            }
        }
        else {
            if (isTextNode(c) &amp;&amp; isTextNode(last)) {
                // merge adjacent text nodes
                res[lastIndex] = createTextVNode(last.text + c.text);
            }
            else {
                // default key for nested array children (likely generated by v-for)
                if (isTrue(children._isVList) &amp;&amp;
                    isDef(c.tag) &amp;&amp;
                    isUndef(c.key) &amp;&amp;
                    isDef(nestedIndex)) {
                    c.key = "__vlist".concat(nestedIndex, "_").concat(i, "__");
                }
                res.push(c);
            }
        }
    }
    return res;
}

var SIMPLE_NORMALIZE = 1;
var ALWAYS_NORMALIZE = 2;
// wrapper function for providing a more flexible interface
// without getting yelled at by flow
function createElement$1(context, tag, data, children, normalizationType, alwaysNormalize) {
    if (isArray(data) || isPrimitive(data)) {
        normalizationType = children;
        children = data;
        data = undefined;
    }
    if (isTrue(alwaysNormalize)) {
        normalizationType = ALWAYS_NORMALIZE;
    }
    return _createElement(context, tag, data, children, normalizationType);
}
function _createElement(context, tag, data, children, normalizationType) {
    if (isDef(data) &amp;&amp; isDef(data.__ob__)) {
         true &amp;&amp;
            warn$2("Avoid using observed data object as vnode data: ".concat(JSON.stringify(data), "\n") + 'Always create fresh vnode data objects in each render!', context);
        return createEmptyVNode();
    }
    // object syntax in v-bind
    if (isDef(data) &amp;&amp; isDef(data.is)) {
        tag = data.is;
    }
    if (!tag) {
        // in case of component :is set to falsy value
        return createEmptyVNode();
    }
    // warn against non-primitive key
    if ( true &amp;&amp; isDef(data) &amp;&amp; isDef(data.key) &amp;&amp; !isPrimitive(data.key)) {
        warn$2('Avoid using non-primitive value as key, ' +
            'use string/number value instead.', context);
    }
    // support single function children as default scoped slot
    if (isArray(children) &amp;&amp; isFunction(children[0])) {
        data = data || {};
        data.scopedSlots = { default: children[0] };
        children.length = 0;
    }
    if (normalizationType === ALWAYS_NORMALIZE) {
        children = normalizeChildren(children);
    }
    else if (normalizationType === SIMPLE_NORMALIZE) {
        children = simpleNormalizeChildren(children);
    }
    var vnode, ns;
    if (typeof tag === 'string') {
        var Ctor = void 0;
        ns = (context.$vnode &amp;&amp; context.$vnode.ns) || config.getTagNamespace(tag);
        if (config.isReservedTag(tag)) {
            // platform built-in elements
            if ( true &amp;&amp;
                isDef(data) &amp;&amp;
                isDef(data.nativeOn) &amp;&amp;
                data.tag !== 'component') {
                warn$2("The .native modifier for v-on is only valid on components but it was used on &lt;".concat(tag, "&gt;."), context);
            }
            vnode = new VNode(config.parsePlatformTagName(tag), data, children, undefined, undefined, context);
        }
        else if ((!data || !data.pre) &amp;&amp;
            isDef((Ctor = resolveAsset(context.$options, 'components', tag)))) {
            // component
            vnode = createComponent(Ctor, data, context, children, tag);
        }
        else {
            // unknown or unlisted namespaced elements
            // check at runtime because it may get assigned a namespace when its
            // parent normalizes children
            vnode = new VNode(tag, data, children, undefined, undefined, context);
        }
    }
    else {
        // direct component options / constructor
        vnode = createComponent(tag, data, context, children);
    }
    if (isArray(vnode)) {
        return vnode;
    }
    else if (isDef(vnode)) {
        if (isDef(ns))
            applyNS(vnode, ns);
        if (isDef(data))
            registerDeepBindings(data);
        return vnode;
    }
    else {
        return createEmptyVNode();
    }
}
function applyNS(vnode, ns, force) {
    vnode.ns = ns;
    if (vnode.tag === 'foreignObject') {
        // use default namespace inside foreignObject
        ns = undefined;
        force = true;
    }
    if (isDef(vnode.children)) {
        for (var i = 0, l = vnode.children.length; i &lt; l; i++) {
            var child = vnode.children[i];
            if (isDef(child.tag) &amp;&amp;
                (isUndef(child.ns) || (isTrue(force) &amp;&amp; child.tag !== 'svg'))) {
                applyNS(child, ns, force);
            }
        }
    }
}
// ref #5318
// necessary to ensure parent re-render when deep bindings like :style and
// :class are used on slot nodes
function registerDeepBindings(data) {
    if (isObject(data.style)) {
        traverse(data.style);
    }
    if (isObject(data.class)) {
        traverse(data.class);
    }
}

/**
 * Runtime helper for rendering v-for lists.
 */
function renderList(val, render) {
    var ret = null, i, l, keys, key;
    if (isArray(val) || typeof val === 'string') {
        ret = new Array(val.length);
        for (i = 0, l = val.length; i &lt; l; i++) {
            ret[i] = render(val[i], i);
        }
    }
    else if (typeof val === 'number') {
        ret = new Array(val);
        for (i = 0; i &lt; val; i++) {
            ret[i] = render(i + 1, i);
        }
    }
    else if (isObject(val)) {
        if (hasSymbol &amp;&amp; val[Symbol.iterator]) {
            ret = [];
            var iterator = val[Symbol.iterator]();
            var result = iterator.next();
            while (!result.done) {
                ret.push(render(result.value, ret.length));
                result = iterator.next();
            }
        }
        else {
            keys = Object.keys(val);
            ret = new Array(keys.length);
            for (i = 0, l = keys.length; i &lt; l; i++) {
                key = keys[i];
                ret[i] = render(val[key], key, i);
            }
        }
    }
    if (!isDef(ret)) {
        ret = [];
    }
    ret._isVList = true;
    return ret;
}

/**
 * Runtime helper for rendering &lt;slot&gt;
 */
function renderSlot(name, fallbackRender, props, bindObject) {
    var scopedSlotFn = this.$scopedSlots[name];
    var nodes;
    if (scopedSlotFn) {
        // scoped slot
        props = props || {};
        if (bindObject) {
            if ( true &amp;&amp; !isObject(bindObject)) {
                warn$2('slot v-bind without argument expects an Object', this);
            }
            props = extend(extend({}, bindObject), props);
        }
        nodes =
            scopedSlotFn(props) ||
                (isFunction(fallbackRender) ? fallbackRender() : fallbackRender);
    }
    else {
        nodes =
            this.$slots[name] ||
                (isFunction(fallbackRender) ? fallbackRender() : fallbackRender);
    }
    var target = props &amp;&amp; props.slot;
    if (target) {
        return this.$createElement('template', { slot: target }, nodes);
    }
    else {
        return nodes;
    }
}

/**
 * Runtime helper for resolving filters
 */
function resolveFilter(id) {
    return resolveAsset(this.$options, 'filters', id, true) || identity;
}

function isKeyNotMatch(expect, actual) {
    if (isArray(expect)) {
        return expect.indexOf(actual) === -1;
    }
    else {
        return expect !== actual;
    }
}
/**
 * Runtime helper for checking keyCodes from config.
 * exposed as Vue.prototype._k
 * passing in eventKeyName as last argument separately for backwards compat
 */
function checkKeyCodes(eventKeyCode, key, builtInKeyCode, eventKeyName, builtInKeyName) {
    var mappedKeyCode = config.keyCodes[key] || builtInKeyCode;
    if (builtInKeyName &amp;&amp; eventKeyName &amp;&amp; !config.keyCodes[key]) {
        return isKeyNotMatch(builtInKeyName, eventKeyName);
    }
    else if (mappedKeyCode) {
        return isKeyNotMatch(mappedKeyCode, eventKeyCode);
    }
    else if (eventKeyName) {
        return hyphenate(eventKeyName) !== key;
    }
    return eventKeyCode === undefined;
}

/**
 * Runtime helper for merging v-bind="object" into a VNode's data.
 */
function bindObjectProps(data, tag, value, asProp, isSync) {
    if (value) {
        if (!isObject(value)) {
             true &amp;&amp;
                warn$2('v-bind without argument expects an Object or Array value', this);
        }
        else {
            if (isArray(value)) {
                value = toObject(value);
            }
            var hash = void 0;
            var _loop_1 = function (key) {
                if (key === 'class' || key === 'style' || isReservedAttribute(key)) {
                    hash = data;
                }
                else {
                    var type = data.attrs &amp;&amp; data.attrs.type;
                    hash =
                        asProp || config.mustUseProp(tag, type, key)
                            ? data.domProps || (data.domProps = {})
                            : data.attrs || (data.attrs = {});
                }
                var camelizedKey = camelize(key);
                var hyphenatedKey = hyphenate(key);
                if (!(camelizedKey in hash) &amp;&amp; !(hyphenatedKey in hash)) {
                    hash[key] = value[key];
                    if (isSync) {
                        var on = data.on || (data.on = {});
                        on["update:".concat(key)] = function ($event) {
                            value[key] = $event;
                        };
                    }
                }
            };
            for (var key in value) {
                _loop_1(key);
            }
        }
    }
    return data;
}

/**
 * Runtime helper for rendering static trees.
 */
function renderStatic(index, isInFor) {
    var cached = this._staticTrees || (this._staticTrees = []);
    var tree = cached[index];
    // if has already-rendered static tree and not inside v-for,
    // we can reuse the same tree.
    if (tree &amp;&amp; !isInFor) {
        return tree;
    }
    // otherwise, render a fresh tree.
    tree = cached[index] = this.$options.staticRenderFns[index].call(this._renderProxy, this._c, this // for render fns generated for functional component templates
    );
    markStatic$1(tree, "__static__".concat(index), false);
    return tree;
}
/**
 * Runtime helper for v-once.
 * Effectively it means marking the node as static with a unique key.
 */
function markOnce(tree, index, key) {
    markStatic$1(tree, "__once__".concat(index).concat(key ? "_".concat(key) : ""), true);
    return tree;
}
function markStatic$1(tree, key, isOnce) {
    if (isArray(tree)) {
        for (var i = 0; i &lt; tree.length; i++) {
            if (tree[i] &amp;&amp; typeof tree[i] !== 'string') {
                markStaticNode(tree[i], "".concat(key, "_").concat(i), isOnce);
            }
        }
    }
    else {
        markStaticNode(tree, key, isOnce);
    }
}
function markStaticNode(node, key, isOnce) {
    node.isStatic = true;
    node.key = key;
    node.isOnce = isOnce;
}

function bindObjectListeners(data, value) {
    if (value) {
        if (!isPlainObject(value)) {
             true &amp;&amp; warn$2('v-on without argument expects an Object value', this);
        }
        else {
            var on = (data.on = data.on ? extend({}, data.on) : {});
            for (var key in value) {
                var existing = on[key];
                var ours = value[key];
                on[key] = existing ? [].concat(existing, ours) : ours;
            }
        }
    }
    return data;
}

function resolveScopedSlots(fns, res, 
// the following are added in 2.6
hasDynamicKeys, contentHashKey) {
    res = res || { $stable: !hasDynamicKeys };
    for (var i = 0; i &lt; fns.length; i++) {
        var slot = fns[i];
        if (isArray(slot)) {
            resolveScopedSlots(slot, res, hasDynamicKeys);
        }
        else if (slot) {
            // marker for reverse proxying v-slot without scope on this.$slots
            // @ts-expect-error
            if (slot.proxy) {
                // @ts-expect-error
                slot.fn.proxy = true;
            }
            res[slot.key] = slot.fn;
        }
    }
    if (contentHashKey) {
        res.$key = contentHashKey;
    }
    return res;
}

// helper to process dynamic keys for dynamic arguments in v-bind and v-on.
function bindDynamicKeys(baseObj, values) {
    for (var i = 0; i &lt; values.length; i += 2) {
        var key = values[i];
        if (typeof key === 'string' &amp;&amp; key) {
            baseObj[values[i]] = values[i + 1];
        }
        else if ( true &amp;&amp; key !== '' &amp;&amp; key !== null) {
            // null is a special value for explicitly removing a binding
            warn$2("Invalid value for dynamic directive argument (expected string or null): ".concat(key), this);
        }
    }
    return baseObj;
}
// helper to dynamically append modifier runtime markers to event names.
// ensure only append when value is already string, otherwise it will be cast
// to string and cause the type check to miss.
function prependModifier(value, symbol) {
    return typeof value === 'string' ? symbol + value : value;
}

function installRenderHelpers(target) {
    target._o = markOnce;
    target._n = toNumber;
    target._s = toString;
    target._l = renderList;
    target._t = renderSlot;
    target._q = looseEqual;
    target._i = looseIndexOf;
    target._m = renderStatic;
    target._f = resolveFilter;
    target._k = checkKeyCodes;
    target._b = bindObjectProps;
    target._v = createTextVNode;
    target._e = createEmptyVNode;
    target._u = resolveScopedSlots;
    target._g = bindObjectListeners;
    target._d = bindDynamicKeys;
    target._p = prependModifier;
}

/**
 * Runtime helper for resolving raw children VNodes into a slot object.
 */
function resolveSlots(children, context) {
    if (!children || !children.length) {
        return {};
    }
    var slots = {};
    for (var i = 0, l = children.length; i &lt; l; i++) {
        var child = children[i];
        var data = child.data;
        // remove slot attribute if the node is resolved as a Vue slot node
        if (data &amp;&amp; data.attrs &amp;&amp; data.attrs.slot) {
            delete data.attrs.slot;
        }
        // named slots should only be respected if the vnode was rendered in the
        // same context.
        if ((child.context === context || child.fnContext === context) &amp;&amp;
            data &amp;&amp;
            data.slot != null) {
            var name_1 = data.slot;
            var slot = slots[name_1] || (slots[name_1] = []);
            if (child.tag === 'template') {
                slot.push.apply(slot, child.children || []);
            }
            else {
                slot.push(child);
            }
        }
        else {
            (slots.default || (slots.default = [])).push(child);
        }
    }
    // ignore slots that contains only whitespace
    for (var name_2 in slots) {
        if (slots[name_2].every(isWhitespace)) {
            delete slots[name_2];
        }
    }
    return slots;
}
function isWhitespace(node) {
    return (node.isComment &amp;&amp; !node.asyncFactory) || node.text === ' ';
}

function isAsyncPlaceholder(node) {
    // @ts-expect-error not really boolean type
    return node.isComment &amp;&amp; node.asyncFactory;
}

function normalizeScopedSlots(ownerVm, scopedSlots, normalSlots, prevScopedSlots) {
    var res;
    var hasNormalSlots = Object.keys(normalSlots).length &gt; 0;
    var isStable = scopedSlots ? !!scopedSlots.$stable : !hasNormalSlots;
    var key = scopedSlots &amp;&amp; scopedSlots.$key;
    if (!scopedSlots) {
        res = {};
    }
    else if (scopedSlots._normalized) {
        // fast path 1: child component re-render only, parent did not change
        return scopedSlots._normalized;
    }
    else if (isStable &amp;&amp;
        prevScopedSlots &amp;&amp;
        prevScopedSlots !== emptyObject &amp;&amp;
        key === prevScopedSlots.$key &amp;&amp;
        !hasNormalSlots &amp;&amp;
        !prevScopedSlots.$hasNormal) {
        // fast path 2: stable scoped slots w/ no normal slots to proxy,
        // only need to normalize once
        return prevScopedSlots;
    }
    else {
        res = {};
        for (var key_1 in scopedSlots) {
            if (scopedSlots[key_1] &amp;&amp; key_1[0] !== '$') {
                res[key_1] = normalizeScopedSlot(ownerVm, normalSlots, key_1, scopedSlots[key_1]);
            }
        }
    }
    // expose normal slots on scopedSlots
    for (var key_2 in normalSlots) {
        if (!(key_2 in res)) {
            res[key_2] = proxyNormalSlot(normalSlots, key_2);
        }
    }
    // avoriaz seems to mock a non-extensible $scopedSlots object
    // and when that is passed down this would cause an error
    if (scopedSlots &amp;&amp; Object.isExtensible(scopedSlots)) {
        scopedSlots._normalized = res;
    }
    def(res, '$stable', isStable);
    def(res, '$key', key);
    def(res, '$hasNormal', hasNormalSlots);
    return res;
}
function normalizeScopedSlot(vm, normalSlots, key, fn) {
    var normalized = function () {
        var cur = currentInstance;
        setCurrentInstance(vm);
        var res = arguments.length ? fn.apply(null, arguments) : fn({});
        res =
            res &amp;&amp; typeof res === 'object' &amp;&amp; !isArray(res)
                ? [res] // single vnode
                : normalizeChildren(res);
        var vnode = res &amp;&amp; res[0];
        setCurrentInstance(cur);
        return res &amp;&amp;
            (!vnode ||
                (res.length === 1 &amp;&amp; vnode.isComment &amp;&amp; !isAsyncPlaceholder(vnode))) // #9658, #10391
            ? undefined
            : res;
    };
    // this is a slot using the new v-slot syntax without scope. although it is
    // compiled as a scoped slot, render fn users would expect it to be present
    // on this.$slots because the usage is semantically a normal slot.
    if (fn.proxy) {
        Object.defineProperty(normalSlots, key, {
            get: normalized,
            enumerable: true,
            configurable: true
        });
    }
    return normalized;
}
function proxyNormalSlot(slots, key) {
    return function () { return slots[key]; };
}

function initSetup(vm) {
    var options = vm.$options;
    var setup = options.setup;
    if (setup) {
        var ctx = (vm._setupContext = createSetupContext(vm));
        setCurrentInstance(vm);
        pushTarget();
        var setupResult = invokeWithErrorHandling(setup, null, [vm._props || shallowReactive({}), ctx], vm, "setup");
        popTarget();
        setCurrentInstance();
        if (isFunction(setupResult)) {
            // render function
            // @ts-ignore
            options.render = setupResult;
        }
        else if (isObject(setupResult)) {
            // bindings
            if ( true &amp;&amp; setupResult instanceof VNode) {
                warn$2("setup() should not return VNodes directly - " +
                    "return a render function instead.");
            }
            vm._setupState = setupResult;
            // __sfc indicates compiled bindings from &lt;script setup&gt;
            if (!setupResult.__sfc) {
                for (var key in setupResult) {
                    if (!isReserved(key)) {
                        proxyWithRefUnwrap(vm, setupResult, key);
                    }
                    else if (true) {
                        warn$2("Avoid using variables that start with _ or $ in setup().");
                    }
                }
            }
            else {
                // exposed for compiled render fn
                var proxy = (vm._setupProxy = {});
                for (var key in setupResult) {
                    if (key !== '__sfc') {
                        proxyWithRefUnwrap(proxy, setupResult, key);
                    }
                }
            }
        }
        else if ( true &amp;&amp; setupResult !== undefined) {
            warn$2("setup() should return an object. Received: ".concat(setupResult === null ? 'null' : typeof setupResult));
        }
    }
}
function createSetupContext(vm) {
    var exposeCalled = false;
    return {
        get attrs() {
            if (!vm._attrsProxy) {
                var proxy = (vm._attrsProxy = {});
                def(proxy, '_v_attr_proxy', true);
                syncSetupProxy(proxy, vm.$attrs, emptyObject, vm, '$attrs');
            }
            return vm._attrsProxy;
        },
        get listeners() {
            if (!vm._listenersProxy) {
                var proxy = (vm._listenersProxy = {});
                syncSetupProxy(proxy, vm.$listeners, emptyObject, vm, '$listeners');
            }
            return vm._listenersProxy;
        },
        get slots() {
            return initSlotsProxy(vm);
        },
        emit: bind$1(vm.$emit, vm),
        expose: function (exposed) {
            if (true) {
                if (exposeCalled) {
                    warn$2("expose() should be called only once per setup().", vm);
                }
                exposeCalled = true;
            }
            if (exposed) {
                Object.keys(exposed).forEach(function (key) {
                    return proxyWithRefUnwrap(vm, exposed, key);
                });
            }
        }
    };
}
function syncSetupProxy(to, from, prev, instance, type) {
    var changed = false;
    for (var key in from) {
        if (!(key in to)) {
            changed = true;
            defineProxyAttr(to, key, instance, type);
        }
        else if (from[key] !== prev[key]) {
            changed = true;
        }
    }
    for (var key in to) {
        if (!(key in from)) {
            changed = true;
            delete to[key];
        }
    }
    return changed;
}
function defineProxyAttr(proxy, key, instance, type) {
    Object.defineProperty(proxy, key, {
        enumerable: true,
        configurable: true,
        get: function () {
            return instance[type][key];
        }
    });
}
function initSlotsProxy(vm) {
    if (!vm._slotsProxy) {
        syncSetupSlots((vm._slotsProxy = {}), vm.$scopedSlots);
    }
    return vm._slotsProxy;
}
function syncSetupSlots(to, from) {
    for (var key in from) {
        to[key] = from[key];
    }
    for (var key in to) {
        if (!(key in from)) {
            delete to[key];
        }
    }
}
/**
 * @internal use manual type def because public setup context type relies on
 * legacy VNode types
 */
function useSlots() {
    return getContext().slots;
}
/**
 * @internal use manual type def because public setup context type relies on
 * legacy VNode types
 */
function useAttrs() {
    return getContext().attrs;
}
/**
 * Vue 2 only
 * @internal use manual type def because public setup context type relies on
 * legacy VNode types
 */
function useListeners() {
    return getContext().listeners;
}
function getContext() {
    if ( true &amp;&amp; !currentInstance) {
        warn$2("useContext() called without active instance.");
    }
    var vm = currentInstance;
    return vm._setupContext || (vm._setupContext = createSetupContext(vm));
}
/**
 * Runtime helper for merging default declarations. Imported by compiled code
 * only.
 * @internal
 */
function mergeDefaults(raw, defaults) {
    var props = isArray(raw)
        ? raw.reduce(function (normalized, p) { return ((normalized[p] = {}), normalized); }, {})
        : raw;
    for (var key in defaults) {
        var opt = props[key];
        if (opt) {
            if (isArray(opt) || isFunction(opt)) {
                props[key] = { type: opt, default: defaults[key] };
            }
            else {
                opt.default = defaults[key];
            }
        }
        else if (opt === null) {
            props[key] = { default: defaults[key] };
        }
        else if (true) {
            warn$2("props default key \"".concat(key, "\" has no corresponding declaration."));
        }
    }
    return props;
}

function initRender(vm) {
    vm._vnode = null; // the root of the child tree
    vm._staticTrees = null; // v-once cached trees
    var options = vm.$options;
    var parentVnode = (vm.$vnode = options._parentVnode); // the placeholder node in parent tree
    var renderContext = parentVnode &amp;&amp; parentVnode.context;
    vm.$slots = resolveSlots(options._renderChildren, renderContext);
    vm.$scopedSlots = parentVnode
        ? normalizeScopedSlots(vm.$parent, parentVnode.data.scopedSlots, vm.$slots)
        : emptyObject;
    // bind the createElement fn to this instance
    // so that we get proper render context inside it.
    // args order: tag, data, children, normalizationType, alwaysNormalize
    // internal version is used by render functions compiled from templates
    // @ts-expect-error
    vm._c = function (a, b, c, d) { return createElement$1(vm, a, b, c, d, false); };
    // normalization is always applied for the public version, used in
    // user-written render functions.
    // @ts-expect-error
    vm.$createElement = function (a, b, c, d) { return createElement$1(vm, a, b, c, d, true); };
    // $attrs &amp; $listeners are exposed for easier HOC creation.
    // they need to be reactive so that HOCs using them are always updated
    var parentData = parentVnode &amp;&amp; parentVnode.data;
    /* istanbul ignore else */
    if (true) {
        defineReactive(vm, '$attrs', (parentData &amp;&amp; parentData.attrs) || emptyObject, function () {
            !isUpdatingChildComponent &amp;&amp; warn$2("$attrs is readonly.", vm);
        }, true);
        defineReactive(vm, '$listeners', options._parentListeners || emptyObject, function () {
            !isUpdatingChildComponent &amp;&amp; warn$2("$listeners is readonly.", vm);
        }, true);
    }
    else {}
}
var currentRenderingInstance = null;
function renderMixin(Vue) {
    // install runtime convenience helpers
    installRenderHelpers(Vue.prototype);
    Vue.prototype.$nextTick = function (fn) {
        return nextTick(fn, this);
    };
    Vue.prototype._render = function () {
        var vm = this;
        var _a = vm.$options, render = _a.render, _parentVnode = _a._parentVnode;
        if (_parentVnode &amp;&amp; vm._isMounted) {
            vm.$scopedSlots = normalizeScopedSlots(vm.$parent, _parentVnode.data.scopedSlots, vm.$slots, vm.$scopedSlots);
            if (vm._slotsProxy) {
                syncSetupSlots(vm._slotsProxy, vm.$scopedSlots);
            }
        }
        // set parent vnode. this allows render functions to have access
        // to the data on the placeholder node.
        vm.$vnode = _parentVnode;
        // render self
        var vnode;
        try {
            // There's no need to maintain a stack because all render fns are called
            // separately from one another. Nested component's render fns are called
            // when parent component is patched.
            setCurrentInstance(vm);
            currentRenderingInstance = vm;
            vnode = render.call(vm._renderProxy, vm.$createElement);
        }
        catch (e) {
            handleError(e, vm, "render");
            // return error render result,
            // or previous vnode to prevent render error causing blank component
            /* istanbul ignore else */
            if ( true &amp;&amp; vm.$options.renderError) {
                try {
                    vnode = vm.$options.renderError.call(vm._renderProxy, vm.$createElement, e);
                }
                catch (e) {
                    handleError(e, vm, "renderError");
                    vnode = vm._vnode;
                }
            }
            else {
                vnode = vm._vnode;
            }
        }
        finally {
            currentRenderingInstance = null;
            setCurrentInstance();
        }
        // if the returned array contains only a single node, allow it
        if (isArray(vnode) &amp;&amp; vnode.length === 1) {
            vnode = vnode[0];
        }
        // return empty vnode in case the render function errored out
        if (!(vnode instanceof VNode)) {
            if ( true &amp;&amp; isArray(vnode)) {
                warn$2('Multiple root nodes returned from render function. Render function ' +
                    'should return a single root node.', vm);
            }
            vnode = createEmptyVNode();
        }
        // set parent
        vnode.parent = _parentVnode;
        return vnode;
    };
}

function ensureCtor(comp, base) {
    if (comp.__esModule || (hasSymbol &amp;&amp; comp[Symbol.toStringTag] === 'Module')) {
        comp = comp.default;
    }
    return isObject(comp) ? base.extend(comp) : comp;
}
function createAsyncPlaceholder(factory, data, context, children, tag) {
    var node = createEmptyVNode();
    node.asyncFactory = factory;
    node.asyncMeta = { data: data, context: context, children: children, tag: tag };
    return node;
}
function resolveAsyncComponent(factory, baseCtor) {
    if (isTrue(factory.error) &amp;&amp; isDef(factory.errorComp)) {
        return factory.errorComp;
    }
    if (isDef(factory.resolved)) {
        return factory.resolved;
    }
    var owner = currentRenderingInstance;
    if (owner &amp;&amp; isDef(factory.owners) &amp;&amp; factory.owners.indexOf(owner) === -1) {
        // already pending
        factory.owners.push(owner);
    }
    if (isTrue(factory.loading) &amp;&amp; isDef(factory.loadingComp)) {
        return factory.loadingComp;
    }
    if (owner &amp;&amp; !isDef(factory.owners)) {
        var owners_1 = (factory.owners = [owner]);
        var sync_1 = true;
        var timerLoading_1 = null;
        var timerTimeout_1 = null;
        owner.$on('hook:destroyed', function () { return remove$2(owners_1, owner); });
        var forceRender_1 = function (renderCompleted) {
            for (var i = 0, l = owners_1.length; i &lt; l; i++) {
                owners_1[i].$forceUpdate();
            }
            if (renderCompleted) {
                owners_1.length = 0;
                if (timerLoading_1 !== null) {
                    clearTimeout(timerLoading_1);
                    timerLoading_1 = null;
                }
                if (timerTimeout_1 !== null) {
                    clearTimeout(timerTimeout_1);
                    timerTimeout_1 = null;
                }
            }
        };
        var resolve = once(function (res) {
            // cache resolved
            factory.resolved = ensureCtor(res, baseCtor);
            // invoke callbacks only if this is not a synchronous resolve
            // (async resolves are shimmed as synchronous during SSR)
            if (!sync_1) {
                forceRender_1(true);
            }
            else {
                owners_1.length = 0;
            }
        });
        var reject_1 = once(function (reason) {
             true &amp;&amp;
                warn$2("Failed to resolve async component: ".concat(String(factory)) +
                    (reason ? "\nReason: ".concat(reason) : ''));
            if (isDef(factory.errorComp)) {
                factory.error = true;
                forceRender_1(true);
            }
        });
        var res_1 = factory(resolve, reject_1);
        if (isObject(res_1)) {
            if (isPromise(res_1)) {
                // () =&gt; Promise
                if (isUndef(factory.resolved)) {
                    res_1.then(resolve, reject_1);
                }
            }
            else if (isPromise(res_1.component)) {
                res_1.component.then(resolve, reject_1);
                if (isDef(res_1.error)) {
                    factory.errorComp = ensureCtor(res_1.error, baseCtor);
                }
                if (isDef(res_1.loading)) {
                    factory.loadingComp = ensureCtor(res_1.loading, baseCtor);
                    if (res_1.delay === 0) {
                        factory.loading = true;
                    }
                    else {
                        // @ts-expect-error NodeJS timeout type
                        timerLoading_1 = setTimeout(function () {
                            timerLoading_1 = null;
                            if (isUndef(factory.resolved) &amp;&amp; isUndef(factory.error)) {
                                factory.loading = true;
                                forceRender_1(false);
                            }
                        }, res_1.delay || 200);
                    }
                }
                if (isDef(res_1.timeout)) {
                    // @ts-expect-error NodeJS timeout type
                    timerTimeout_1 = setTimeout(function () {
                        timerTimeout_1 = null;
                        if (isUndef(factory.resolved)) {
                            reject_1( true ? "timeout (".concat(res_1.timeout, "ms)") : 0);
                        }
                    }, res_1.timeout);
                }
            }
        }
        sync_1 = false;
        // return in case resolved synchronously
        return factory.loading ? factory.loadingComp : factory.resolved;
    }
}

function getFirstComponentChild(children) {
    if (isArray(children)) {
        for (var i = 0; i &lt; children.length; i++) {
            var c = children[i];
            if (isDef(c) &amp;&amp; (isDef(c.componentOptions) || isAsyncPlaceholder(c))) {
                return c;
            }
        }
    }
}

function initEvents(vm) {
    vm._events = Object.create(null);
    vm._hasHookEvent = false;
    // init parent attached events
    var listeners = vm.$options._parentListeners;
    if (listeners) {
        updateComponentListeners(vm, listeners);
    }
}
var target$1;
function add$1(event, fn) {
    target$1.$on(event, fn);
}
function remove$1(event, fn) {
    target$1.$off(event, fn);
}
function createOnceHandler$1(event, fn) {
    var _target = target$1;
    return function onceHandler() {
        var res = fn.apply(null, arguments);
        if (res !== null) {
            _target.$off(event, onceHandler);
        }
    };
}
function updateComponentListeners(vm, listeners, oldListeners) {
    target$1 = vm;
    updateListeners(listeners, oldListeners || {}, add$1, remove$1, createOnceHandler$1, vm);
    target$1 = undefined;
}
function eventsMixin(Vue) {
    var hookRE = /^hook:/;
    Vue.prototype.$on = function (event, fn) {
        var vm = this;
        if (isArray(event)) {
            for (var i = 0, l = event.length; i &lt; l; i++) {
                vm.$on(event[i], fn);
            }
        }
        else {
            (vm._events[event] || (vm._events[event] = [])).push(fn);
            // optimize hook:event cost by using a boolean flag marked at registration
            // instead of a hash lookup
            if (hookRE.test(event)) {
                vm._hasHookEvent = true;
            }
        }
        return vm;
    };
    Vue.prototype.$once = function (event, fn) {
        var vm = this;
        function on() {
            vm.$off(event, on);
            fn.apply(vm, arguments);
        }
        on.fn = fn;
        vm.$on(event, on);
        return vm;
    };
    Vue.prototype.$off = function (event, fn) {
        var vm = this;
        // all
        if (!arguments.length) {
            vm._events = Object.create(null);
            return vm;
        }
        // array of events
        if (isArray(event)) {
            for (var i_1 = 0, l = event.length; i_1 &lt; l; i_1++) {
                vm.$off(event[i_1], fn);
            }
            return vm;
        }
        // specific event
        var cbs = vm._events[event];
        if (!cbs) {
            return vm;
        }
        if (!fn) {
            vm._events[event] = null;
            return vm;
        }
        // specific handler
        var cb;
        var i = cbs.length;
        while (i--) {
            cb = cbs[i];
            if (cb === fn || cb.fn === fn) {
                cbs.splice(i, 1);
                break;
            }
        }
        return vm;
    };
    Vue.prototype.$emit = function (event) {
        var vm = this;
        if (true) {
            var lowerCaseEvent = event.toLowerCase();
            if (lowerCaseEvent !== event &amp;&amp; vm._events[lowerCaseEvent]) {
                tip("Event \"".concat(lowerCaseEvent, "\" is emitted in component ") +
                    "".concat(formatComponentName(vm), " but the handler is registered for \"").concat(event, "\". ") +
                    "Note that HTML attributes are case-insensitive and you cannot use " +
                    "v-on to listen to camelCase events when using in-DOM templates. " +
                    "You should probably use \"".concat(hyphenate(event), "\" instead of \"").concat(event, "\"."));
            }
        }
        var cbs = vm._events[event];
        if (cbs) {
            cbs = cbs.length &gt; 1 ? toArray(cbs) : cbs;
            var args = toArray(arguments, 1);
            var info = "event handler for \"".concat(event, "\"");
            for (var i = 0, l = cbs.length; i &lt; l; i++) {
                invokeWithErrorHandling(cbs[i], vm, args, vm, info);
            }
        }
        return vm;
    };
}

var activeInstance = null;
var isUpdatingChildComponent = false;
function setActiveInstance(vm) {
    var prevActiveInstance = activeInstance;
    activeInstance = vm;
    return function () {
        activeInstance = prevActiveInstance;
    };
}
function initLifecycle(vm) {
    var options = vm.$options;
    // locate first non-abstract parent
    var parent = options.parent;
    if (parent &amp;&amp; !options.abstract) {
        while (parent.$options.abstract &amp;&amp; parent.$parent) {
            parent = parent.$parent;
        }
        parent.$children.push(vm);
    }
    vm.$parent = parent;
    vm.$root = parent ? parent.$root : vm;
    vm.$children = [];
    vm.$refs = {};
    vm._provided = parent ? parent._provided : Object.create(null);
    vm._watcher = null;
    vm._inactive = null;
    vm._directInactive = false;
    vm._isMounted = false;
    vm._isDestroyed = false;
    vm._isBeingDestroyed = false;
}
function lifecycleMixin(Vue) {
    Vue.prototype._update = function (vnode, hydrating) {
        var vm = this;
        var prevEl = vm.$el;
        var prevVnode = vm._vnode;
        var restoreActiveInstance = setActiveInstance(vm);
        vm._vnode = vnode;
        // Vue.prototype.__patch__ is injected in entry points
        // based on the rendering backend used.
        if (!prevVnode) {
            // initial render
            vm.$el = vm.__patch__(vm.$el, vnode, hydrating, false /* removeOnly */);
        }
        else {
            // updates
            vm.$el = vm.__patch__(prevVnode, vnode);
        }
        restoreActiveInstance();
        // update __vue__ reference
        if (prevEl) {
            prevEl.__vue__ = null;
        }
        if (vm.$el) {
            vm.$el.__vue__ = vm;
        }
        // if parent is an HOC, update its $el as well
        var wrapper = vm;
        while (wrapper &amp;&amp;
            wrapper.$vnode &amp;&amp;
            wrapper.$parent &amp;&amp;
            wrapper.$vnode === wrapper.$parent._vnode) {
            wrapper.$parent.$el = wrapper.$el;
            wrapper = wrapper.$parent;
        }
        // updated hook is called by the scheduler to ensure that children are
        // updated in a parent's updated hook.
    };
    Vue.prototype.$forceUpdate = function () {
        var vm = this;
        if (vm._watcher) {
            vm._watcher.update();
        }
    };
    Vue.prototype.$destroy = function () {
        var vm = this;
        if (vm._isBeingDestroyed) {
            return;
        }
        callHook$1(vm, 'beforeDestroy');
        vm._isBeingDestroyed = true;
        // remove self from parent
        var parent = vm.$parent;
        if (parent &amp;&amp; !parent._isBeingDestroyed &amp;&amp; !vm.$options.abstract) {
            remove$2(parent.$children, vm);
        }
        // teardown scope. this includes both the render watcher and other
        // watchers created
        vm._scope.stop();
        // remove reference from data ob
        // frozen object may not have observer.
        if (vm._data.__ob__) {
            vm._data.__ob__.vmCount--;
        }
        // call the last hook...
        vm._isDestroyed = true;
        // invoke destroy hooks on current rendered tree
        vm.__patch__(vm._vnode, null);
        // fire destroyed hook
        callHook$1(vm, 'destroyed');
        // turn off all instance listeners.
        vm.$off();
        // remove __vue__ reference
        if (vm.$el) {
            vm.$el.__vue__ = null;
        }
        // release circular reference (#6759)
        if (vm.$vnode) {
            vm.$vnode.parent = null;
        }
    };
}
function mountComponent(vm, el, hydrating) {
    vm.$el = el;
    if (!vm.$options.render) {
        // @ts-expect-error invalid type
        vm.$options.render = createEmptyVNode;
        if (true) {
            /* istanbul ignore if */
            if ((vm.$options.template &amp;&amp; vm.$options.template.charAt(0) !== '#') ||
                vm.$options.el ||
                el) {
                warn$2('You are using the runtime-only build of Vue where the template ' +
                    'compiler is not available. Either pre-compile the templates into ' +
                    'render functions, or use the compiler-included build.', vm);
            }
            else {
                warn$2('Failed to mount component: template or render function not defined.', vm);
            }
        }
    }
    callHook$1(vm, 'beforeMount');
    var updateComponent;
    /* istanbul ignore if */
    if ( true &amp;&amp; config.performance &amp;&amp; mark) {
        updateComponent = function () {
            var name = vm._name;
            var id = vm._uid;
            var startTag = "vue-perf-start:".concat(id);
            var endTag = "vue-perf-end:".concat(id);
            mark(startTag);
            var vnode = vm._render();
            mark(endTag);
            measure("vue ".concat(name, " render"), startTag, endTag);
            mark(startTag);
            vm._update(vnode, hydrating);
            mark(endTag);
            measure("vue ".concat(name, " patch"), startTag, endTag);
        };
    }
    else {
        updateComponent = function () {
            vm._update(vm._render(), hydrating);
        };
    }
    var watcherOptions = {
        before: function () {
            if (vm._isMounted &amp;&amp; !vm._isDestroyed) {
                callHook$1(vm, 'beforeUpdate');
            }
        }
    };
    if (true) {
        watcherOptions.onTrack = function (e) { return callHook$1(vm, 'renderTracked', [e]); };
        watcherOptions.onTrigger = function (e) { return callHook$1(vm, 'renderTriggered', [e]); };
    }
    // we set this to vm._watcher inside the watcher's constructor
    // since the watcher's initial patch may call $forceUpdate (e.g. inside child
    // component's mounted hook), which relies on vm._watcher being already defined
    new Watcher(vm, updateComponent, noop, watcherOptions, true /* isRenderWatcher */);
    hydrating = false;
    // flush buffer for flush: "pre" watchers queued in setup()
    var preWatchers = vm._preWatchers;
    if (preWatchers) {
        for (var i = 0; i &lt; preWatchers.length; i++) {
            preWatchers[i].run();
        }
    }
    // manually mounted instance, call mounted on self
    // mounted is called for render-created child components in its inserted hook
    if (vm.$vnode == null) {
        vm._isMounted = true;
        callHook$1(vm, 'mounted');
    }
    return vm;
}
function updateChildComponent(vm, propsData, listeners, parentVnode, renderChildren) {
    if (true) {
        isUpdatingChildComponent = true;
    }
    // determine whether component has slot children
    // we need to do this before overwriting $options._renderChildren.
    // check if there are dynamic scopedSlots (hand-written or compiled but with
    // dynamic slot names). Static scoped slots compiled from template has the
    // "$stable" marker.
    var newScopedSlots = parentVnode.data.scopedSlots;
    var oldScopedSlots = vm.$scopedSlots;
    var hasDynamicScopedSlot = !!((newScopedSlots &amp;&amp; !newScopedSlots.$stable) ||
        (oldScopedSlots !== emptyObject &amp;&amp; !oldScopedSlots.$stable) ||
        (newScopedSlots &amp;&amp; vm.$scopedSlots.$key !== newScopedSlots.$key) ||
        (!newScopedSlots &amp;&amp; vm.$scopedSlots.$key));
    // Any static slot children from the parent may have changed during parent's
    // update. Dynamic scoped slots may also have changed. In such cases, a forced
    // update is necessary to ensure correctness.
    var needsForceUpdate = !!(renderChildren || // has new static slots
        vm.$options._renderChildren || // has old static slots
        hasDynamicScopedSlot);
    var prevVNode = vm.$vnode;
    vm.$options._parentVnode = parentVnode;
    vm.$vnode = parentVnode; // update vm's placeholder node without re-render
    if (vm._vnode) {
        // update child tree's parent
        vm._vnode.parent = parentVnode;
    }
    vm.$options._renderChildren = renderChildren;
    // update $attrs and $listeners hash
    // these are also reactive so they may trigger child update if the child
    // used them during render
    var attrs = parentVnode.data.attrs || emptyObject;
    if (vm._attrsProxy) {
        // force update if attrs are accessed and has changed since it may be
        // passed to a child component.
        if (syncSetupProxy(vm._attrsProxy, attrs, (prevVNode.data &amp;&amp; prevVNode.data.attrs) || emptyObject, vm, '$attrs')) {
            needsForceUpdate = true;
        }
    }
    vm.$attrs = attrs;
    // update listeners
    listeners = listeners || emptyObject;
    var prevListeners = vm.$options._parentListeners;
    if (vm._listenersProxy) {
        syncSetupProxy(vm._listenersProxy, listeners, prevListeners || emptyObject, vm, '$listeners');
    }
    vm.$listeners = vm.$options._parentListeners = listeners;
    updateComponentListeners(vm, listeners, prevListeners);
    // update props
    if (propsData &amp;&amp; vm.$options.props) {
        toggleObserving(false);
        var props = vm._props;
        var propKeys = vm.$options._propKeys || [];
        for (var i = 0; i &lt; propKeys.length; i++) {
            var key = propKeys[i];
            var propOptions = vm.$options.props; // wtf flow?
            props[key] = validateProp(key, propOptions, propsData, vm);
        }
        toggleObserving(true);
        // keep a copy of raw propsData
        vm.$options.propsData = propsData;
    }
    // resolve slots + force update if has children
    if (needsForceUpdate) {
        vm.$slots = resolveSlots(renderChildren, parentVnode.context);
        vm.$forceUpdate();
    }
    if (true) {
        isUpdatingChildComponent = false;
    }
}
function isInInactiveTree(vm) {
    while (vm &amp;&amp; (vm = vm.$parent)) {
        if (vm._inactive)
            return true;
    }
    return false;
}
function activateChildComponent(vm, direct) {
    if (direct) {
        vm._directInactive = false;
        if (isInInactiveTree(vm)) {
            return;
        }
    }
    else if (vm._directInactive) {
        return;
    }
    if (vm._inactive || vm._inactive === null) {
        vm._inactive = false;
        for (var i = 0; i &lt; vm.$children.length; i++) {
            activateChildComponent(vm.$children[i]);
        }
        callHook$1(vm, 'activated');
    }
}
function deactivateChildComponent(vm, direct) {
    if (direct) {
        vm._directInactive = true;
        if (isInInactiveTree(vm)) {
            return;
        }
    }
    if (!vm._inactive) {
        vm._inactive = true;
        for (var i = 0; i &lt; vm.$children.length; i++) {
            deactivateChildComponent(vm.$children[i]);
        }
        callHook$1(vm, 'deactivated');
    }
}
function callHook$1(vm, hook, args, setContext) {
    if (setContext === void 0) { setContext = true; }
    // #7573 disable dep collection when invoking lifecycle hooks
    pushTarget();
    var prev = currentInstance;
    setContext &amp;&amp; setCurrentInstance(vm);
    var handlers = vm.$options[hook];
    var info = "".concat(hook, " hook");
    if (handlers) {
        for (var i = 0, j = handlers.length; i &lt; j; i++) {
            invokeWithErrorHandling(handlers[i], vm, args || null, vm, info);
        }
    }
    if (vm._hasHookEvent) {
        vm.$emit('hook:' + hook);
    }
    setContext &amp;&amp; setCurrentInstance(prev);
    popTarget();
}

var MAX_UPDATE_COUNT = 100;
var queue = [];
var activatedChildren = [];
var has = {};
var circular = {};
var waiting = false;
var flushing = false;
var index$1 = 0;
/**
 * Reset the scheduler's state.
 */
function resetSchedulerState() {
    index$1 = queue.length = activatedChildren.length = 0;
    has = {};
    if (true) {
        circular = {};
    }
    waiting = flushing = false;
}
// Async edge case #6566 requires saving the timestamp when event listeners are
// attached. However, calling performance.now() has a perf overhead especially
// if the page has thousands of event listeners. Instead, we take a timestamp
// every time the scheduler flushes and use that for all event listeners
// attached during that flush.
var currentFlushTimestamp = 0;
// Async edge case fix requires storing an event listener's attach timestamp.
var getNow = Date.now;
// Determine what event timestamp the browser is using. Annoyingly, the
// timestamp can either be hi-res (relative to page load) or low-res
// (relative to UNIX epoch), so in order to compare time we have to use the
// same timestamp type when saving the flush timestamp.
// All IE versions use low-res event timestamps, and have problematic clock
// implementations (#9632)
if (inBrowser &amp;&amp; !isIE) {
    var performance_1 = window.performance;
    if (performance_1 &amp;&amp;
        typeof performance_1.now === 'function' &amp;&amp;
        getNow() &gt; document.createEvent('Event').timeStamp) {
        // if the event timestamp, although evaluated AFTER the Date.now(), is
        // smaller than it, it means the event is using a hi-res timestamp,
        // and we need to use the hi-res version for event listener timestamps as
        // well.
        getNow = function () { return performance_1.now(); };
    }
}
var sortCompareFn = function (a, b) {
    if (a.post) {
        if (!b.post)
            return 1;
    }
    else if (b.post) {
        return -1;
    }
    return a.id - b.id;
};
/**
 * Flush both queues and run the watchers.
 */
function flushSchedulerQueue() {
    currentFlushTimestamp = getNow();
    flushing = true;
    var watcher, id;
    // Sort queue before flush.
    // This ensures that:
    // 1. Components are updated from parent to child. (because parent is always
    //    created before the child)
    // 2. A component's user watchers are run before its render watcher (because
    //    user watchers are created before the render watcher)
    // 3. If a component is destroyed during a parent component's watcher run,
    //    its watchers can be skipped.
    queue.sort(sortCompareFn);
    // do not cache length because more watchers might be pushed
    // as we run existing watchers
    for (index$1 = 0; index$1 &lt; queue.length; index$1++) {
        watcher = queue[index$1];
        if (watcher.before) {
            watcher.before();
        }
        id = watcher.id;
        has[id] = null;
        watcher.run();
        // in dev build, check and stop circular updates.
        if ( true &amp;&amp; has[id] != null) {
            circular[id] = (circular[id] || 0) + 1;
            if (circular[id] &gt; MAX_UPDATE_COUNT) {
                warn$2('You may have an infinite update loop ' +
                    (watcher.user
                        ? "in watcher with expression \"".concat(watcher.expression, "\"")
                        : "in a component render function."), watcher.vm);
                break;
            }
        }
    }
    // keep copies of post queues before resetting state
    var activatedQueue = activatedChildren.slice();
    var updatedQueue = queue.slice();
    resetSchedulerState();
    // call component updated and activated hooks
    callActivatedHooks(activatedQueue);
    callUpdatedHooks(updatedQueue);
    cleanupDeps();
    // devtool hook
    /* istanbul ignore if */
    if (devtools &amp;&amp; config.devtools) {
        devtools.emit('flush');
    }
}
function callUpdatedHooks(queue) {
    var i = queue.length;
    while (i--) {
        var watcher = queue[i];
        var vm = watcher.vm;
        if (vm &amp;&amp; vm._watcher === watcher &amp;&amp; vm._isMounted &amp;&amp; !vm._isDestroyed) {
            callHook$1(vm, 'updated');
        }
    }
}
/**
 * Queue a kept-alive component that was activated during patch.
 * The queue will be processed after the entire tree has been patched.
 */
function queueActivatedComponent(vm) {
    // setting _inactive to false here so that a render function can
    // rely on checking whether it's in an inactive tree (e.g. router-view)
    vm._inactive = false;
    activatedChildren.push(vm);
}
function callActivatedHooks(queue) {
    for (var i = 0; i &lt; queue.length; i++) {
        queue[i]._inactive = true;
        activateChildComponent(queue[i], true /* true */);
    }
}
/**
 * Push a watcher into the watcher queue.
 * Jobs with duplicate IDs will be skipped unless it's
 * pushed when the queue is being flushed.
 */
function queueWatcher(watcher) {
    var id = watcher.id;
    if (has[id] != null) {
        return;
    }
    if (watcher === Dep.target &amp;&amp; watcher.noRecurse) {
        return;
    }
    has[id] = true;
    if (!flushing) {
        queue.push(watcher);
    }
    else {
        // if already flushing, splice the watcher based on its id
        // if already past its id, it will be run next immediately.
        var i = queue.length - 1;
        while (i &gt; index$1 &amp;&amp; queue[i].id &gt; watcher.id) {
            i--;
        }
        queue.splice(i + 1, 0, watcher);
    }
    // queue the flush
    if (!waiting) {
        waiting = true;
        if ( true &amp;&amp; !config.async) {
            flushSchedulerQueue();
            return;
        }
        nextTick(flushSchedulerQueue);
    }
}

var WATCHER = "watcher";
var WATCHER_CB = "".concat(WATCHER, " callback");
var WATCHER_GETTER = "".concat(WATCHER, " getter");
var WATCHER_CLEANUP = "".concat(WATCHER, " cleanup");
// Simple effect.
function watchEffect(effect, options) {
    return doWatch(effect, null, options);
}
function watchPostEffect(effect, options) {
    return doWatch(effect, null, ( true
        ? __assign(__assign({}, options), { flush: 'post' }) : 0));
}
function watchSyncEffect(effect, options) {
    return doWatch(effect, null, ( true
        ? __assign(__assign({}, options), { flush: 'sync' }) : 0));
}
// initial value for watchers to trigger on undefined initial values
var INITIAL_WATCHER_VALUE = {};
// implementation
function watch(source, cb, options) {
    if ( true &amp;&amp; typeof cb !== 'function') {
        warn$2("`watch(fn, options?)` signature has been moved to a separate API. " +
            "Use `watchEffect(fn, options?)` instead. `watch` now only " +
            "supports `watch(source, cb, options?) signature.");
    }
    return doWatch(source, cb, options);
}
function doWatch(source, cb, _a) {
    var _b = _a === void 0 ? emptyObject : _a, immediate = _b.immediate, deep = _b.deep, _c = _b.flush, flush = _c === void 0 ? 'pre' : _c, onTrack = _b.onTrack, onTrigger = _b.onTrigger;
    if ( true &amp;&amp; !cb) {
        if (immediate !== undefined) {
            warn$2("watch() \"immediate\" option is only respected when using the " +
                "watch(source, callback, options?) signature.");
        }
        if (deep !== undefined) {
            warn$2("watch() \"deep\" option is only respected when using the " +
                "watch(source, callback, options?) signature.");
        }
    }
    var warnInvalidSource = function (s) {
        warn$2("Invalid watch source: ".concat(s, ". A watch source can only be a getter/effect ") +
            "function, a ref, a reactive object, or an array of these types.");
    };
    var instance = currentInstance;
    var call = function (fn, type, args) {
        if (args === void 0) { args = null; }
        return invokeWithErrorHandling(fn, null, args, instance, type);
    };
    var getter;
    var forceTrigger = false;
    var isMultiSource = false;
    if (isRef(source)) {
        getter = function () { return source.value; };
        forceTrigger = isShallow(source);
    }
    else if (isReactive(source)) {
        getter = function () {
            source.__ob__.dep.depend();
            return source;
        };
        deep = true;
    }
    else if (isArray(source)) {
        isMultiSource = true;
        forceTrigger = source.some(function (s) { return isReactive(s) || isShallow(s); });
        getter = function () {
            return source.map(function (s) {
                if (isRef(s)) {
                    return s.value;
                }
                else if (isReactive(s)) {
                    return traverse(s);
                }
                else if (isFunction(s)) {
                    return call(s, WATCHER_GETTER);
                }
                else {
                     true &amp;&amp; warnInvalidSource(s);
                }
            });
        };
    }
    else if (isFunction(source)) {
        if (cb) {
            // getter with cb
            getter = function () { return call(source, WATCHER_GETTER); };
        }
        else {
            // no cb -&gt; simple effect
            getter = function () {
                if (instance &amp;&amp; instance._isDestroyed) {
                    return;
                }
                if (cleanup) {
                    cleanup();
                }
                return call(source, WATCHER, [onCleanup]);
            };
        }
    }
    else {
        getter = noop;
         true &amp;&amp; warnInvalidSource(source);
    }
    if (cb &amp;&amp; deep) {
        var baseGetter_1 = getter;
        getter = function () { return traverse(baseGetter_1()); };
    }
    var cleanup;
    var onCleanup = function (fn) {
        cleanup = watcher.onStop = function () {
            call(fn, WATCHER_CLEANUP);
        };
    };
    // in SSR there is no need to setup an actual effect, and it should be noop
    // unless it's eager
    if (isServerRendering()) {
        // we will also not call the invalidate callback (+ runner is not set up)
        onCleanup = noop;
        if (!cb) {
            getter();
        }
        else if (immediate) {
            call(cb, WATCHER_CB, [
                getter(),
                isMultiSource ? [] : undefined,
                onCleanup
            ]);
        }
        return noop;
    }
    var watcher = new Watcher(currentInstance, getter, noop, {
        lazy: true
    });
    watcher.noRecurse = !cb;
    var oldValue = isMultiSource ? [] : INITIAL_WATCHER_VALUE;
    // overwrite default run
    watcher.run = function () {
        if (!watcher.active) {
            return;
        }
        if (cb) {
            // watch(source, cb)
            var newValue = watcher.get();
            if (deep ||
                forceTrigger ||
                (isMultiSource
                    ? newValue.some(function (v, i) {
                        return hasChanged(v, oldValue[i]);
                    })
                    : hasChanged(newValue, oldValue))) {
                // cleanup before running cb again
                if (cleanup) {
                    cleanup();
                }
                call(cb, WATCHER_CB, [
                    newValue,
                    // pass undefined as the old value when it's changed for the first time
                    oldValue === INITIAL_WATCHER_VALUE ? undefined : oldValue,
                    onCleanup
                ]);
                oldValue = newValue;
            }
        }
        else {
            // watchEffect
            watcher.get();
        }
    };
    if (flush === 'sync') {
        watcher.update = watcher.run;
    }
    else if (flush === 'post') {
        watcher.post = true;
        watcher.update = function () { return queueWatcher(watcher); };
    }
    else {
        // pre
        watcher.update = function () {
            if (instance &amp;&amp; instance === currentInstance &amp;&amp; !instance._isMounted) {
                // pre-watcher triggered before
                var buffer = instance._preWatchers || (instance._preWatchers = []);
                if (buffer.indexOf(watcher) &lt; 0)
                    buffer.push(watcher);
            }
            else {
                queueWatcher(watcher);
            }
        };
    }
    if (true) {
        watcher.onTrack = onTrack;
        watcher.onTrigger = onTrigger;
    }
    // initial run
    if (cb) {
        if (immediate) {
            watcher.run();
        }
        else {
            oldValue = watcher.get();
        }
    }
    else if (flush === 'post' &amp;&amp; instance) {
        instance.$once('hook:mounted', function () { return watcher.get(); });
    }
    else {
        watcher.get();
    }
    return function () {
        watcher.teardown();
    };
}

var activeEffectScope;
var EffectScope = /** @class */ (function () {
    function EffectScope(detached) {
        if (detached === void 0) { detached = false; }
        this.detached = detached;
        /**
         * @internal
         */
        this.active = true;
        /**
         * @internal
         */
        this.effects = [];
        /**
         * @internal
         */
        this.cleanups = [];
        this.parent = activeEffectScope;
        if (!detached &amp;&amp; activeEffectScope) {
            this.index =
                (activeEffectScope.scopes || (activeEffectScope.scopes = [])).push(this) - 1;
        }
    }
    EffectScope.prototype.run = function (fn) {
        if (this.active) {
            var currentEffectScope = activeEffectScope;
            try {
                activeEffectScope = this;
                return fn();
            }
            finally {
                activeEffectScope = currentEffectScope;
            }
        }
        else if (true) {
            warn$2("cannot run an inactive effect scope.");
        }
    };
    /**
     * This should only be called on non-detached scopes
     * @internal
     */
    EffectScope.prototype.on = function () {
        activeEffectScope = this;
    };
    /**
     * This should only be called on non-detached scopes
     * @internal
     */
    EffectScope.prototype.off = function () {
        activeEffectScope = this.parent;
    };
    EffectScope.prototype.stop = function (fromParent) {
        if (this.active) {
            var i = void 0, l = void 0;
            for (i = 0, l = this.effects.length; i &lt; l; i++) {
                this.effects[i].teardown();
            }
            for (i = 0, l = this.cleanups.length; i &lt; l; i++) {
                this.cleanups[i]();
            }
            if (this.scopes) {
                for (i = 0, l = this.scopes.length; i &lt; l; i++) {
                    this.scopes[i].stop(true);
                }
            }
            // nested scope, dereference from parent to avoid memory leaks
            if (!this.detached &amp;&amp; this.parent &amp;&amp; !fromParent) {
                // optimized O(1) removal
                var last = this.parent.scopes.pop();
                if (last &amp;&amp; last !== this) {
                    this.parent.scopes[this.index] = last;
                    last.index = this.index;
                }
            }
            this.parent = undefined;
            this.active = false;
        }
    };
    return EffectScope;
}());
function effectScope(detached) {
    return new EffectScope(detached);
}
/**
 * @internal
 */
function recordEffectScope(effect, scope) {
    if (scope === void 0) { scope = activeEffectScope; }
    if (scope &amp;&amp; scope.active) {
        scope.effects.push(effect);
    }
}
function getCurrentScope() {
    return activeEffectScope;
}
function onScopeDispose(fn) {
    if (activeEffectScope) {
        activeEffectScope.cleanups.push(fn);
    }
    else if (true) {
        warn$2("onScopeDispose() is called when there is no active effect scope" +
            " to be associated with.");
    }
}

function provide(key, value) {
    if (!currentInstance) {
        if (true) {
            warn$2("provide() can only be used inside setup().");
        }
    }
    else {
        // TS doesn't allow symbol as index type
        resolveProvided(currentInstance)[key] = value;
    }
}
function resolveProvided(vm) {
    // by default an instance inherits its parent's provides object
    // but when it needs to provide values of its own, it creates its
    // own provides object using parent provides object as prototype.
    // this way in `inject` we can simply look up injections from direct
    // parent and let the prototype chain do the work.
    var existing = vm._provided;
    var parentProvides = vm.$parent &amp;&amp; vm.$parent._provided;
    if (parentProvides === existing) {
        return (vm._provided = Object.create(parentProvides));
    }
    else {
        return existing;
    }
}
function inject(key, defaultValue, treatDefaultAsFactory) {
    if (treatDefaultAsFactory === void 0) { treatDefaultAsFactory = false; }
    // fallback to `currentRenderingInstance` so that this can be called in
    // a functional component
    var instance = currentInstance;
    if (instance) {
        // #2400
        // to support `app.use` plugins,
        // fallback to appContext's `provides` if the instance is at root
        var provides = instance.$parent &amp;&amp; instance.$parent._provided;
        if (provides &amp;&amp; key in provides) {
            // TS doesn't allow symbol as index type
            return provides[key];
        }
        else if (arguments.length &gt; 1) {
            return treatDefaultAsFactory &amp;&amp; isFunction(defaultValue)
                ? defaultValue.call(instance)
                : defaultValue;
        }
        else if (true) {
            warn$2("injection \"".concat(String(key), "\" not found."));
        }
    }
    else if (true) {
        warn$2("inject() can only be used inside setup() or functional components.");
    }
}

/**
 * @internal this function needs manual public type declaration because it relies
 * on previously manually authored types from Vue 2
 */
function h(type, props, children) {
    if (!currentInstance) {
         true &amp;&amp;
            warn$2("globally imported h() can only be invoked when there is an active " +
                "component instance, e.g. synchronously in a component's render or setup function.");
    }
    return createElement$1(currentInstance, type, props, children, 2, true);
}

function handleError(err, vm, info) {
    // Deactivate deps tracking while processing error handler to avoid possible infinite rendering.
    // See: https://github.com/vuejs/vuex/issues/1505
    pushTarget();
    try {
        if (vm) {
            var cur = vm;
            while ((cur = cur.$parent)) {
                var hooks = cur.$options.errorCaptured;
                if (hooks) {
                    for (var i = 0; i &lt; hooks.length; i++) {
                        try {
                            var capture = hooks[i].call(cur, err, vm, info) === false;
                            if (capture)
                                return;
                        }
                        catch (e) {
                            globalHandleError(e, cur, 'errorCaptured hook');
                        }
                    }
                }
            }
        }
        globalHandleError(err, vm, info);
    }
    finally {
        popTarget();
    }
}
function invokeWithErrorHandling(handler, context, args, vm, info) {
    var res;
    try {
        res = args ? handler.apply(context, args) : handler.call(context);
        if (res &amp;&amp; !res._isVue &amp;&amp; isPromise(res) &amp;&amp; !res._handled) {
            res.catch(function (e) { return handleError(e, vm, info + " (Promise/async)"); });
            res._handled = true;
        }
    }
    catch (e) {
        handleError(e, vm, info);
    }
    return res;
}
function globalHandleError(err, vm, info) {
    if (config.errorHandler) {
        try {
            return config.errorHandler.call(null, err, vm, info);
        }
        catch (e) {
            // if the user intentionally throws the original error in the handler,
            // do not log it twice
            if (e !== err) {
                logError(e, null, 'config.errorHandler');
            }
        }
    }
    logError(err, vm, info);
}
function logError(err, vm, info) {
    if (true) {
        warn$2("Error in ".concat(info, ": \"").concat(err.toString(), "\""), vm);
    }
    /* istanbul ignore else */
    if (inBrowser &amp;&amp; typeof console !== 'undefined') {
        console.error(err);
    }
    else {
        throw err;
    }
}

/* globals MutationObserver */
var isUsingMicroTask = false;
var callbacks = [];
var pending = false;
function flushCallbacks() {
    pending = false;
    var copies = callbacks.slice(0);
    callbacks.length = 0;
    for (var i = 0; i &lt; copies.length; i++) {
        copies[i]();
    }
}
// Here we have async deferring wrappers using microtasks.
// In 2.5 we used (macro) tasks (in combination with microtasks).
// However, it has subtle problems when state is changed right before repaint
// (e.g. #6813, out-in transitions).
// Also, using (macro) tasks in event handler would cause some weird behaviors
// that cannot be circumvented (e.g. #7109, #7153, #7546, #7834, #8109).
// So we now use microtasks everywhere, again.
// A major drawback of this tradeoff is that there are some scenarios
// where microtasks have too high a priority and fire in between supposedly
// sequential events (e.g. #4521, #6690, which have workarounds)
// or even between bubbling of the same event (#6566).
var timerFunc;
// The nextTick behavior leverages the microtask queue, which can be accessed
// via either native Promise.then or MutationObserver.
// MutationObserver has wider support, however it is seriously bugged in
// UIWebView in iOS &gt;= 9.3.3 when triggered in touch event handlers. It
// completely stops working after triggering a few times... so, if native
// Promise is available, we will use it:
/* istanbul ignore next, $flow-disable-line */
if (typeof Promise !== 'undefined' &amp;&amp; isNative(Promise)) {
    var p_1 = Promise.resolve();
    timerFunc = function () {
        p_1.then(flushCallbacks);
        // In problematic UIWebViews, Promise.then doesn't completely break, but
        // it can get stuck in a weird state where callbacks are pushed into the
        // microtask queue but the queue isn't being flushed, until the browser
        // needs to do some other work, e.g. handle a timer. Therefore we can
        // "force" the microtask queue to be flushed by adding an empty timer.
        if (isIOS)
            setTimeout(noop);
    };
    isUsingMicroTask = true;
}
else if (!isIE &amp;&amp;
    typeof MutationObserver !== 'undefined' &amp;&amp;
    (isNative(MutationObserver) ||
        // PhantomJS and iOS 7.x
        MutationObserver.toString() === '[object MutationObserverConstructor]')) {
    // Use MutationObserver where native Promise is not available,
    // e.g. PhantomJS, iOS7, Android 4.4
    // (#6466 MutationObserver is unreliable in IE11)
    var counter_1 = 1;
    var observer = new MutationObserver(flushCallbacks);
    var textNode_1 = document.createTextNode(String(counter_1));
    observer.observe(textNode_1, {
        characterData: true
    });
    timerFunc = function () {
        counter_1 = (counter_1 + 1) % 2;
        textNode_1.data = String(counter_1);
    };
    isUsingMicroTask = true;
}
else if (typeof setImmediate !== 'undefined' &amp;&amp; isNative(setImmediate)) {
    // Fallback to setImmediate.
    // Technically it leverages the (macro) task queue,
    // but it is still a better choice than setTimeout.
    timerFunc = function () {
        setImmediate(flushCallbacks);
    };
}
else {
    // Fallback to setTimeout.
    timerFunc = function () {
        setTimeout(flushCallbacks, 0);
    };
}
/**
 * @internal
 */
function nextTick(cb, ctx) {
    var _resolve;
    callbacks.push(function () {
        if (cb) {
            try {
                cb.call(ctx);
            }
            catch (e) {
                handleError(e, ctx, 'nextTick');
            }
        }
        else if (_resolve) {
            _resolve(ctx);
        }
    });
    if (!pending) {
        pending = true;
        timerFunc();
    }
    // $flow-disable-line
    if (!cb &amp;&amp; typeof Promise !== 'undefined') {
        return new Promise(function (resolve) {
            _resolve = resolve;
        });
    }
}

function useCssModule(name) {
    if (name === void 0) { name = '$style'; }
    /* istanbul ignore else */
    {
        if (!currentInstance) {
             true &amp;&amp; warn$2("useCssModule must be called inside setup()");
            return emptyObject;
        }
        var mod = currentInstance[name];
        if (!mod) {
             true &amp;&amp;
                warn$2("Current instance does not have CSS module named \"".concat(name, "\"."));
            return emptyObject;
        }
        return mod;
    }
}

/**
 * Runtime helper for SFC's CSS variable injection feature.
 * @private
 */
function useCssVars(getter) {
    if (!inBrowser &amp;&amp; !false)
        return;
    var instance = currentInstance;
    if (!instance) {
         true &amp;&amp;
            warn$2("useCssVars is called without current active component instance.");
        return;
    }
    watchPostEffect(function () {
        var el = instance.$el;
        var vars = getter(instance, instance._setupProxy);
        if (el &amp;&amp; el.nodeType === 1) {
            var style = el.style;
            for (var key in vars) {
                style.setProperty("--".concat(key), vars[key]);
            }
        }
    });
}

/**
 * v3-compatible async component API.
 * @internal the type is manually declared in &lt;root&gt;/types/v3-define-async-component.d.ts
 * because it relies on existing manual types
 */
function defineAsyncComponent(source) {
    if (isFunction(source)) {
        source = { loader: source };
    }
    var loader = source.loader, loadingComponent = source.loadingComponent, errorComponent = source.errorComponent, _a = source.delay, delay = _a === void 0 ? 200 : _a, timeout = source.timeout, // undefined = never times out
    _b = source.suspensible, // undefined = never times out
    suspensible = _b === void 0 ? false : _b, // in Vue 3 default is true
    userOnError = source.onError;
    if ( true &amp;&amp; suspensible) {
        warn$2("The suspensiblbe option for async components is not supported in Vue2. It is ignored.");
    }
    var pendingRequest = null;
    var retries = 0;
    var retry = function () {
        retries++;
        pendingRequest = null;
        return load();
    };
    var load = function () {
        var thisRequest;
        return (pendingRequest ||
            (thisRequest = pendingRequest =
                loader()
                    .catch(function (err) {
                    err = err instanceof Error ? err : new Error(String(err));
                    if (userOnError) {
                        return new Promise(function (resolve, reject) {
                            var userRetry = function () { return resolve(retry()); };
                            var userFail = function () { return reject(err); };
                            userOnError(err, userRetry, userFail, retries + 1);
                        });
                    }
                    else {
                        throw err;
                    }
                })
                    .then(function (comp) {
                    if (thisRequest !== pendingRequest &amp;&amp; pendingRequest) {
                        return pendingRequest;
                    }
                    if ( true &amp;&amp; !comp) {
                        warn$2("Async component loader resolved to undefined. " +
                            "If you are using retry(), make sure to return its return value.");
                    }
                    // interop module default
                    if (comp &amp;&amp;
                        (comp.__esModule || comp[Symbol.toStringTag] === 'Module')) {
                        comp = comp.default;
                    }
                    if ( true &amp;&amp; comp &amp;&amp; !isObject(comp) &amp;&amp; !isFunction(comp)) {
                        throw new Error("Invalid async component load result: ".concat(comp));
                    }
                    return comp;
                })));
    };
    return function () {
        var component = load();
        return {
            component: component,
            delay: delay,
            timeout: timeout,
            error: errorComponent,
            loading: loadingComponent
        };
    };
}

function createLifeCycle(hookName) {
    return function (fn, target) {
        if (target === void 0) { target = currentInstance; }
        if (!target) {
             true &amp;&amp;
                warn$2("".concat(formatName(hookName), " is called when there is no active component instance to be ") +
                    "associated with. " +
                    "Lifecycle injection APIs can only be used during execution of setup().");
            return;
        }
        return injectHook(target, hookName, fn);
    };
}
function formatName(name) {
    if (name === 'beforeDestroy') {
        name = 'beforeUnmount';
    }
    else if (name === 'destroyed') {
        name = 'unmounted';
    }
    return "on".concat(name[0].toUpperCase() + name.slice(1));
}
function injectHook(instance, hookName, fn) {
    var options = instance.$options;
    options[hookName] = mergeLifecycleHook(options[hookName], fn);
}
var onBeforeMount = createLifeCycle('beforeMount');
var onMounted = createLifeCycle('mounted');
var onBeforeUpdate = createLifeCycle('beforeUpdate');
var onUpdated = createLifeCycle('updated');
var onBeforeUnmount = createLifeCycle('beforeDestroy');
var onUnmounted = createLifeCycle('destroyed');
var onActivated = createLifeCycle('activated');
var onDeactivated = createLifeCycle('deactivated');
var onServerPrefetch = createLifeCycle('serverPrefetch');
var onRenderTracked = createLifeCycle('renderTracked');
var onRenderTriggered = createLifeCycle('renderTriggered');
var injectErrorCapturedHook = createLifeCycle('errorCaptured');
function onErrorCaptured(hook, target) {
    if (target === void 0) { target = currentInstance; }
    injectErrorCapturedHook(hook, target);
}

/**
 * Note: also update dist/vue.runtime.mjs when adding new exports to this file.
 */
var version = '2.7.14';
/**
 * @internal type is manually declared in &lt;root&gt;/types/v3-define-component.d.ts
 */
function defineComponent(options) {
    return options;
}

var seenObjects = new _Set();
/**
 * Recursively traverse an object to evoke all converted
 * getters, so that every nested property inside the object
 * is collected as a "deep" dependency.
 */
function traverse(val) {
    _traverse(val, seenObjects);
    seenObjects.clear();
    return val;
}
function _traverse(val, seen) {
    var i, keys;
    var isA = isArray(val);
    if ((!isA &amp;&amp; !isObject(val)) ||
        val.__v_skip /* ReactiveFlags.SKIP */ ||
        Object.isFrozen(val) ||
        val instanceof VNode) {
        return;
    }
    if (val.__ob__) {
        var depId = val.__ob__.dep.id;
        if (seen.has(depId)) {
            return;
        }
        seen.add(depId);
    }
    if (isA) {
        i = val.length;
        while (i--)
            _traverse(val[i], seen);
    }
    else if (isRef(val)) {
        _traverse(val.value, seen);
    }
    else {
        keys = Object.keys(val);
        i = keys.length;
        while (i--)
            _traverse(val[keys[i]], seen);
    }
}

var uid$1 = 0;
/**
 * A watcher parses an expression, collects dependencies,
 * and fires callback when the expression value changes.
 * This is used for both the $watch() api and directives.
 * @internal
 */
var Watcher = /** @class */ (function () {
    function Watcher(vm, expOrFn, cb, options, isRenderWatcher) {
        recordEffectScope(this, 
        // if the active effect scope is manually created (not a component scope),
        // prioritize it
        activeEffectScope &amp;&amp; !activeEffectScope._vm
            ? activeEffectScope
            : vm
                ? vm._scope
                : undefined);
        if ((this.vm = vm) &amp;&amp; isRenderWatcher) {
            vm._watcher = this;
        }
        // options
        if (options) {
            this.deep = !!options.deep;
            this.user = !!options.user;
            this.lazy = !!options.lazy;
            this.sync = !!options.sync;
            this.before = options.before;
            if (true) {
                this.onTrack = options.onTrack;
                this.onTrigger = options.onTrigger;
            }
        }
        else {
            this.deep = this.user = this.lazy = this.sync = false;
        }
        this.cb = cb;
        this.id = ++uid$1; // uid for batching
        this.active = true;
        this.post = false;
        this.dirty = this.lazy; // for lazy watchers
        this.deps = [];
        this.newDeps = [];
        this.depIds = new _Set();
        this.newDepIds = new _Set();
        this.expression =  true ? expOrFn.toString() : 0;
        // parse expression for getter
        if (isFunction(expOrFn)) {
            this.getter = expOrFn;
        }
        else {
            this.getter = parsePath(expOrFn);
            if (!this.getter) {
                this.getter = noop;
                 true &amp;&amp;
                    warn$2("Failed watching path: \"".concat(expOrFn, "\" ") +
                        'Watcher only accepts simple dot-delimited paths. ' +
                        'For full control, use a function instead.', vm);
            }
        }
        this.value = this.lazy ? undefined : this.get();
    }
    /**
     * Evaluate the getter, and re-collect dependencies.
     */
    Watcher.prototype.get = function () {
        pushTarget(this);
        var value;
        var vm = this.vm;
        try {
            value = this.getter.call(vm, vm);
        }
        catch (e) {
            if (this.user) {
                handleError(e, vm, "getter for watcher \"".concat(this.expression, "\""));
            }
            else {
                throw e;
            }
        }
        finally {
            // "touch" every property so they are all tracked as
            // dependencies for deep watching
            if (this.deep) {
                traverse(value);
            }
            popTarget();
            this.cleanupDeps();
        }
        return value;
    };
    /**
     * Add a dependency to this directive.
     */
    Watcher.prototype.addDep = function (dep) {
        var id = dep.id;
        if (!this.newDepIds.has(id)) {
            this.newDepIds.add(id);
            this.newDeps.push(dep);
            if (!this.depIds.has(id)) {
                dep.addSub(this);
            }
        }
    };
    /**
     * Clean up for dependency collection.
     */
    Watcher.prototype.cleanupDeps = function () {
        var i = this.deps.length;
        while (i--) {
            var dep = this.deps[i];
            if (!this.newDepIds.has(dep.id)) {
                dep.removeSub(this);
            }
        }
        var tmp = this.depIds;
        this.depIds = this.newDepIds;
        this.newDepIds = tmp;
        this.newDepIds.clear();
        tmp = this.deps;
        this.deps = this.newDeps;
        this.newDeps = tmp;
        this.newDeps.length = 0;
    };
    /**
     * Subscriber interface.
     * Will be called when a dependency changes.
     */
    Watcher.prototype.update = function () {
        /* istanbul ignore else */
        if (this.lazy) {
            this.dirty = true;
        }
        else if (this.sync) {
            this.run();
        }
        else {
            queueWatcher(this);
        }
    };
    /**
     * Scheduler job interface.
     * Will be called by the scheduler.
     */
    Watcher.prototype.run = function () {
        if (this.active) {
            var value = this.get();
            if (value !== this.value ||
                // Deep watchers and watchers on Object/Arrays should fire even
                // when the value is the same, because the value may
                // have mutated.
                isObject(value) ||
                this.deep) {
                // set new value
                var oldValue = this.value;
                this.value = value;
                if (this.user) {
                    var info = "callback for watcher \"".concat(this.expression, "\"");
                    invokeWithErrorHandling(this.cb, this.vm, [value, oldValue], this.vm, info);
                }
                else {
                    this.cb.call(this.vm, value, oldValue);
                }
            }
        }
    };
    /**
     * Evaluate the value of the watcher.
     * This only gets called for lazy watchers.
     */
    Watcher.prototype.evaluate = function () {
        this.value = this.get();
        this.dirty = false;
    };
    /**
     * Depend on all deps collected by this watcher.
     */
    Watcher.prototype.depend = function () {
        var i = this.deps.length;
        while (i--) {
            this.deps[i].depend();
        }
    };
    /**
     * Remove self from all dependencies' subscriber list.
     */
    Watcher.prototype.teardown = function () {
        if (this.vm &amp;&amp; !this.vm._isBeingDestroyed) {
            remove$2(this.vm._scope.effects, this);
        }
        if (this.active) {
            var i = this.deps.length;
            while (i--) {
                this.deps[i].removeSub(this);
            }
            this.active = false;
            if (this.onStop) {
                this.onStop();
            }
        }
    };
    return Watcher;
}());

var sharedPropertyDefinition = {
    enumerable: true,
    configurable: true,
    get: noop,
    set: noop
};
function proxy(target, sourceKey, key) {
    sharedPropertyDefinition.get = function proxyGetter() {
        return this[sourceKey][key];
    };
    sharedPropertyDefinition.set = function proxySetter(val) {
        this[sourceKey][key] = val;
    };
    Object.defineProperty(target, key, sharedPropertyDefinition);
}
function initState(vm) {
    var opts = vm.$options;
    if (opts.props)
        initProps$1(vm, opts.props);
    // Composition API
    initSetup(vm);
    if (opts.methods)
        initMethods(vm, opts.methods);
    if (opts.data) {
        initData(vm);
    }
    else {
        var ob = observe((vm._data = {}));
        ob &amp;&amp; ob.vmCount++;
    }
    if (opts.computed)
        initComputed$1(vm, opts.computed);
    if (opts.watch &amp;&amp; opts.watch !== nativeWatch) {
        initWatch(vm, opts.watch);
    }
}
function initProps$1(vm, propsOptions) {
    var propsData = vm.$options.propsData || {};
    var props = (vm._props = shallowReactive({}));
    // cache prop keys so that future props updates can iterate using Array
    // instead of dynamic object key enumeration.
    var keys = (vm.$options._propKeys = []);
    var isRoot = !vm.$parent;
    // root instance props should be converted
    if (!isRoot) {
        toggleObserving(false);
    }
    var _loop_1 = function (key) {
        keys.push(key);
        var value = validateProp(key, propsOptions, propsData, vm);
        /* istanbul ignore else */
        if (true) {
            var hyphenatedKey = hyphenate(key);
            if (isReservedAttribute(hyphenatedKey) ||
                config.isReservedAttr(hyphenatedKey)) {
                warn$2("\"".concat(hyphenatedKey, "\" is a reserved attribute and cannot be used as component prop."), vm);
            }
            defineReactive(props, key, value, function () {
                if (!isRoot &amp;&amp; !isUpdatingChildComponent) {
                    warn$2("Avoid mutating a prop directly since the value will be " +
                        "overwritten whenever the parent component re-renders. " +
                        "Instead, use a data or computed property based on the prop's " +
                        "value. Prop being mutated: \"".concat(key, "\""), vm);
                }
            });
        }
        else {}
        // static props are already proxied on the component's prototype
        // during Vue.extend(). We only need to proxy props defined at
        // instantiation here.
        if (!(key in vm)) {
            proxy(vm, "_props", key);
        }
    };
    for (var key in propsOptions) {
        _loop_1(key);
    }
    toggleObserving(true);
}
function initData(vm) {
    var data = vm.$options.data;
    data = vm._data = isFunction(data) ? getData(data, vm) : data || {};
    if (!isPlainObject(data)) {
        data = {};
         true &amp;&amp;
            warn$2('data functions should return an object:\n' +
                'https://v2.vuejs.org/v2/guide/components.html#data-Must-Be-a-Function', vm);
    }
    // proxy data on instance
    var keys = Object.keys(data);
    var props = vm.$options.props;
    var methods = vm.$options.methods;
    var i = keys.length;
    while (i--) {
        var key = keys[i];
        if (true) {
            if (methods &amp;&amp; hasOwn(methods, key)) {
                warn$2("Method \"".concat(key, "\" has already been defined as a data property."), vm);
            }
        }
        if (props &amp;&amp; hasOwn(props, key)) {
             true &amp;&amp;
                warn$2("The data property \"".concat(key, "\" is already declared as a prop. ") +
                    "Use prop default value instead.", vm);
        }
        else if (!isReserved(key)) {
            proxy(vm, "_data", key);
        }
    }
    // observe data
    var ob = observe(data);
    ob &amp;&amp; ob.vmCount++;
}
function getData(data, vm) {
    // #7573 disable dep collection when invoking data getters
    pushTarget();
    try {
        return data.call(vm, vm);
    }
    catch (e) {
        handleError(e, vm, "data()");
        return {};
    }
    finally {
        popTarget();
    }
}
var computedWatcherOptions = { lazy: true };
function initComputed$1(vm, computed) {
    // $flow-disable-line
    var watchers = (vm._computedWatchers = Object.create(null));
    // computed properties are just getters during SSR
    var isSSR = isServerRendering();
    for (var key in computed) {
        var userDef = computed[key];
        var getter = isFunction(userDef) ? userDef : userDef.get;
        if ( true &amp;&amp; getter == null) {
            warn$2("Getter is missing for computed property \"".concat(key, "\"."), vm);
        }
        if (!isSSR) {
            // create internal watcher for the computed property.
            watchers[key] = new Watcher(vm, getter || noop, noop, computedWatcherOptions);
        }
        // component-defined computed properties are already defined on the
        // component prototype. We only need to define computed properties defined
        // at instantiation here.
        if (!(key in vm)) {
            defineComputed(vm, key, userDef);
        }
        else if (true) {
            if (key in vm.$data) {
                warn$2("The computed property \"".concat(key, "\" is already defined in data."), vm);
            }
            else if (vm.$options.props &amp;&amp; key in vm.$options.props) {
                warn$2("The computed property \"".concat(key, "\" is already defined as a prop."), vm);
            }
            else if (vm.$options.methods &amp;&amp; key in vm.$options.methods) {
                warn$2("The computed property \"".concat(key, "\" is already defined as a method."), vm);
            }
        }
    }
}
function defineComputed(target, key, userDef) {
    var shouldCache = !isServerRendering();
    if (isFunction(userDef)) {
        sharedPropertyDefinition.get = shouldCache
            ? createComputedGetter(key)
            : createGetterInvoker(userDef);
        sharedPropertyDefinition.set = noop;
    }
    else {
        sharedPropertyDefinition.get = userDef.get
            ? shouldCache &amp;&amp; userDef.cache !== false
                ? createComputedGetter(key)
                : createGetterInvoker(userDef.get)
            : noop;
        sharedPropertyDefinition.set = userDef.set || noop;
    }
    if ( true &amp;&amp; sharedPropertyDefinition.set === noop) {
        sharedPropertyDefinition.set = function () {
            warn$2("Computed property \"".concat(key, "\" was assigned to but it has no setter."), this);
        };
    }
    Object.defineProperty(target, key, sharedPropertyDefinition);
}
function createComputedGetter(key) {
    return function computedGetter() {
        var watcher = this._computedWatchers &amp;&amp; this._computedWatchers[key];
        if (watcher) {
            if (watcher.dirty) {
                watcher.evaluate();
            }
            if (Dep.target) {
                if ( true &amp;&amp; Dep.target.onTrack) {
                    Dep.target.onTrack({
                        effect: Dep.target,
                        target: this,
                        type: "get" /* TrackOpTypes.GET */,
                        key: key
                    });
                }
                watcher.depend();
            }
            return watcher.value;
        }
    };
}
function createGetterInvoker(fn) {
    return function computedGetter() {
        return fn.call(this, this);
    };
}
function initMethods(vm, methods) {
    var props = vm.$options.props;
    for (var key in methods) {
        if (true) {
            if (typeof methods[key] !== 'function') {
                warn$2("Method \"".concat(key, "\" has type \"").concat(typeof methods[key], "\" in the component definition. ") +
                    "Did you reference the function correctly?", vm);
            }
            if (props &amp;&amp; hasOwn(props, key)) {
                warn$2("Method \"".concat(key, "\" has already been defined as a prop."), vm);
            }
            if (key in vm &amp;&amp; isReserved(key)) {
                warn$2("Method \"".concat(key, "\" conflicts with an existing Vue instance method. ") +
                    "Avoid defining component methods that start with _ or $.");
            }
        }
        vm[key] = typeof methods[key] !== 'function' ? noop : bind$1(methods[key], vm);
    }
}
function initWatch(vm, watch) {
    for (var key in watch) {
        var handler = watch[key];
        if (isArray(handler)) {
            for (var i = 0; i &lt; handler.length; i++) {
                createWatcher(vm, key, handler[i]);
            }
        }
        else {
            createWatcher(vm, key, handler);
        }
    }
}
function createWatcher(vm, expOrFn, handler, options) {
    if (isPlainObject(handler)) {
        options = handler;
        handler = handler.handler;
    }
    if (typeof handler === 'string') {
        handler = vm[handler];
    }
    return vm.$watch(expOrFn, handler, options);
}
function stateMixin(Vue) {
    // flow somehow has problems with directly declared definition object
    // when using Object.defineProperty, so we have to procedurally build up
    // the object here.
    var dataDef = {};
    dataDef.get = function () {
        return this._data;
    };
    var propsDef = {};
    propsDef.get = function () {
        return this._props;
    };
    if (true) {
        dataDef.set = function () {
            warn$2('Avoid replacing instance root $data. ' +
                'Use nested data properties instead.', this);
        };
        propsDef.set = function () {
            warn$2("$props is readonly.", this);
        };
    }
    Object.defineProperty(Vue.prototype, '$data', dataDef);
    Object.defineProperty(Vue.prototype, '$props', propsDef);
    Vue.prototype.$set = set;
    Vue.prototype.$delete = del;
    Vue.prototype.$watch = function (expOrFn, cb, options) {
        var vm = this;
        if (isPlainObject(cb)) {
            return createWatcher(vm, expOrFn, cb, options);
        }
        options = options || {};
        options.user = true;
        var watcher = new Watcher(vm, expOrFn, cb, options);
        if (options.immediate) {
            var info = "callback for immediate watcher \"".concat(watcher.expression, "\"");
            pushTarget();
            invokeWithErrorHandling(cb, vm, [watcher.value], vm, info);
            popTarget();
        }
        return function unwatchFn() {
            watcher.teardown();
        };
    };
}

function initProvide(vm) {
    var provideOption = vm.$options.provide;
    if (provideOption) {
        var provided = isFunction(provideOption)
            ? provideOption.call(vm)
            : provideOption;
        if (!isObject(provided)) {
            return;
        }
        var source = resolveProvided(vm);
        // IE9 doesn't support Object.getOwnPropertyDescriptors so we have to
        // iterate the keys ourselves.
        var keys = hasSymbol ? Reflect.ownKeys(provided) : Object.keys(provided);
        for (var i = 0; i &lt; keys.length; i++) {
            var key = keys[i];
            Object.defineProperty(source, key, Object.getOwnPropertyDescriptor(provided, key));
        }
    }
}
function initInjections(vm) {
    var result = resolveInject(vm.$options.inject, vm);
    if (result) {
        toggleObserving(false);
        Object.keys(result).forEach(function (key) {
            /* istanbul ignore else */
            if (true) {
                defineReactive(vm, key, result[key], function () {
                    warn$2("Avoid mutating an injected value directly since the changes will be " +
                        "overwritten whenever the provided component re-renders. " +
                        "injection being mutated: \"".concat(key, "\""), vm);
                });
            }
            else {}
        });
        toggleObserving(true);
    }
}
function resolveInject(inject, vm) {
    if (inject) {
        // inject is :any because flow is not smart enough to figure out cached
        var result = Object.create(null);
        var keys = hasSymbol ? Reflect.ownKeys(inject) : Object.keys(inject);
        for (var i = 0; i &lt; keys.length; i++) {
            var key = keys[i];
            // #6574 in case the inject object is observed...
            if (key === '__ob__')
                continue;
            var provideKey = inject[key].from;
            if (provideKey in vm._provided) {
                result[key] = vm._provided[provideKey];
            }
            else if ('default' in inject[key]) {
                var provideDefault = inject[key].default;
                result[key] = isFunction(provideDefault)
                    ? provideDefault.call(vm)
                    : provideDefault;
            }
            else if (true) {
                warn$2("Injection \"".concat(key, "\" not found"), vm);
            }
        }
        return result;
    }
}

var uid = 0;
function initMixin$1(Vue) {
    Vue.prototype._init = function (options) {
        var vm = this;
        // a uid
        vm._uid = uid++;
        var startTag, endTag;
        /* istanbul ignore if */
        if ( true &amp;&amp; config.performance &amp;&amp; mark) {
            startTag = "vue-perf-start:".concat(vm._uid);
            endTag = "vue-perf-end:".concat(vm._uid);
            mark(startTag);
        }
        // a flag to mark this as a Vue instance without having to do instanceof
        // check
        vm._isVue = true;
        // avoid instances from being observed
        vm.__v_skip = true;
        // effect scope
        vm._scope = new EffectScope(true /* detached */);
        vm._scope._vm = true;
        // merge options
        if (options &amp;&amp; options._isComponent) {
            // optimize internal component instantiation
            // since dynamic options merging is pretty slow, and none of the
            // internal component options needs special treatment.
            initInternalComponent(vm, options);
        }
        else {
            vm.$options = mergeOptions(resolveConstructorOptions(vm.constructor), options || {}, vm);
        }
        /* istanbul ignore else */
        if (true) {
            initProxy(vm);
        }
        else {}
        // expose real self
        vm._self = vm;
        initLifecycle(vm);
        initEvents(vm);
        initRender(vm);
        callHook$1(vm, 'beforeCreate', undefined, false /* setContext */);
        initInjections(vm); // resolve injections before data/props
        initState(vm);
        initProvide(vm); // resolve provide after data/props
        callHook$1(vm, 'created');
        /* istanbul ignore if */
        if ( true &amp;&amp; config.performance &amp;&amp; mark) {
            vm._name = formatComponentName(vm, false);
            mark(endTag);
            measure("vue ".concat(vm._name, " init"), startTag, endTag);
        }
        if (vm.$options.el) {
            vm.$mount(vm.$options.el);
        }
    };
}
function initInternalComponent(vm, options) {
    var opts = (vm.$options = Object.create(vm.constructor.options));
    // doing this because it's faster than dynamic enumeration.
    var parentVnode = options._parentVnode;
    opts.parent = options.parent;
    opts._parentVnode = parentVnode;
    var vnodeComponentOptions = parentVnode.componentOptions;
    opts.propsData = vnodeComponentOptions.propsData;
    opts._parentListeners = vnodeComponentOptions.listeners;
    opts._renderChildren = vnodeComponentOptions.children;
    opts._componentTag = vnodeComponentOptions.tag;
    if (options.render) {
        opts.render = options.render;
        opts.staticRenderFns = options.staticRenderFns;
    }
}
function resolveConstructorOptions(Ctor) {
    var options = Ctor.options;
    if (Ctor.super) {
        var superOptions = resolveConstructorOptions(Ctor.super);
        var cachedSuperOptions = Ctor.superOptions;
        if (superOptions !== cachedSuperOptions) {
            // super option changed,
            // need to resolve new options.
            Ctor.superOptions = superOptions;
            // check if there are any late-modified/attached options (#4976)
            var modifiedOptions = resolveModifiedOptions(Ctor);
            // update base extend options
            if (modifiedOptions) {
                extend(Ctor.extendOptions, modifiedOptions);
            }
            options = Ctor.options = mergeOptions(superOptions, Ctor.extendOptions);
            if (options.name) {
                options.components[options.name] = Ctor;
            }
        }
    }
    return options;
}
function resolveModifiedOptions(Ctor) {
    var modified;
    var latest = Ctor.options;
    var sealed = Ctor.sealedOptions;
    for (var key in latest) {
        if (latest[key] !== sealed[key]) {
            if (!modified)
                modified = {};
            modified[key] = latest[key];
        }
    }
    return modified;
}

function FunctionalRenderContext(data, props, children, parent, Ctor) {
    var _this = this;
    var options = Ctor.options;
    // ensure the createElement function in functional components
    // gets a unique context - this is necessary for correct named slot check
    var contextVm;
    if (hasOwn(parent, '_uid')) {
        contextVm = Object.create(parent);
        contextVm._original = parent;
    }
    else {
        // the context vm passed in is a functional context as well.
        // in this case we want to make sure we are able to get a hold to the
        // real context instance.
        contextVm = parent;
        // @ts-ignore
        parent = parent._original;
    }
    var isCompiled = isTrue(options._compiled);
    var needNormalization = !isCompiled;
    this.data = data;
    this.props = props;
    this.children = children;
    this.parent = parent;
    this.listeners = data.on || emptyObject;
    this.injections = resolveInject(options.inject, parent);
    this.slots = function () {
        if (!_this.$slots) {
            normalizeScopedSlots(parent, data.scopedSlots, (_this.$slots = resolveSlots(children, parent)));
        }
        return _this.$slots;
    };
    Object.defineProperty(this, 'scopedSlots', {
        enumerable: true,
        get: function () {
            return normalizeScopedSlots(parent, data.scopedSlots, this.slots());
        }
    });
    // support for compiled functional template
    if (isCompiled) {
        // exposing $options for renderStatic()
        this.$options = options;
        // pre-resolve slots for renderSlot()
        this.$slots = this.slots();
        this.$scopedSlots = normalizeScopedSlots(parent, data.scopedSlots, this.$slots);
    }
    if (options._scopeId) {
        this._c = function (a, b, c, d) {
            var vnode = createElement$1(contextVm, a, b, c, d, needNormalization);
            if (vnode &amp;&amp; !isArray(vnode)) {
                vnode.fnScopeId = options._scopeId;
                vnode.fnContext = parent;
            }
            return vnode;
        };
    }
    else {
        this._c = function (a, b, c, d) {
            return createElement$1(contextVm, a, b, c, d, needNormalization);
        };
    }
}
installRenderHelpers(FunctionalRenderContext.prototype);
function createFunctionalComponent(Ctor, propsData, data, contextVm, children) {
    var options = Ctor.options;
    var props = {};
    var propOptions = options.props;
    if (isDef(propOptions)) {
        for (var key in propOptions) {
            props[key] = validateProp(key, propOptions, propsData || emptyObject);
        }
    }
    else {
        if (isDef(data.attrs))
            mergeProps(props, data.attrs);
        if (isDef(data.props))
            mergeProps(props, data.props);
    }
    var renderContext = new FunctionalRenderContext(data, props, children, contextVm, Ctor);
    var vnode = options.render.call(null, renderContext._c, renderContext);
    if (vnode instanceof VNode) {
        return cloneAndMarkFunctionalResult(vnode, data, renderContext.parent, options, renderContext);
    }
    else if (isArray(vnode)) {
        var vnodes = normalizeChildren(vnode) || [];
        var res = new Array(vnodes.length);
        for (var i = 0; i &lt; vnodes.length; i++) {
            res[i] = cloneAndMarkFunctionalResult(vnodes[i], data, renderContext.parent, options, renderContext);
        }
        return res;
    }
}
function cloneAndMarkFunctionalResult(vnode, data, contextVm, options, renderContext) {
    // #7817 clone node before setting fnContext, otherwise if the node is reused
    // (e.g. it was from a cached normal slot) the fnContext causes named slots
    // that should not be matched to match.
    var clone = cloneVNode(vnode);
    clone.fnContext = contextVm;
    clone.fnOptions = options;
    if (true) {
        (clone.devtoolsMeta = clone.devtoolsMeta || {}).renderContext =
            renderContext;
    }
    if (data.slot) {
        (clone.data || (clone.data = {})).slot = data.slot;
    }
    return clone;
}
function mergeProps(to, from) {
    for (var key in from) {
        to[camelize(key)] = from[key];
    }
}

function getComponentName(options) {
    return options.name || options.__name || options._componentTag;
}
// inline hooks to be invoked on component VNodes during patch
var componentVNodeHooks = {
    init: function (vnode, hydrating) {
        if (vnode.componentInstance &amp;&amp;
            !vnode.componentInstance._isDestroyed &amp;&amp;
            vnode.data.keepAlive) {
            // kept-alive components, treat as a patch
            var mountedNode = vnode; // work around flow
            componentVNodeHooks.prepatch(mountedNode, mountedNode);
        }
        else {
            var child = (vnode.componentInstance = createComponentInstanceForVnode(vnode, activeInstance));
            child.$mount(hydrating ? vnode.elm : undefined, hydrating);
        }
    },
    prepatch: function (oldVnode, vnode) {
        var options = vnode.componentOptions;
        var child = (vnode.componentInstance = oldVnode.componentInstance);
        updateChildComponent(child, options.propsData, // updated props
        options.listeners, // updated listeners
        vnode, // new parent vnode
        options.children // new children
        );
    },
    insert: function (vnode) {
        var context = vnode.context, componentInstance = vnode.componentInstance;
        if (!componentInstance._isMounted) {
            componentInstance._isMounted = true;
            callHook$1(componentInstance, 'mounted');
        }
        if (vnode.data.keepAlive) {
            if (context._isMounted) {
                // vue-router#1212
                // During updates, a kept-alive component's child components may
                // change, so directly walking the tree here may call activated hooks
                // on incorrect children. Instead we push them into a queue which will
                // be processed after the whole patch process ended.
                queueActivatedComponent(componentInstance);
            }
            else {
                activateChildComponent(componentInstance, true /* direct */);
            }
        }
    },
    destroy: function (vnode) {
        var componentInstance = vnode.componentInstance;
        if (!componentInstance._isDestroyed) {
            if (!vnode.data.keepAlive) {
                componentInstance.$destroy();
            }
            else {
                deactivateChildComponent(componentInstance, true /* direct */);
            }
        }
    }
};
var hooksToMerge = Object.keys(componentVNodeHooks);
function createComponent(Ctor, data, context, children, tag) {
    if (isUndef(Ctor)) {
        return;
    }
    var baseCtor = context.$options._base;
    // plain options object: turn it into a constructor
    if (isObject(Ctor)) {
        Ctor = baseCtor.extend(Ctor);
    }
    // if at this stage it's not a constructor or an async component factory,
    // reject.
    if (typeof Ctor !== 'function') {
        if (true) {
            warn$2("Invalid Component definition: ".concat(String(Ctor)), context);
        }
        return;
    }
    // async component
    var asyncFactory;
    // @ts-expect-error
    if (isUndef(Ctor.cid)) {
        asyncFactory = Ctor;
        Ctor = resolveAsyncComponent(asyncFactory, baseCtor);
        if (Ctor === undefined) {
            // return a placeholder node for async component, which is rendered
            // as a comment node but preserves all the raw information for the node.
            // the information will be used for async server-rendering and hydration.
            return createAsyncPlaceholder(asyncFactory, data, context, children, tag);
        }
    }
    data = data || {};
    // resolve constructor options in case global mixins are applied after
    // component constructor creation
    resolveConstructorOptions(Ctor);
    // transform component v-model data into props &amp; events
    if (isDef(data.model)) {
        // @ts-expect-error
        transformModel(Ctor.options, data);
    }
    // extract props
    // @ts-expect-error
    var propsData = extractPropsFromVNodeData(data, Ctor, tag);
    // functional component
    // @ts-expect-error
    if (isTrue(Ctor.options.functional)) {
        return createFunctionalComponent(Ctor, propsData, data, context, children);
    }
    // extract listeners, since these needs to be treated as
    // child component listeners instead of DOM listeners
    var listeners = data.on;
    // replace with listeners with .native modifier
    // so it gets processed during parent component patch.
    data.on = data.nativeOn;
    // @ts-expect-error
    if (isTrue(Ctor.options.abstract)) {
        // abstract components do not keep anything
        // other than props &amp; listeners &amp; slot
        // work around flow
        var slot = data.slot;
        data = {};
        if (slot) {
            data.slot = slot;
        }
    }
    // install component management hooks onto the placeholder node
    installComponentHooks(data);
    // return a placeholder vnode
    // @ts-expect-error
    var name = getComponentName(Ctor.options) || tag;
    var vnode = new VNode(
    // @ts-expect-error
    "vue-component-".concat(Ctor.cid).concat(name ? "-".concat(name) : ''), data, undefined, undefined, undefined, context, 
    // @ts-expect-error
    { Ctor: Ctor, propsData: propsData, listeners: listeners, tag: tag, children: children }, asyncFactory);
    return vnode;
}
function createComponentInstanceForVnode(
// we know it's MountedComponentVNode but flow doesn't
vnode, 
// activeInstance in lifecycle state
parent) {
    var options = {
        _isComponent: true,
        _parentVnode: vnode,
        parent: parent
    };
    // check inline-template render functions
    var inlineTemplate = vnode.data.inlineTemplate;
    if (isDef(inlineTemplate)) {
        options.render = inlineTemplate.render;
        options.staticRenderFns = inlineTemplate.staticRenderFns;
    }
    return new vnode.componentOptions.Ctor(options);
}
function installComponentHooks(data) {
    var hooks = data.hook || (data.hook = {});
    for (var i = 0; i &lt; hooksToMerge.length; i++) {
        var key = hooksToMerge[i];
        var existing = hooks[key];
        var toMerge = componentVNodeHooks[key];
        // @ts-expect-error
        if (existing !== toMerge &amp;&amp; !(existing &amp;&amp; existing._merged)) {
            hooks[key] = existing ? mergeHook(toMerge, existing) : toMerge;
        }
    }
}
function mergeHook(f1, f2) {
    var merged = function (a, b) {
        // flow complains about extra args which is why we use any
        f1(a, b);
        f2(a, b);
    };
    merged._merged = true;
    return merged;
}
// transform component v-model info (value and callback) into
// prop and event handler respectively.
function transformModel(options, data) {
    var prop = (options.model &amp;&amp; options.model.prop) || 'value';
    var event = (options.model &amp;&amp; options.model.event) || 'input';
    (data.attrs || (data.attrs = {}))[prop] = data.model.value;
    var on = data.on || (data.on = {});
    var existing = on[event];
    var callback = data.model.callback;
    if (isDef(existing)) {
        if (isArray(existing)
            ? existing.indexOf(callback) === -1
            : existing !== callback) {
            on[event] = [callback].concat(existing);
        }
    }
    else {
        on[event] = callback;
    }
}

var warn$2 = noop;
var tip = noop;
var generateComponentTrace; // work around flow check
var formatComponentName;
if (true) {
    var hasConsole_1 = typeof console !== 'undefined';
    var classifyRE_1 = /(?:^|[-_])(\w)/g;
    var classify_1 = function (str) {
        return str.replace(classifyRE_1, function (c) { return c.toUpperCase(); }).replace(/[-_]/g, '');
    };
    warn$2 = function (msg, vm) {
        if (vm === void 0) { vm = currentInstance; }
        var trace = vm ? generateComponentTrace(vm) : '';
        if (config.warnHandler) {
            config.warnHandler.call(null, msg, vm, trace);
        }
        else if (hasConsole_1 &amp;&amp; !config.silent) {
            console.error("[Vue warn]: ".concat(msg).concat(trace));
        }
    };
    tip = function (msg, vm) {
        if (hasConsole_1 &amp;&amp; !config.silent) {
            console.warn("[Vue tip]: ".concat(msg) + (vm ? generateComponentTrace(vm) : ''));
        }
    };
    formatComponentName = function (vm, includeFile) {
        if (vm.$root === vm) {
            return '&lt;Root&gt;';
        }
        var options = isFunction(vm) &amp;&amp; vm.cid != null
            ? vm.options
            : vm._isVue
                ? vm.$options || vm.constructor.options
                : vm;
        var name = getComponentName(options);
        var file = options.__file;
        if (!name &amp;&amp; file) {
            var match = file.match(/([^/\\]+)\.vue$/);
            name = match &amp;&amp; match[1];
        }
        return ((name ? "&lt;".concat(classify_1(name), "&gt;") : "&lt;Anonymous&gt;") +
            (file &amp;&amp; includeFile !== false ? " at ".concat(file) : ''));
    };
    var repeat_1 = function (str, n) {
        var res = '';
        while (n) {
            if (n % 2 === 1)
                res += str;
            if (n &gt; 1)
                str += str;
            n &gt;&gt;= 1;
        }
        return res;
    };
    generateComponentTrace = function (vm) {
        if (vm._isVue &amp;&amp; vm.$parent) {
            var tree = [];
            var currentRecursiveSequence = 0;
            while (vm) {
                if (tree.length &gt; 0) {
                    var last = tree[tree.length - 1];
                    if (last.constructor === vm.constructor) {
                        currentRecursiveSequence++;
                        vm = vm.$parent;
                        continue;
                    }
                    else if (currentRecursiveSequence &gt; 0) {
                        tree[tree.length - 1] = [last, currentRecursiveSequence];
                        currentRecursiveSequence = 0;
                    }
                }
                tree.push(vm);
                vm = vm.$parent;
            }
            return ('\n\nfound in\n\n' +
                tree
                    .map(function (vm, i) {
                    return "".concat(i === 0 ? '---&gt; ' : repeat_1(' ', 5 + i * 2)).concat(isArray(vm)
                        ? "".concat(formatComponentName(vm[0]), "... (").concat(vm[1], " recursive calls)")
                        : formatComponentName(vm));
                })
                    .join('\n'));
        }
        else {
            return "\n\n(found in ".concat(formatComponentName(vm), ")");
        }
    };
}

/**
 * Option overwriting strategies are functions that handle
 * how to merge a parent option value and a child option
 * value into the final value.
 */
var strats = config.optionMergeStrategies;
/**
 * Options with restrictions
 */
if (true) {
    strats.el = strats.propsData = function (parent, child, vm, key) {
        if (!vm) {
            warn$2("option \"".concat(key, "\" can only be used during instance ") +
                'creation with the `new` keyword.');
        }
        return defaultStrat(parent, child);
    };
}
/**
 * Helper that recursively merges two data objects together.
 */
function mergeData(to, from, recursive) {
    if (recursive === void 0) { recursive = true; }
    if (!from)
        return to;
    var key, toVal, fromVal;
    var keys = hasSymbol
        ? Reflect.ownKeys(from)
        : Object.keys(from);
    for (var i = 0; i &lt; keys.length; i++) {
        key = keys[i];
        // in case the object is already observed...
        if (key === '__ob__')
            continue;
        toVal = to[key];
        fromVal = from[key];
        if (!recursive || !hasOwn(to, key)) {
            set(to, key, fromVal);
        }
        else if (toVal !== fromVal &amp;&amp;
            isPlainObject(toVal) &amp;&amp;
            isPlainObject(fromVal)) {
            mergeData(toVal, fromVal);
        }
    }
    return to;
}
/**
 * Data
 */
function mergeDataOrFn(parentVal, childVal, vm) {
    if (!vm) {
        // in a Vue.extend merge, both should be functions
        if (!childVal) {
            return parentVal;
        }
        if (!parentVal) {
            return childVal;
        }
        // when parentVal &amp; childVal are both present,
        // we need to return a function that returns the
        // merged result of both functions... no need to
        // check if parentVal is a function here because
        // it has to be a function to pass previous merges.
        return function mergedDataFn() {
            return mergeData(isFunction(childVal) ? childVal.call(this, this) : childVal, isFunction(parentVal) ? parentVal.call(this, this) : parentVal);
        };
    }
    else {
        return function mergedInstanceDataFn() {
            // instance merge
            var instanceData = isFunction(childVal)
                ? childVal.call(vm, vm)
                : childVal;
            var defaultData = isFunction(parentVal)
                ? parentVal.call(vm, vm)
                : parentVal;
            if (instanceData) {
                return mergeData(instanceData, defaultData);
            }
            else {
                return defaultData;
            }
        };
    }
}
strats.data = function (parentVal, childVal, vm) {
    if (!vm) {
        if (childVal &amp;&amp; typeof childVal !== 'function') {
             true &amp;&amp;
                warn$2('The "data" option should be a function ' +
                    'that returns a per-instance value in component ' +
                    'definitions.', vm);
            return parentVal;
        }
        return mergeDataOrFn(parentVal, childVal);
    }
    return mergeDataOrFn(parentVal, childVal, vm);
};
/**
 * Hooks and props are merged as arrays.
 */
function mergeLifecycleHook(parentVal, childVal) {
    var res = childVal
        ? parentVal
            ? parentVal.concat(childVal)
            : isArray(childVal)
                ? childVal
                : [childVal]
        : parentVal;
    return res ? dedupeHooks(res) : res;
}
function dedupeHooks(hooks) {
    var res = [];
    for (var i = 0; i &lt; hooks.length; i++) {
        if (res.indexOf(hooks[i]) === -1) {
            res.push(hooks[i]);
        }
    }
    return res;
}
LIFECYCLE_HOOKS.forEach(function (hook) {
    strats[hook] = mergeLifecycleHook;
});
/**
 * Assets
 *
 * When a vm is present (instance creation), we need to do
 * a three-way merge between constructor options, instance
 * options and parent options.
 */
function mergeAssets(parentVal, childVal, vm, key) {
    var res = Object.create(parentVal || null);
    if (childVal) {
         true &amp;&amp; assertObjectType(key, childVal, vm);
        return extend(res, childVal);
    }
    else {
        return res;
    }
}
ASSET_TYPES.forEach(function (type) {
    strats[type + 's'] = mergeAssets;
});
/**
 * Watchers.
 *
 * Watchers hashes should not overwrite one
 * another, so we merge them as arrays.
 */
strats.watch = function (parentVal, childVal, vm, key) {
    // work around Firefox's Object.prototype.watch...
    //@ts-expect-error work around
    if (parentVal === nativeWatch)
        parentVal = undefined;
    //@ts-expect-error work around
    if (childVal === nativeWatch)
        childVal = undefined;
    /* istanbul ignore if */
    if (!childVal)
        return Object.create(parentVal || null);
    if (true) {
        assertObjectType(key, childVal, vm);
    }
    if (!parentVal)
        return childVal;
    var ret = {};
    extend(ret, parentVal);
    for (var key_1 in childVal) {
        var parent_1 = ret[key_1];
        var child = childVal[key_1];
        if (parent_1 &amp;&amp; !isArray(parent_1)) {
            parent_1 = [parent_1];
        }
        ret[key_1] = parent_1 ? parent_1.concat(child) : isArray(child) ? child : [child];
    }
    return ret;
};
/**
 * Other object hashes.
 */
strats.props =
    strats.methods =
        strats.inject =
            strats.computed =
                function (parentVal, childVal, vm, key) {
                    if (childVal &amp;&amp; "development" !== 'production') {
                        assertObjectType(key, childVal, vm);
                    }
                    if (!parentVal)
                        return childVal;
                    var ret = Object.create(null);
                    extend(ret, parentVal);
                    if (childVal)
                        extend(ret, childVal);
                    return ret;
                };
strats.provide = function (parentVal, childVal) {
    if (!parentVal)
        return childVal;
    return function () {
        var ret = Object.create(null);
        mergeData(ret, isFunction(parentVal) ? parentVal.call(this) : parentVal);
        if (childVal) {
            mergeData(ret, isFunction(childVal) ? childVal.call(this) : childVal, false // non-recursive
            );
        }
        return ret;
    };
};
/**
 * Default strategy.
 */
var defaultStrat = function (parentVal, childVal) {
    return childVal === undefined ? parentVal : childVal;
};
/**
 * Validate component names
 */
function checkComponents(options) {
    for (var key in options.components) {
        validateComponentName(key);
    }
}
function validateComponentName(name) {
    if (!new RegExp("^[a-zA-Z][\\-\\.0-9_".concat(unicodeRegExp.source, "]*$")).test(name)) {
        warn$2('Invalid component name: "' +
            name +
            '". Component names ' +
            'should conform to valid custom element name in html5 specification.');
    }
    if (isBuiltInTag(name) || config.isReservedTag(name)) {
        warn$2('Do not use built-in or reserved HTML elements as component ' +
            'id: ' +
            name);
    }
}
/**
 * Ensure all props option syntax are normalized into the
 * Object-based format.
 */
function normalizeProps(options, vm) {
    var props = options.props;
    if (!props)
        return;
    var res = {};
    var i, val, name;
    if (isArray(props)) {
        i = props.length;
        while (i--) {
            val = props[i];
            if (typeof val === 'string') {
                name = camelize(val);
                res[name] = { type: null };
            }
            else if (true) {
                warn$2('props must be strings when using array syntax.');
            }
        }
    }
    else if (isPlainObject(props)) {
        for (var key in props) {
            val = props[key];
            name = camelize(key);
            res[name] = isPlainObject(val) ? val : { type: val };
        }
    }
    else if (true) {
        warn$2("Invalid value for option \"props\": expected an Array or an Object, " +
            "but got ".concat(toRawType(props), "."), vm);
    }
    options.props = res;
}
/**
 * Normalize all injections into Object-based format
 */
function normalizeInject(options, vm) {
    var inject = options.inject;
    if (!inject)
        return;
    var normalized = (options.inject = {});
    if (isArray(inject)) {
        for (var i = 0; i &lt; inject.length; i++) {
            normalized[inject[i]] = { from: inject[i] };
        }
    }
    else if (isPlainObject(inject)) {
        for (var key in inject) {
            var val = inject[key];
            normalized[key] = isPlainObject(val)
                ? extend({ from: key }, val)
                : { from: val };
        }
    }
    else if (true) {
        warn$2("Invalid value for option \"inject\": expected an Array or an Object, " +
            "but got ".concat(toRawType(inject), "."), vm);
    }
}
/**
 * Normalize raw function directives into object format.
 */
function normalizeDirectives$1(options) {
    var dirs = options.directives;
    if (dirs) {
        for (var key in dirs) {
            var def = dirs[key];
            if (isFunction(def)) {
                dirs[key] = { bind: def, update: def };
            }
        }
    }
}
function assertObjectType(name, value, vm) {
    if (!isPlainObject(value)) {
        warn$2("Invalid value for option \"".concat(name, "\": expected an Object, ") +
            "but got ".concat(toRawType(value), "."), vm);
    }
}
/**
 * Merge two option objects into a new one.
 * Core utility used in both instantiation and inheritance.
 */
function mergeOptions(parent, child, vm) {
    if (true) {
        checkComponents(child);
    }
    if (isFunction(child)) {
        // @ts-expect-error
        child = child.options;
    }
    normalizeProps(child, vm);
    normalizeInject(child, vm);
    normalizeDirectives$1(child);
    // Apply extends and mixins on the child options,
    // but only if it is a raw options object that isn't
    // the result of another mergeOptions call.
    // Only merged options has the _base property.
    if (!child._base) {
        if (child.extends) {
            parent = mergeOptions(parent, child.extends, vm);
        }
        if (child.mixins) {
            for (var i = 0, l = child.mixins.length; i &lt; l; i++) {
                parent = mergeOptions(parent, child.mixins[i], vm);
            }
        }
    }
    var options = {};
    var key;
    for (key in parent) {
        mergeField(key);
    }
    for (key in child) {
        if (!hasOwn(parent, key)) {
            mergeField(key);
        }
    }
    function mergeField(key) {
        var strat = strats[key] || defaultStrat;
        options[key] = strat(parent[key], child[key], vm, key);
    }
    return options;
}
/**
 * Resolve an asset.
 * This function is used because child instances need access
 * to assets defined in its ancestor chain.
 */
function resolveAsset(options, type, id, warnMissing) {
    /* istanbul ignore if */
    if (typeof id !== 'string') {
        return;
    }
    var assets = options[type];
    // check local registration variations first
    if (hasOwn(assets, id))
        return assets[id];
    var camelizedId = camelize(id);
    if (hasOwn(assets, camelizedId))
        return assets[camelizedId];
    var PascalCaseId = capitalize(camelizedId);
    if (hasOwn(assets, PascalCaseId))
        return assets[PascalCaseId];
    // fallback to prototype chain
    var res = assets[id] || assets[camelizedId] || assets[PascalCaseId];
    if ( true &amp;&amp; warnMissing &amp;&amp; !res) {
        warn$2('Failed to resolve ' + type.slice(0, -1) + ': ' + id);
    }
    return res;
}

function validateProp(key, propOptions, propsData, vm) {
    var prop = propOptions[key];
    var absent = !hasOwn(propsData, key);
    var value = propsData[key];
    // boolean casting
    var booleanIndex = getTypeIndex(Boolean, prop.type);
    if (booleanIndex &gt; -1) {
        if (absent &amp;&amp; !hasOwn(prop, 'default')) {
            value = false;
        }
        else if (value === '' || value === hyphenate(key)) {
            // only cast empty string / same name to boolean if
            // boolean has higher priority
            var stringIndex = getTypeIndex(String, prop.type);
            if (stringIndex &lt; 0 || booleanIndex &lt; stringIndex) {
                value = true;
            }
        }
    }
    // check default value
    if (value === undefined) {
        value = getPropDefaultValue(vm, prop, key);
        // since the default value is a fresh copy,
        // make sure to observe it.
        var prevShouldObserve = shouldObserve;
        toggleObserving(true);
        observe(value);
        toggleObserving(prevShouldObserve);
    }
    if (true) {
        assertProp(prop, key, value, vm, absent);
    }
    return value;
}
/**
 * Get the default value of a prop.
 */
function getPropDefaultValue(vm, prop, key) {
    // no default, return undefined
    if (!hasOwn(prop, 'default')) {
        return undefined;
    }
    var def = prop.default;
    // warn against non-factory defaults for Object &amp; Array
    if ( true &amp;&amp; isObject(def)) {
        warn$2('Invalid default value for prop "' +
            key +
            '": ' +
            'Props with type Object/Array must use a factory function ' +
            'to return the default value.', vm);
    }
    // the raw prop value was also undefined from previous render,
    // return previous default value to avoid unnecessary watcher trigger
    if (vm &amp;&amp;
        vm.$options.propsData &amp;&amp;
        vm.$options.propsData[key] === undefined &amp;&amp;
        vm._props[key] !== undefined) {
        return vm._props[key];
    }
    // call factory function for non-Function types
    // a value is Function if its prototype is function even across different execution context
    return isFunction(def) &amp;&amp; getType(prop.type) !== 'Function'
        ? def.call(vm)
        : def;
}
/**
 * Assert whether a prop is valid.
 */
function assertProp(prop, name, value, vm, absent) {
    if (prop.required &amp;&amp; absent) {
        warn$2('Missing required prop: "' + name + '"', vm);
        return;
    }
    if (value == null &amp;&amp; !prop.required) {
        return;
    }
    var type = prop.type;
    var valid = !type || type === true;
    var expectedTypes = [];
    if (type) {
        if (!isArray(type)) {
            type = [type];
        }
        for (var i = 0; i &lt; type.length &amp;&amp; !valid; i++) {
            var assertedType = assertType(value, type[i], vm);
            expectedTypes.push(assertedType.expectedType || '');
            valid = assertedType.valid;
        }
    }
    var haveExpectedTypes = expectedTypes.some(function (t) { return t; });
    if (!valid &amp;&amp; haveExpectedTypes) {
        warn$2(getInvalidTypeMessage(name, value, expectedTypes), vm);
        return;
    }
    var validator = prop.validator;
    if (validator) {
        if (!validator(value)) {
            warn$2('Invalid prop: custom validator check failed for prop "' + name + '".', vm);
        }
    }
}
var simpleCheckRE = /^(String|Number|Boolean|Function|Symbol|BigInt)$/;
function assertType(value, type, vm) {
    var valid;
    var expectedType = getType(type);
    if (simpleCheckRE.test(expectedType)) {
        var t = typeof value;
        valid = t === expectedType.toLowerCase();
        // for primitive wrapper objects
        if (!valid &amp;&amp; t === 'object') {
            valid = value instanceof type;
        }
    }
    else if (expectedType === 'Object') {
        valid = isPlainObject(value);
    }
    else if (expectedType === 'Array') {
        valid = isArray(value);
    }
    else {
        try {
            valid = value instanceof type;
        }
        catch (e) {
            warn$2('Invalid prop type: "' + String(type) + '" is not a constructor', vm);
            valid = false;
        }
    }
    return {
        valid: valid,
        expectedType: expectedType
    };
}
var functionTypeCheckRE = /^\s*function (\w+)/;
/**
 * Use function string name to check built-in types,
 * because a simple equality check will fail when running
 * across different vms / iframes.
 */
function getType(fn) {
    var match = fn &amp;&amp; fn.toString().match(functionTypeCheckRE);
    return match ? match[1] : '';
}
function isSameType(a, b) {
    return getType(a) === getType(b);
}
function getTypeIndex(type, expectedTypes) {
    if (!isArray(expectedTypes)) {
        return isSameType(expectedTypes, type) ? 0 : -1;
    }
    for (var i = 0, len = expectedTypes.length; i &lt; len; i++) {
        if (isSameType(expectedTypes[i], type)) {
            return i;
        }
    }
    return -1;
}
function getInvalidTypeMessage(name, value, expectedTypes) {
    var message = "Invalid prop: type check failed for prop \"".concat(name, "\".") +
        " Expected ".concat(expectedTypes.map(capitalize).join(', '));
    var expectedType = expectedTypes[0];
    var receivedType = toRawType(value);
    // check if we need to specify expected value
    if (expectedTypes.length === 1 &amp;&amp;
        isExplicable(expectedType) &amp;&amp;
        isExplicable(typeof value) &amp;&amp;
        !isBoolean(expectedType, receivedType)) {
        message += " with value ".concat(styleValue(value, expectedType));
    }
    message += ", got ".concat(receivedType, " ");
    // check if we need to specify received value
    if (isExplicable(receivedType)) {
        message += "with value ".concat(styleValue(value, receivedType), ".");
    }
    return message;
}
function styleValue(value, type) {
    if (type === 'String') {
        return "\"".concat(value, "\"");
    }
    else if (type === 'Number') {
        return "".concat(Number(value));
    }
    else {
        return "".concat(value);
    }
}
var EXPLICABLE_TYPES = ['string', 'number', 'boolean'];
function isExplicable(value) {
    return EXPLICABLE_TYPES.some(function (elem) { return value.toLowerCase() === elem; });
}
function isBoolean() {
    var args = [];
    for (var _i = 0; _i &lt; arguments.length; _i++) {
        args[_i] = arguments[_i];
    }
    return args.some(function (elem) { return elem.toLowerCase() === 'boolean'; });
}

function Vue(options) {
    if ( true &amp;&amp; !(this instanceof Vue)) {
        warn$2('Vue is a constructor and should be called with the `new` keyword');
    }
    this._init(options);
}
//@ts-expect-error Vue has function type
initMixin$1(Vue);
//@ts-expect-error Vue has function type
stateMixin(Vue);
//@ts-expect-error Vue has function type
eventsMixin(Vue);
//@ts-expect-error Vue has function type
lifecycleMixin(Vue);
//@ts-expect-error Vue has function type
renderMixin(Vue);

function initUse(Vue) {
    Vue.use = function (plugin) {
        var installedPlugins = this._installedPlugins || (this._installedPlugins = []);
        if (installedPlugins.indexOf(plugin) &gt; -1) {
            return this;
        }
        // additional parameters
        var args = toArray(arguments, 1);
        args.unshift(this);
        if (isFunction(plugin.install)) {
            plugin.install.apply(plugin, args);
        }
        else if (isFunction(plugin)) {
            plugin.apply(null, args);
        }
        installedPlugins.push(plugin);
        return this;
    };
}

function initMixin(Vue) {
    Vue.mixin = function (mixin) {
        this.options = mergeOptions(this.options, mixin);
        return this;
    };
}

function initExtend(Vue) {
    /**
     * Each instance constructor, including Vue, has a unique
     * cid. This enables us to create wrapped "child
     * constructors" for prototypal inheritance and cache them.
     */
    Vue.cid = 0;
    var cid = 1;
    /**
     * Class inheritance
     */
    Vue.extend = function (extendOptions) {
        extendOptions = extendOptions || {};
        var Super = this;
        var SuperId = Super.cid;
        var cachedCtors = extendOptions._Ctor || (extendOptions._Ctor = {});
        if (cachedCtors[SuperId]) {
            return cachedCtors[SuperId];
        }
        var name = getComponentName(extendOptions) || getComponentName(Super.options);
        if ( true &amp;&amp; name) {
            validateComponentName(name);
        }
        var Sub = function VueComponent(options) {
            this._init(options);
        };
        Sub.prototype = Object.create(Super.prototype);
        Sub.prototype.constructor = Sub;
        Sub.cid = cid++;
        Sub.options = mergeOptions(Super.options, extendOptions);
        Sub['super'] = Super;
        // For props and computed properties, we define the proxy getters on
        // the Vue instances at extension time, on the extended prototype. This
        // avoids Object.defineProperty calls for each instance created.
        if (Sub.options.props) {
            initProps(Sub);
        }
        if (Sub.options.computed) {
            initComputed(Sub);
        }
        // allow further extension/mixin/plugin usage
        Sub.extend = Super.extend;
        Sub.mixin = Super.mixin;
        Sub.use = Super.use;
        // create asset registers, so extended classes
        // can have their private assets too.
        ASSET_TYPES.forEach(function (type) {
            Sub[type] = Super[type];
        });
        // enable recursive self-lookup
        if (name) {
            Sub.options.components[name] = Sub;
        }
        // keep a reference to the super options at extension time.
        // later at instantiation we can check if Super's options have
        // been updated.
        Sub.superOptions = Super.options;
        Sub.extendOptions = extendOptions;
        Sub.sealedOptions = extend({}, Sub.options);
        // cache constructor
        cachedCtors[SuperId] = Sub;
        return Sub;
    };
}
function initProps(Comp) {
    var props = Comp.options.props;
    for (var key in props) {
        proxy(Comp.prototype, "_props", key);
    }
}
function initComputed(Comp) {
    var computed = Comp.options.computed;
    for (var key in computed) {
        defineComputed(Comp.prototype, key, computed[key]);
    }
}

function initAssetRegisters(Vue) {
    /**
     * Create asset registration methods.
     */
    ASSET_TYPES.forEach(function (type) {
        // @ts-expect-error function is not exact same type
        Vue[type] = function (id, definition) {
            if (!definition) {
                return this.options[type + 's'][id];
            }
            else {
                /* istanbul ignore if */
                if ( true &amp;&amp; type === 'component') {
                    validateComponentName(id);
                }
                if (type === 'component' &amp;&amp; isPlainObject(definition)) {
                    // @ts-expect-error
                    definition.name = definition.name || id;
                    definition = this.options._base.extend(definition);
                }
                if (type === 'directive' &amp;&amp; isFunction(definition)) {
                    definition = { bind: definition, update: definition };
                }
                this.options[type + 's'][id] = definition;
                return definition;
            }
        };
    });
}

function _getComponentName(opts) {
    return opts &amp;&amp; (getComponentName(opts.Ctor.options) || opts.tag);
}
function matches(pattern, name) {
    if (isArray(pattern)) {
        return pattern.indexOf(name) &gt; -1;
    }
    else if (typeof pattern === 'string') {
        return pattern.split(',').indexOf(name) &gt; -1;
    }
    else if (isRegExp(pattern)) {
        return pattern.test(name);
    }
    /* istanbul ignore next */
    return false;
}
function pruneCache(keepAliveInstance, filter) {
    var cache = keepAliveInstance.cache, keys = keepAliveInstance.keys, _vnode = keepAliveInstance._vnode;
    for (var key in cache) {
        var entry = cache[key];
        if (entry) {
            var name_1 = entry.name;
            if (name_1 &amp;&amp; !filter(name_1)) {
                pruneCacheEntry(cache, key, keys, _vnode);
            }
        }
    }
}
function pruneCacheEntry(cache, key, keys, current) {
    var entry = cache[key];
    if (entry &amp;&amp; (!current || entry.tag !== current.tag)) {
        // @ts-expect-error can be undefined
        entry.componentInstance.$destroy();
    }
    cache[key] = null;
    remove$2(keys, key);
}
var patternTypes = [String, RegExp, Array];
// TODO defineComponent
var KeepAlive = {
    name: 'keep-alive',
    abstract: true,
    props: {
        include: patternTypes,
        exclude: patternTypes,
        max: [String, Number]
    },
    methods: {
        cacheVNode: function () {
            var _a = this, cache = _a.cache, keys = _a.keys, vnodeToCache = _a.vnodeToCache, keyToCache = _a.keyToCache;
            if (vnodeToCache) {
                var tag = vnodeToCache.tag, componentInstance = vnodeToCache.componentInstance, componentOptions = vnodeToCache.componentOptions;
                cache[keyToCache] = {
                    name: _getComponentName(componentOptions),
                    tag: tag,
                    componentInstance: componentInstance
                };
                keys.push(keyToCache);
                // prune oldest entry
                if (this.max &amp;&amp; keys.length &gt; parseInt(this.max)) {
                    pruneCacheEntry(cache, keys[0], keys, this._vnode);
                }
                this.vnodeToCache = null;
            }
        }
    },
    created: function () {
        this.cache = Object.create(null);
        this.keys = [];
    },
    destroyed: function () {
        for (var key in this.cache) {
            pruneCacheEntry(this.cache, key, this.keys);
        }
    },
    mounted: function () {
        var _this = this;
        this.cacheVNode();
        this.$watch('include', function (val) {
            pruneCache(_this, function (name) { return matches(val, name); });
        });
        this.$watch('exclude', function (val) {
            pruneCache(_this, function (name) { return !matches(val, name); });
        });
    },
    updated: function () {
        this.cacheVNode();
    },
    render: function () {
        var slot = this.$slots.default;
        var vnode = getFirstComponentChild(slot);
        var componentOptions = vnode &amp;&amp; vnode.componentOptions;
        if (componentOptions) {
            // check pattern
            var name_2 = _getComponentName(componentOptions);
            var _a = this, include = _a.include, exclude = _a.exclude;
            if (
            // not included
            (include &amp;&amp; (!name_2 || !matches(include, name_2))) ||
                // excluded
                (exclude &amp;&amp; name_2 &amp;&amp; matches(exclude, name_2))) {
                return vnode;
            }
            var _b = this, cache = _b.cache, keys = _b.keys;
            var key = vnode.key == null
                ? // same constructor may get registered as different local components
                    // so cid alone is not enough (#3269)
                    componentOptions.Ctor.cid +
                        (componentOptions.tag ? "::".concat(componentOptions.tag) : '')
                : vnode.key;
            if (cache[key]) {
                vnode.componentInstance = cache[key].componentInstance;
                // make current key freshest
                remove$2(keys, key);
                keys.push(key);
            }
            else {
                // delay setting the cache until update
                this.vnodeToCache = vnode;
                this.keyToCache = key;
            }
            // @ts-expect-error can vnode.data can be undefined
            vnode.data.keepAlive = true;
        }
        return vnode || (slot &amp;&amp; slot[0]);
    }
};

var builtInComponents = {
    KeepAlive: KeepAlive
};

function initGlobalAPI(Vue) {
    // config
    var configDef = {};
    configDef.get = function () { return config; };
    if (true) {
        configDef.set = function () {
            warn$2('Do not replace the Vue.config object, set individual fields instead.');
        };
    }
    Object.defineProperty(Vue, 'config', configDef);
    // exposed util methods.
    // NOTE: these are not considered part of the public API - avoid relying on
    // them unless you are aware of the risk.
    Vue.util = {
        warn: warn$2,
        extend: extend,
        mergeOptions: mergeOptions,
        defineReactive: defineReactive
    };
    Vue.set = set;
    Vue.delete = del;
    Vue.nextTick = nextTick;
    // 2.6 explicit observable API
    Vue.observable = function (obj) {
        observe(obj);
        return obj;
    };
    Vue.options = Object.create(null);
    ASSET_TYPES.forEach(function (type) {
        Vue.options[type + 's'] = Object.create(null);
    });
    // this is used to identify the "base" constructor to extend all plain-object
    // components with in Weex's multi-instance scenarios.
    Vue.options._base = Vue;
    extend(Vue.options.components, builtInComponents);
    initUse(Vue);
    initMixin(Vue);
    initExtend(Vue);
    initAssetRegisters(Vue);
}

initGlobalAPI(Vue);
Object.defineProperty(Vue.prototype, '$isServer', {
    get: isServerRendering
});
Object.defineProperty(Vue.prototype, '$ssrContext', {
    get: function () {
        /* istanbul ignore next */
        return this.$vnode &amp;&amp; this.$vnode.ssrContext;
    }
});
// expose FunctionalRenderContext for ssr runtime helper installation
Object.defineProperty(Vue, 'FunctionalRenderContext', {
    value: FunctionalRenderContext
});
Vue.version = version;

// these are reserved for web because they are directly compiled away
// during template compilation
var isReservedAttr = makeMap('style,class');
// attributes that should be using props for binding
var acceptValue = makeMap('input,textarea,option,select,progress');
var mustUseProp = function (tag, type, attr) {
    return ((attr === 'value' &amp;&amp; acceptValue(tag) &amp;&amp; type !== 'button') ||
        (attr === 'selected' &amp;&amp; tag === 'option') ||
        (attr === 'checked' &amp;&amp; tag === 'input') ||
        (attr === 'muted' &amp;&amp; tag === 'video'));
};
var isEnumeratedAttr = makeMap('contenteditable,draggable,spellcheck');
var isValidContentEditableValue = makeMap('events,caret,typing,plaintext-only');
var convertEnumeratedValue = function (key, value) {
    return isFalsyAttrValue(value) || value === 'false'
        ? 'false'
        : // allow arbitrary string value for contenteditable
            key === 'contenteditable' &amp;&amp; isValidContentEditableValue(value)
                ? value
                : 'true';
};
var isBooleanAttr = makeMap('allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,' +
    'default,defaultchecked,defaultmuted,defaultselected,defer,disabled,' +
    'enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,' +
    'muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,' +
    'required,reversed,scoped,seamless,selected,sortable,' +
    'truespeed,typemustmatch,visible');
var xlinkNS = 'http://www.w3.org/1999/xlink';
var isXlink = function (name) {
    return name.charAt(5) === ':' &amp;&amp; name.slice(0, 5) === 'xlink';
};
var getXlinkProp = function (name) {
    return isXlink(name) ? name.slice(6, name.length) : '';
};
var isFalsyAttrValue = function (val) {
    return val == null || val === false;
};

function genClassForVnode(vnode) {
    var data = vnode.data;
    var parentNode = vnode;
    var childNode = vnode;
    while (isDef(childNode.componentInstance)) {
        childNode = childNode.componentInstance._vnode;
        if (childNode &amp;&amp; childNode.data) {
            data = mergeClassData(childNode.data, data);
        }
    }
    // @ts-expect-error parentNode.parent not VNodeWithData
    while (isDef((parentNode = parentNode.parent))) {
        if (parentNode &amp;&amp; parentNode.data) {
            data = mergeClassData(data, parentNode.data);
        }
    }
    return renderClass(data.staticClass, data.class);
}
function mergeClassData(child, parent) {
    return {
        staticClass: concat(child.staticClass, parent.staticClass),
        class: isDef(child.class) ? [child.class, parent.class] : parent.class
    };
}
function renderClass(staticClass, dynamicClass) {
    if (isDef(staticClass) || isDef(dynamicClass)) {
        return concat(staticClass, stringifyClass(dynamicClass));
    }
    /* istanbul ignore next */
    return '';
}
function concat(a, b) {
    return a ? (b ? a + ' ' + b : a) : b || '';
}
function stringifyClass(value) {
    if (Array.isArray(value)) {
        return stringifyArray(value);
    }
    if (isObject(value)) {
        return stringifyObject(value);
    }
    if (typeof value === 'string') {
        return value;
    }
    /* istanbul ignore next */
    return '';
}
function stringifyArray(value) {
    var res = '';
    var stringified;
    for (var i = 0, l = value.length; i &lt; l; i++) {
        if (isDef((stringified = stringifyClass(value[i]))) &amp;&amp; stringified !== '') {
            if (res)
                res += ' ';
            res += stringified;
        }
    }
    return res;
}
function stringifyObject(value) {
    var res = '';
    for (var key in value) {
        if (value[key]) {
            if (res)
                res += ' ';
            res += key;
        }
    }
    return res;
}

var namespaceMap = {
    svg: 'http://www.w3.org/2000/svg',
    math: 'http://www.w3.org/1998/Math/MathML'
};
var isHTMLTag = makeMap('html,body,base,head,link,meta,style,title,' +
    'address,article,aside,footer,header,h1,h2,h3,h4,h5,h6,hgroup,nav,section,' +
    'div,dd,dl,dt,figcaption,figure,picture,hr,img,li,main,ol,p,pre,ul,' +
    'a,b,abbr,bdi,bdo,br,cite,code,data,dfn,em,i,kbd,mark,q,rp,rt,rtc,ruby,' +
    's,samp,small,span,strong,sub,sup,time,u,var,wbr,area,audio,map,track,video,' +
    'embed,object,param,source,canvas,script,noscript,del,ins,' +
    'caption,col,colgroup,table,thead,tbody,td,th,tr,' +
    'button,datalist,fieldset,form,input,label,legend,meter,optgroup,option,' +
    'output,progress,select,textarea,' +
    'details,dialog,menu,menuitem,summary,' +
    'content,element,shadow,template,blockquote,iframe,tfoot');
// this map is intentionally selective, only covering SVG elements that may
// contain child elements.
var isSVG = makeMap('svg,animate,circle,clippath,cursor,defs,desc,ellipse,filter,font-face,' +
    'foreignobject,g,glyph,image,line,marker,mask,missing-glyph,path,pattern,' +
    'polygon,polyline,rect,switch,symbol,text,textpath,tspan,use,view', true);
var isPreTag = function (tag) { return tag === 'pre'; };
var isReservedTag = function (tag) {
    return isHTMLTag(tag) || isSVG(tag);
};
function getTagNamespace(tag) {
    if (isSVG(tag)) {
        return 'svg';
    }
    // basic support for MathML
    // note it doesn't support other MathML elements being component roots
    if (tag === 'math') {
        return 'math';
    }
}
var unknownElementCache = Object.create(null);
function isUnknownElement(tag) {
    /* istanbul ignore if */
    if (!inBrowser) {
        return true;
    }
    if (isReservedTag(tag)) {
        return false;
    }
    tag = tag.toLowerCase();
    /* istanbul ignore if */
    if (unknownElementCache[tag] != null) {
        return unknownElementCache[tag];
    }
    var el = document.createElement(tag);
    if (tag.indexOf('-') &gt; -1) {
        // http://stackoverflow.com/a/28210364/1070244
        return (unknownElementCache[tag] =
            el.constructor === window.HTMLUnknownElement ||
                el.constructor === window.HTMLElement);
    }
    else {
        return (unknownElementCache[tag] = /HTMLUnknownElement/.test(el.toString()));
    }
}
var isTextInputType = makeMap('text,number,password,search,email,tel,url');

/**
 * Query an element selector if it's not an element already.
 */
function query(el) {
    if (typeof el === 'string') {
        var selected = document.querySelector(el);
        if (!selected) {
             true &amp;&amp; warn$2('Cannot find element: ' + el);
            return document.createElement('div');
        }
        return selected;
    }
    else {
        return el;
    }
}

function createElement(tagName, vnode) {
    var elm = document.createElement(tagName);
    if (tagName !== 'select') {
        return elm;
    }
    // false or null will remove the attribute but undefined will not
    if (vnode.data &amp;&amp;
        vnode.data.attrs &amp;&amp;
        vnode.data.attrs.multiple !== undefined) {
        elm.setAttribute('multiple', 'multiple');
    }
    return elm;
}
function createElementNS(namespace, tagName) {
    return document.createElementNS(namespaceMap[namespace], tagName);
}
function createTextNode(text) {
    return document.createTextNode(text);
}
function createComment(text) {
    return document.createComment(text);
}
function insertBefore(parentNode, newNode, referenceNode) {
    parentNode.insertBefore(newNode, referenceNode);
}
function removeChild(node, child) {
    node.removeChild(child);
}
function appendChild(node, child) {
    node.appendChild(child);
}
function parentNode(node) {
    return node.parentNode;
}
function nextSibling(node) {
    return node.nextSibling;
}
function tagName(node) {
    return node.tagName;
}
function setTextContent(node, text) {
    node.textContent = text;
}
function setStyleScope(node, scopeId) {
    node.setAttribute(scopeId, '');
}

var nodeOps = /*#__PURE__*/Object.freeze({
  __proto__: null,
  createElement: createElement,
  createElementNS: createElementNS,
  createTextNode: createTextNode,
  createComment: createComment,
  insertBefore: insertBefore,
  removeChild: removeChild,
  appendChild: appendChild,
  parentNode: parentNode,
  nextSibling: nextSibling,
  tagName: tagName,
  setTextContent: setTextContent,
  setStyleScope: setStyleScope
});

var ref = {
    create: function (_, vnode) {
        registerRef(vnode);
    },
    update: function (oldVnode, vnode) {
        if (oldVnode.data.ref !== vnode.data.ref) {
            registerRef(oldVnode, true);
            registerRef(vnode);
        }
    },
    destroy: function (vnode) {
        registerRef(vnode, true);
    }
};
function registerRef(vnode, isRemoval) {
    var ref = vnode.data.ref;
    if (!isDef(ref))
        return;
    var vm = vnode.context;
    var refValue = vnode.componentInstance || vnode.elm;
    var value = isRemoval ? null : refValue;
    var $refsValue = isRemoval ? undefined : refValue;
    if (isFunction(ref)) {
        invokeWithErrorHandling(ref, vm, [value], vm, "template ref function");
        return;
    }
    var isFor = vnode.data.refInFor;
    var _isString = typeof ref === 'string' || typeof ref === 'number';
    var _isRef = isRef(ref);
    var refs = vm.$refs;
    if (_isString || _isRef) {
        if (isFor) {
            var existing = _isString ? refs[ref] : ref.value;
            if (isRemoval) {
                isArray(existing) &amp;&amp; remove$2(existing, refValue);
            }
            else {
                if (!isArray(existing)) {
                    if (_isString) {
                        refs[ref] = [refValue];
                        setSetupRef(vm, ref, refs[ref]);
                    }
                    else {
                        ref.value = [refValue];
                    }
                }
                else if (!existing.includes(refValue)) {
                    existing.push(refValue);
                }
            }
        }
        else if (_isString) {
            if (isRemoval &amp;&amp; refs[ref] !== refValue) {
                return;
            }
            refs[ref] = $refsValue;
            setSetupRef(vm, ref, value);
        }
        else if (_isRef) {
            if (isRemoval &amp;&amp; ref.value !== refValue) {
                return;
            }
            ref.value = value;
        }
        else if (true) {
            warn$2("Invalid template ref type: ".concat(typeof ref));
        }
    }
}
function setSetupRef(_a, key, val) {
    var _setupState = _a._setupState;
    if (_setupState &amp;&amp; hasOwn(_setupState, key)) {
        if (isRef(_setupState[key])) {
            _setupState[key].value = val;
        }
        else {
            _setupState[key] = val;
        }
    }
}

/**
 * Virtual DOM patching algorithm based on Snabbdom by
 * Simon Friis Vindum (@paldepind)
 * Licensed under the MIT License
 * https://github.com/paldepind/snabbdom/blob/master/LICENSE
 *
 * modified by Evan You (@yyx990803)
 *
 * Not type-checking this because this file is perf-critical and the cost
 * of making flow understand it is not worth it.
 */
var emptyNode = new VNode('', {}, []);
var hooks = ['create', 'activate', 'update', 'remove', 'destroy'];
function sameVnode(a, b) {
    return (a.key === b.key &amp;&amp;
        a.asyncFactory === b.asyncFactory &amp;&amp;
        ((a.tag === b.tag &amp;&amp;
            a.isComment === b.isComment &amp;&amp;
            isDef(a.data) === isDef(b.data) &amp;&amp;
            sameInputType(a, b)) ||
            (isTrue(a.isAsyncPlaceholder) &amp;&amp; isUndef(b.asyncFactory.error))));
}
function sameInputType(a, b) {
    if (a.tag !== 'input')
        return true;
    var i;
    var typeA = isDef((i = a.data)) &amp;&amp; isDef((i = i.attrs)) &amp;&amp; i.type;
    var typeB = isDef((i = b.data)) &amp;&amp; isDef((i = i.attrs)) &amp;&amp; i.type;
    return typeA === typeB || (isTextInputType(typeA) &amp;&amp; isTextInputType(typeB));
}
function createKeyToOldIdx(children, beginIdx, endIdx) {
    var i, key;
    var map = {};
    for (i = beginIdx; i &lt;= endIdx; ++i) {
        key = children[i].key;
        if (isDef(key))
            map[key] = i;
    }
    return map;
}
function createPatchFunction(backend) {
    var i, j;
    var cbs = {};
    var modules = backend.modules, nodeOps = backend.nodeOps;
    for (i = 0; i &lt; hooks.length; ++i) {
        cbs[hooks[i]] = [];
        for (j = 0; j &lt; modules.length; ++j) {
            if (isDef(modules[j][hooks[i]])) {
                cbs[hooks[i]].push(modules[j][hooks[i]]);
            }
        }
    }
    function emptyNodeAt(elm) {
        return new VNode(nodeOps.tagName(elm).toLowerCase(), {}, [], undefined, elm);
    }
    function createRmCb(childElm, listeners) {
        function remove() {
            if (--remove.listeners === 0) {
                removeNode(childElm);
            }
        }
        remove.listeners = listeners;
        return remove;
    }
    function removeNode(el) {
        var parent = nodeOps.parentNode(el);
        // element may have already been removed due to v-html / v-text
        if (isDef(parent)) {
            nodeOps.removeChild(parent, el);
        }
    }
    function isUnknownElement(vnode, inVPre) {
        return (!inVPre &amp;&amp;
            !vnode.ns &amp;&amp;
            !(config.ignoredElements.length &amp;&amp;
                config.ignoredElements.some(function (ignore) {
                    return isRegExp(ignore)
                        ? ignore.test(vnode.tag)
                        : ignore === vnode.tag;
                })) &amp;&amp;
            config.isUnknownElement(vnode.tag));
    }
    var creatingElmInVPre = 0;
    function createElm(vnode, insertedVnodeQueue, parentElm, refElm, nested, ownerArray, index) {
        if (isDef(vnode.elm) &amp;&amp; isDef(ownerArray)) {
            // This vnode was used in a previous render!
            // now it's used as a new node, overwriting its elm would cause
            // potential patch errors down the road when it's used as an insertion
            // reference node. Instead, we clone the node on-demand before creating
            // associated DOM element for it.
            vnode = ownerArray[index] = cloneVNode(vnode);
        }
        vnode.isRootInsert = !nested; // for transition enter check
        if (createComponent(vnode, insertedVnodeQueue, parentElm, refElm)) {
            return;
        }
        var data = vnode.data;
        var children = vnode.children;
        var tag = vnode.tag;
        if (isDef(tag)) {
            if (true) {
                if (data &amp;&amp; data.pre) {
                    creatingElmInVPre++;
                }
                if (isUnknownElement(vnode, creatingElmInVPre)) {
                    warn$2('Unknown custom element: &lt;' +
                        tag +
                        '&gt; - did you ' +
                        'register the component correctly? For recursive components, ' +
                        'make sure to provide the "name" option.', vnode.context);
                }
            }
            vnode.elm = vnode.ns
                ? nodeOps.createElementNS(vnode.ns, tag)
                : nodeOps.createElement(tag, vnode);
            setScope(vnode);
            createChildren(vnode, children, insertedVnodeQueue);
            if (isDef(data)) {
                invokeCreateHooks(vnode, insertedVnodeQueue);
            }
            insert(parentElm, vnode.elm, refElm);
            if ( true &amp;&amp; data &amp;&amp; data.pre) {
                creatingElmInVPre--;
            }
        }
        else if (isTrue(vnode.isComment)) {
            vnode.elm = nodeOps.createComment(vnode.text);
            insert(parentElm, vnode.elm, refElm);
        }
        else {
            vnode.elm = nodeOps.createTextNode(vnode.text);
            insert(parentElm, vnode.elm, refElm);
        }
    }
    function createComponent(vnode, insertedVnodeQueue, parentElm, refElm) {
        var i = vnode.data;
        if (isDef(i)) {
            var isReactivated = isDef(vnode.componentInstance) &amp;&amp; i.keepAlive;
            if (isDef((i = i.hook)) &amp;&amp; isDef((i = i.init))) {
                i(vnode, false /* hydrating */);
            }
            // after calling the init hook, if the vnode is a child component
            // it should've created a child instance and mounted it. the child
            // component also has set the placeholder vnode's elm.
            // in that case we can just return the element and be done.
            if (isDef(vnode.componentInstance)) {
                initComponent(vnode, insertedVnodeQueue);
                insert(parentElm, vnode.elm, refElm);
                if (isTrue(isReactivated)) {
                    reactivateComponent(vnode, insertedVnodeQueue, parentElm, refElm);
                }
                return true;
            }
        }
    }
    function initComponent(vnode, insertedVnodeQueue) {
        if (isDef(vnode.data.pendingInsert)) {
            insertedVnodeQueue.push.apply(insertedVnodeQueue, vnode.data.pendingInsert);
            vnode.data.pendingInsert = null;
        }
        vnode.elm = vnode.componentInstance.$el;
        if (isPatchable(vnode)) {
            invokeCreateHooks(vnode, insertedVnodeQueue);
            setScope(vnode);
        }
        else {
            // empty component root.
            // skip all element-related modules except for ref (#3455)
            registerRef(vnode);
            // make sure to invoke the insert hook
            insertedVnodeQueue.push(vnode);
        }
    }
    function reactivateComponent(vnode, insertedVnodeQueue, parentElm, refElm) {
        var i;
        // hack for #4339: a reactivated component with inner transition
        // does not trigger because the inner node's created hooks are not called
        // again. It's not ideal to involve module-specific logic in here but
        // there doesn't seem to be a better way to do it.
        var innerNode = vnode;
        while (innerNode.componentInstance) {
            innerNode = innerNode.componentInstance._vnode;
            if (isDef((i = innerNode.data)) &amp;&amp; isDef((i = i.transition))) {
                for (i = 0; i &lt; cbs.activate.length; ++i) {
                    cbs.activate[i](emptyNode, innerNode);
                }
                insertedVnodeQueue.push(innerNode);
                break;
            }
        }
        // unlike a newly created component,
        // a reactivated keep-alive component doesn't insert itself
        insert(parentElm, vnode.elm, refElm);
    }
    function insert(parent, elm, ref) {
        if (isDef(parent)) {
            if (isDef(ref)) {
                if (nodeOps.parentNode(ref) === parent) {
                    nodeOps.insertBefore(parent, elm, ref);
                }
            }
            else {
                nodeOps.appendChild(parent, elm);
            }
        }
    }
    function createChildren(vnode, children, insertedVnodeQueue) {
        if (isArray(children)) {
            if (true) {
                checkDuplicateKeys(children);
            }
            for (var i_1 = 0; i_1 &lt; children.length; ++i_1) {
                createElm(children[i_1], insertedVnodeQueue, vnode.elm, null, true, children, i_1);
            }
        }
        else if (isPrimitive(vnode.text)) {
            nodeOps.appendChild(vnode.elm, nodeOps.createTextNode(String(vnode.text)));
        }
    }
    function isPatchable(vnode) {
        while (vnode.componentInstance) {
            vnode = vnode.componentInstance._vnode;
        }
        return isDef(vnode.tag);
    }
    function invokeCreateHooks(vnode, insertedVnodeQueue) {
        for (var i_2 = 0; i_2 &lt; cbs.create.length; ++i_2) {
            cbs.create[i_2](emptyNode, vnode);
        }
        i = vnode.data.hook; // Reuse variable
        if (isDef(i)) {
            if (isDef(i.create))
                i.create(emptyNode, vnode);
            if (isDef(i.insert))
                insertedVnodeQueue.push(vnode);
        }
    }
    // set scope id attribute for scoped CSS.
    // this is implemented as a special case to avoid the overhead
    // of going through the normal attribute patching process.
    function setScope(vnode) {
        var i;
        if (isDef((i = vnode.fnScopeId))) {
            nodeOps.setStyleScope(vnode.elm, i);
        }
        else {
            var ancestor = vnode;
            while (ancestor) {
                if (isDef((i = ancestor.context)) &amp;&amp; isDef((i = i.$options._scopeId))) {
                    nodeOps.setStyleScope(vnode.elm, i);
                }
                ancestor = ancestor.parent;
            }
        }
        // for slot content they should also get the scopeId from the host instance.
        if (isDef((i = activeInstance)) &amp;&amp;
            i !== vnode.context &amp;&amp;
            i !== vnode.fnContext &amp;&amp;
            isDef((i = i.$options._scopeId))) {
            nodeOps.setStyleScope(vnode.elm, i);
        }
    }
    function addVnodes(parentElm, refElm, vnodes, startIdx, endIdx, insertedVnodeQueue) {
        for (; startIdx &lt;= endIdx; ++startIdx) {
            createElm(vnodes[startIdx], insertedVnodeQueue, parentElm, refElm, false, vnodes, startIdx);
        }
    }
    function invokeDestroyHook(vnode) {
        var i, j;
        var data = vnode.data;
        if (isDef(data)) {
            if (isDef((i = data.hook)) &amp;&amp; isDef((i = i.destroy)))
                i(vnode);
            for (i = 0; i &lt; cbs.destroy.length; ++i)
                cbs.destroy[i](vnode);
        }
        if (isDef((i = vnode.children))) {
            for (j = 0; j &lt; vnode.children.length; ++j) {
                invokeDestroyHook(vnode.children[j]);
            }
        }
    }
    function removeVnodes(vnodes, startIdx, endIdx) {
        for (; startIdx &lt;= endIdx; ++startIdx) {
            var ch = vnodes[startIdx];
            if (isDef(ch)) {
                if (isDef(ch.tag)) {
                    removeAndInvokeRemoveHook(ch);
                    invokeDestroyHook(ch);
                }
                else {
                    // Text node
                    removeNode(ch.elm);
                }
            }
        }
    }
    function removeAndInvokeRemoveHook(vnode, rm) {
        if (isDef(rm) || isDef(vnode.data)) {
            var i_3;
            var listeners = cbs.remove.length + 1;
            if (isDef(rm)) {
                // we have a recursively passed down rm callback
                // increase the listeners count
                rm.listeners += listeners;
            }
            else {
                // directly removing
                rm = createRmCb(vnode.elm, listeners);
            }
            // recursively invoke hooks on child component root node
            if (isDef((i_3 = vnode.componentInstance)) &amp;&amp;
                isDef((i_3 = i_3._vnode)) &amp;&amp;
                isDef(i_3.data)) {
                removeAndInvokeRemoveHook(i_3, rm);
            }
            for (i_3 = 0; i_3 &lt; cbs.remove.length; ++i_3) {
                cbs.remove[i_3](vnode, rm);
            }
            if (isDef((i_3 = vnode.data.hook)) &amp;&amp; isDef((i_3 = i_3.remove))) {
                i_3(vnode, rm);
            }
            else {
                rm();
            }
        }
        else {
            removeNode(vnode.elm);
        }
    }
    function updateChildren(parentElm, oldCh, newCh, insertedVnodeQueue, removeOnly) {
        var oldStartIdx = 0;
        var newStartIdx = 0;
        var oldEndIdx = oldCh.length - 1;
        var oldStartVnode = oldCh[0];
        var oldEndVnode = oldCh[oldEndIdx];
        var newEndIdx = newCh.length - 1;
        var newStartVnode = newCh[0];
        var newEndVnode = newCh[newEndIdx];
        var oldKeyToIdx, idxInOld, vnodeToMove, refElm;
        // removeOnly is a special flag used only by &lt;transition-group&gt;
        // to ensure removed elements stay in correct relative positions
        // during leaving transitions
        var canMove = !removeOnly;
        if (true) {
            checkDuplicateKeys(newCh);
        }
        while (oldStartIdx &lt;= oldEndIdx &amp;&amp; newStartIdx &lt;= newEndIdx) {
            if (isUndef(oldStartVnode)) {
                oldStartVnode = oldCh[++oldStartIdx]; // Vnode has been moved left
            }
            else if (isUndef(oldEndVnode)) {
                oldEndVnode = oldCh[--oldEndIdx];
            }
            else if (sameVnode(oldStartVnode, newStartVnode)) {
                patchVnode(oldStartVnode, newStartVnode, insertedVnodeQueue, newCh, newStartIdx);
                oldStartVnode = oldCh[++oldStartIdx];
                newStartVnode = newCh[++newStartIdx];
            }
            else if (sameVnode(oldEndVnode, newEndVnode)) {
                patchVnode(oldEndVnode, newEndVnode, insertedVnodeQueue, newCh, newEndIdx);
                oldEndVnode = oldCh[--oldEndIdx];
                newEndVnode = newCh[--newEndIdx];
            }
            else if (sameVnode(oldStartVnode, newEndVnode)) {
                // Vnode moved right
                patchVnode(oldStartVnode, newEndVnode, insertedVnodeQueue, newCh, newEndIdx);
                canMove &amp;&amp;
                    nodeOps.insertBefore(parentElm, oldStartVnode.elm, nodeOps.nextSibling(oldEndVnode.elm));
                oldStartVnode = oldCh[++oldStartIdx];
                newEndVnode = newCh[--newEndIdx];
            }
            else if (sameVnode(oldEndVnode, newStartVnode)) {
                // Vnode moved left
                patchVnode(oldEndVnode, newStartVnode, insertedVnodeQueue, newCh, newStartIdx);
                canMove &amp;&amp;
                    nodeOps.insertBefore(parentElm, oldEndVnode.elm, oldStartVnode.elm);
                oldEndVnode = oldCh[--oldEndIdx];
                newStartVnode = newCh[++newStartIdx];
            }
            else {
                if (isUndef(oldKeyToIdx))
                    oldKeyToIdx = createKeyToOldIdx(oldCh, oldStartIdx, oldEndIdx);
                idxInOld = isDef(newStartVnode.key)
                    ? oldKeyToIdx[newStartVnode.key]
                    : findIdxInOld(newStartVnode, oldCh, oldStartIdx, oldEndIdx);
                if (isUndef(idxInOld)) {
                    // New element
                    createElm(newStartVnode, insertedVnodeQueue, parentElm, oldStartVnode.elm, false, newCh, newStartIdx);
                }
                else {
                    vnodeToMove = oldCh[idxInOld];
                    if (sameVnode(vnodeToMove, newStartVnode)) {
                        patchVnode(vnodeToMove, newStartVnode, insertedVnodeQueue, newCh, newStartIdx);
                        oldCh[idxInOld] = undefined;
                        canMove &amp;&amp;
                            nodeOps.insertBefore(parentElm, vnodeToMove.elm, oldStartVnode.elm);
                    }
                    else {
                        // same key but different element. treat as new element
                        createElm(newStartVnode, insertedVnodeQueue, parentElm, oldStartVnode.elm, false, newCh, newStartIdx);
                    }
                }
                newStartVnode = newCh[++newStartIdx];
            }
        }
        if (oldStartIdx &gt; oldEndIdx) {
            refElm = isUndef(newCh[newEndIdx + 1]) ? null : newCh[newEndIdx + 1].elm;
            addVnodes(parentElm, refElm, newCh, newStartIdx, newEndIdx, insertedVnodeQueue);
        }
        else if (newStartIdx &gt; newEndIdx) {
            removeVnodes(oldCh, oldStartIdx, oldEndIdx);
        }
    }
    function checkDuplicateKeys(children) {
        var seenKeys = {};
        for (var i_4 = 0; i_4 &lt; children.length; i_4++) {
            var vnode = children[i_4];
            var key = vnode.key;
            if (isDef(key)) {
                if (seenKeys[key]) {
                    warn$2("Duplicate keys detected: '".concat(key, "'. This may cause an update error."), vnode.context);
                }
                else {
                    seenKeys[key] = true;
                }
            }
        }
    }
    function findIdxInOld(node, oldCh, start, end) {
        for (var i_5 = start; i_5 &lt; end; i_5++) {
            var c = oldCh[i_5];
            if (isDef(c) &amp;&amp; sameVnode(node, c))
                return i_5;
        }
    }
    function patchVnode(oldVnode, vnode, insertedVnodeQueue, ownerArray, index, removeOnly) {
        if (oldVnode === vnode) {
            return;
        }
        if (isDef(vnode.elm) &amp;&amp; isDef(ownerArray)) {
            // clone reused vnode
            vnode = ownerArray[index] = cloneVNode(vnode);
        }
        var elm = (vnode.elm = oldVnode.elm);
        if (isTrue(oldVnode.isAsyncPlaceholder)) {
            if (isDef(vnode.asyncFactory.resolved)) {
                hydrate(oldVnode.elm, vnode, insertedVnodeQueue);
            }
            else {
                vnode.isAsyncPlaceholder = true;
            }
            return;
        }
        // reuse element for static trees.
        // note we only do this if the vnode is cloned -
        // if the new node is not cloned it means the render functions have been
        // reset by the hot-reload-api and we need to do a proper re-render.
        if (isTrue(vnode.isStatic) &amp;&amp;
            isTrue(oldVnode.isStatic) &amp;&amp;
            vnode.key === oldVnode.key &amp;&amp;
            (isTrue(vnode.isCloned) || isTrue(vnode.isOnce))) {
            vnode.componentInstance = oldVnode.componentInstance;
            return;
        }
        var i;
        var data = vnode.data;
        if (isDef(data) &amp;&amp; isDef((i = data.hook)) &amp;&amp; isDef((i = i.prepatch))) {
            i(oldVnode, vnode);
        }
        var oldCh = oldVnode.children;
        var ch = vnode.children;
        if (isDef(data) &amp;&amp; isPatchable(vnode)) {
            for (i = 0; i &lt; cbs.update.length; ++i)
                cbs.update[i](oldVnode, vnode);
            if (isDef((i = data.hook)) &amp;&amp; isDef((i = i.update)))
                i(oldVnode, vnode);
        }
        if (isUndef(vnode.text)) {
            if (isDef(oldCh) &amp;&amp; isDef(ch)) {
                if (oldCh !== ch)
                    updateChildren(elm, oldCh, ch, insertedVnodeQueue, removeOnly);
            }
            else if (isDef(ch)) {
                if (true) {
                    checkDuplicateKeys(ch);
                }
                if (isDef(oldVnode.text))
                    nodeOps.setTextContent(elm, '');
                addVnodes(elm, null, ch, 0, ch.length - 1, insertedVnodeQueue);
            }
            else if (isDef(oldCh)) {
                removeVnodes(oldCh, 0, oldCh.length - 1);
            }
            else if (isDef(oldVnode.text)) {
                nodeOps.setTextContent(elm, '');
            }
        }
        else if (oldVnode.text !== vnode.text) {
            nodeOps.setTextContent(elm, vnode.text);
        }
        if (isDef(data)) {
            if (isDef((i = data.hook)) &amp;&amp; isDef((i = i.postpatch)))
                i(oldVnode, vnode);
        }
    }
    function invokeInsertHook(vnode, queue, initial) {
        // delay insert hooks for component root nodes, invoke them after the
        // element is really inserted
        if (isTrue(initial) &amp;&amp; isDef(vnode.parent)) {
            vnode.parent.data.pendingInsert = queue;
        }
        else {
            for (var i_6 = 0; i_6 &lt; queue.length; ++i_6) {
                queue[i_6].data.hook.insert(queue[i_6]);
            }
        }
    }
    var hydrationBailed = false;
    // list of modules that can skip create hook during hydration because they
    // are already rendered on the client or has no need for initialization
    // Note: style is excluded because it relies on initial clone for future
    // deep updates (#7063).
    var isRenderedModule = makeMap('attrs,class,staticClass,staticStyle,key');
    // Note: this is a browser-only function so we can assume elms are DOM nodes.
    function hydrate(elm, vnode, insertedVnodeQueue, inVPre) {
        var i;
        var tag = vnode.tag, data = vnode.data, children = vnode.children;
        inVPre = inVPre || (data &amp;&amp; data.pre);
        vnode.elm = elm;
        if (isTrue(vnode.isComment) &amp;&amp; isDef(vnode.asyncFactory)) {
            vnode.isAsyncPlaceholder = true;
            return true;
        }
        // assert node match
        if (true) {
            if (!assertNodeMatch(elm, vnode, inVPre)) {
                return false;
            }
        }
        if (isDef(data)) {
            if (isDef((i = data.hook)) &amp;&amp; isDef((i = i.init)))
                i(vnode, true /* hydrating */);
            if (isDef((i = vnode.componentInstance))) {
                // child component. it should have hydrated its own tree.
                initComponent(vnode, insertedVnodeQueue);
                return true;
            }
        }
        if (isDef(tag)) {
            if (isDef(children)) {
                // empty element, allow client to pick up and populate children
                if (!elm.hasChildNodes()) {
                    createChildren(vnode, children, insertedVnodeQueue);
                }
                else {
                    // v-html and domProps: innerHTML
                    if (isDef((i = data)) &amp;&amp;
                        isDef((i = i.domProps)) &amp;&amp;
                        isDef((i = i.innerHTML))) {
                        if (i !== elm.innerHTML) {
                            /* istanbul ignore if */
                            if ( true &amp;&amp;
                                typeof console !== 'undefined' &amp;&amp;
                                !hydrationBailed) {
                                hydrationBailed = true;
                                console.warn('Parent: ', elm);
                                console.warn('server innerHTML: ', i);
                                console.warn('client innerHTML: ', elm.innerHTML);
                            }
                            return false;
                        }
                    }
                    else {
                        // iterate and compare children lists
                        var childrenMatch = true;
                        var childNode = elm.firstChild;
                        for (var i_7 = 0; i_7 &lt; children.length; i_7++) {
                            if (!childNode ||
                                !hydrate(childNode, children[i_7], insertedVnodeQueue, inVPre)) {
                                childrenMatch = false;
                                break;
                            }
                            childNode = childNode.nextSibling;
                        }
                        // if childNode is not null, it means the actual childNodes list is
                        // longer than the virtual children list.
                        if (!childrenMatch || childNode) {
                            /* istanbul ignore if */
                            if ( true &amp;&amp;
                                typeof console !== 'undefined' &amp;&amp;
                                !hydrationBailed) {
                                hydrationBailed = true;
                                console.warn('Parent: ', elm);
                                console.warn('Mismatching childNodes vs. VNodes: ', elm.childNodes, children);
                            }
                            return false;
                        }
                    }
                }
            }
            if (isDef(data)) {
                var fullInvoke = false;
                for (var key in data) {
                    if (!isRenderedModule(key)) {
                        fullInvoke = true;
                        invokeCreateHooks(vnode, insertedVnodeQueue);
                        break;
                    }
                }
                if (!fullInvoke &amp;&amp; data['class']) {
                    // ensure collecting deps for deep class bindings for future updates
                    traverse(data['class']);
                }
            }
        }
        else if (elm.data !== vnode.text) {
            elm.data = vnode.text;
        }
        return true;
    }
    function assertNodeMatch(node, vnode, inVPre) {
        if (isDef(vnode.tag)) {
            return (vnode.tag.indexOf('vue-component') === 0 ||
                (!isUnknownElement(vnode, inVPre) &amp;&amp;
                    vnode.tag.toLowerCase() ===
                        (node.tagName &amp;&amp; node.tagName.toLowerCase())));
        }
        else {
            return node.nodeType === (vnode.isComment ? 8 : 3);
        }
    }
    return function patch(oldVnode, vnode, hydrating, removeOnly) {
        if (isUndef(vnode)) {
            if (isDef(oldVnode))
                invokeDestroyHook(oldVnode);
            return;
        }
        var isInitialPatch = false;
        var insertedVnodeQueue = [];
        if (isUndef(oldVnode)) {
            // empty mount (likely as component), create new root element
            isInitialPatch = true;
            createElm(vnode, insertedVnodeQueue);
        }
        else {
            var isRealElement = isDef(oldVnode.nodeType);
            if (!isRealElement &amp;&amp; sameVnode(oldVnode, vnode)) {
                // patch existing root node
                patchVnode(oldVnode, vnode, insertedVnodeQueue, null, null, removeOnly);
            }
            else {
                if (isRealElement) {
                    // mounting to a real element
                    // check if this is server-rendered content and if we can perform
                    // a successful hydration.
                    if (oldVnode.nodeType === 1 &amp;&amp; oldVnode.hasAttribute(SSR_ATTR)) {
                        oldVnode.removeAttribute(SSR_ATTR);
                        hydrating = true;
                    }
                    if (isTrue(hydrating)) {
                        if (hydrate(oldVnode, vnode, insertedVnodeQueue)) {
                            invokeInsertHook(vnode, insertedVnodeQueue, true);
                            return oldVnode;
                        }
                        else if (true) {
                            warn$2('The client-side rendered virtual DOM tree is not matching ' +
                                'server-rendered content. This is likely caused by incorrect ' +
                                'HTML markup, for example nesting block-level elements inside ' +
                                '&lt;p&gt;, or missing &lt;tbody&gt;. Bailing hydration and performing ' +
                                'full client-side render.');
                        }
                    }
                    // either not server-rendered, or hydration failed.
                    // create an empty node and replace it
                    oldVnode = emptyNodeAt(oldVnode);
                }
                // replacing existing element
                var oldElm = oldVnode.elm;
                var parentElm = nodeOps.parentNode(oldElm);
                // create new node
                createElm(vnode, insertedVnodeQueue, 
                // extremely rare edge case: do not insert if old element is in a
                // leaving transition. Only happens when combining transition +
                // keep-alive + HOCs. (#4590)
                oldElm._leaveCb ? null : parentElm, nodeOps.nextSibling(oldElm));
                // update parent placeholder node element, recursively
                if (isDef(vnode.parent)) {
                    var ancestor = vnode.parent;
                    var patchable = isPatchable(vnode);
                    while (ancestor) {
                        for (var i_8 = 0; i_8 &lt; cbs.destroy.length; ++i_8) {
                            cbs.destroy[i_8](ancestor);
                        }
                        ancestor.elm = vnode.elm;
                        if (patchable) {
                            for (var i_9 = 0; i_9 &lt; cbs.create.length; ++i_9) {
                                cbs.create[i_9](emptyNode, ancestor);
                            }
                            // #6513
                            // invoke insert hooks that may have been merged by create hooks.
                            // e.g. for directives that uses the "inserted" hook.
                            var insert_1 = ancestor.data.hook.insert;
                            if (insert_1.merged) {
                                // start at index 1 to avoid re-invoking component mounted hook
                                for (var i_10 = 1; i_10 &lt; insert_1.fns.length; i_10++) {
                                    insert_1.fns[i_10]();
                                }
                            }
                        }
                        else {
                            registerRef(ancestor);
                        }
                        ancestor = ancestor.parent;
                    }
                }
                // destroy old node
                if (isDef(parentElm)) {
                    removeVnodes([oldVnode], 0, 0);
                }
                else if (isDef(oldVnode.tag)) {
                    invokeDestroyHook(oldVnode);
                }
            }
        }
        invokeInsertHook(vnode, insertedVnodeQueue, isInitialPatch);
        return vnode.elm;
    };
}

var directives$1 = {
    create: updateDirectives,
    update: updateDirectives,
    destroy: function unbindDirectives(vnode) {
        // @ts-expect-error emptyNode is not VNodeWithData
        updateDirectives(vnode, emptyNode);
    }
};
function updateDirectives(oldVnode, vnode) {
    if (oldVnode.data.directives || vnode.data.directives) {
        _update(oldVnode, vnode);
    }
}
function _update(oldVnode, vnode) {
    var isCreate = oldVnode === emptyNode;
    var isDestroy = vnode === emptyNode;
    var oldDirs = normalizeDirectives(oldVnode.data.directives, oldVnode.context);
    var newDirs = normalizeDirectives(vnode.data.directives, vnode.context);
    var dirsWithInsert = [];
    var dirsWithPostpatch = [];
    var key, oldDir, dir;
    for (key in newDirs) {
        oldDir = oldDirs[key];
        dir = newDirs[key];
        if (!oldDir) {
            // new directive, bind
            callHook(dir, 'bind', vnode, oldVnode);
            if (dir.def &amp;&amp; dir.def.inserted) {
                dirsWithInsert.push(dir);
            }
        }
        else {
            // existing directive, update
            dir.oldValue = oldDir.value;
            dir.oldArg = oldDir.arg;
            callHook(dir, 'update', vnode, oldVnode);
            if (dir.def &amp;&amp; dir.def.componentUpdated) {
                dirsWithPostpatch.push(dir);
            }
        }
    }
    if (dirsWithInsert.length) {
        var callInsert = function () {
            for (var i = 0; i &lt; dirsWithInsert.length; i++) {
                callHook(dirsWithInsert[i], 'inserted', vnode, oldVnode);
            }
        };
        if (isCreate) {
            mergeVNodeHook(vnode, 'insert', callInsert);
        }
        else {
            callInsert();
        }
    }
    if (dirsWithPostpatch.length) {
        mergeVNodeHook(vnode, 'postpatch', function () {
            for (var i = 0; i &lt; dirsWithPostpatch.length; i++) {
                callHook(dirsWithPostpatch[i], 'componentUpdated', vnode, oldVnode);
            }
        });
    }
    if (!isCreate) {
        for (key in oldDirs) {
            if (!newDirs[key]) {
                // no longer present, unbind
                callHook(oldDirs[key], 'unbind', oldVnode, oldVnode, isDestroy);
            }
        }
    }
}
var emptyModifiers = Object.create(null);
function normalizeDirectives(dirs, vm) {
    var res = Object.create(null);
    if (!dirs) {
        // $flow-disable-line
        return res;
    }
    var i, dir;
    for (i = 0; i &lt; dirs.length; i++) {
        dir = dirs[i];
        if (!dir.modifiers) {
            // $flow-disable-line
            dir.modifiers = emptyModifiers;
        }
        res[getRawDirName(dir)] = dir;
        if (vm._setupState &amp;&amp; vm._setupState.__sfc) {
            var setupDef = dir.def || resolveAsset(vm, '_setupState', 'v-' + dir.name);
            if (typeof setupDef === 'function') {
                dir.def = {
                    bind: setupDef,
                    update: setupDef,
                };
            }
            else {
                dir.def = setupDef;
            }
        }
        dir.def = dir.def || resolveAsset(vm.$options, 'directives', dir.name, true);
    }
    // $flow-disable-line
    return res;
}
function getRawDirName(dir) {
    return (dir.rawName || "".concat(dir.name, ".").concat(Object.keys(dir.modifiers || {}).join('.')));
}
function callHook(dir, hook, vnode, oldVnode, isDestroy) {
    var fn = dir.def &amp;&amp; dir.def[hook];
    if (fn) {
        try {
            fn(vnode.elm, dir, vnode, oldVnode, isDestroy);
        }
        catch (e) {
            handleError(e, vnode.context, "directive ".concat(dir.name, " ").concat(hook, " hook"));
        }
    }
}

var baseModules = [ref, directives$1];

function updateAttrs(oldVnode, vnode) {
    var opts = vnode.componentOptions;
    if (isDef(opts) &amp;&amp; opts.Ctor.options.inheritAttrs === false) {
        return;
    }
    if (isUndef(oldVnode.data.attrs) &amp;&amp; isUndef(vnode.data.attrs)) {
        return;
    }
    var key, cur, old;
    var elm = vnode.elm;
    var oldAttrs = oldVnode.data.attrs || {};
    var attrs = vnode.data.attrs || {};
    // clone observed objects, as the user probably wants to mutate it
    if (isDef(attrs.__ob__) || isTrue(attrs._v_attr_proxy)) {
        attrs = vnode.data.attrs = extend({}, attrs);
    }
    for (key in attrs) {
        cur = attrs[key];
        old = oldAttrs[key];
        if (old !== cur) {
            setAttr(elm, key, cur, vnode.data.pre);
        }
    }
    // #4391: in IE9, setting type can reset value for input[type=radio]
    // #6666: IE/Edge forces progress value down to 1 before setting a max
    /* istanbul ignore if */
    if ((isIE || isEdge) &amp;&amp; attrs.value !== oldAttrs.value) {
        setAttr(elm, 'value', attrs.value);
    }
    for (key in oldAttrs) {
        if (isUndef(attrs[key])) {
            if (isXlink(key)) {
                elm.removeAttributeNS(xlinkNS, getXlinkProp(key));
            }
            else if (!isEnumeratedAttr(key)) {
                elm.removeAttribute(key);
            }
        }
    }
}
function setAttr(el, key, value, isInPre) {
    if (isInPre || el.tagName.indexOf('-') &gt; -1) {
        baseSetAttr(el, key, value);
    }
    else if (isBooleanAttr(key)) {
        // set attribute for blank value
        // e.g. &lt;option disabled&gt;Select one&lt;/option&gt;
        if (isFalsyAttrValue(value)) {
            el.removeAttribute(key);
        }
        else {
            // technically allowfullscreen is a boolean attribute for &lt;iframe&gt;,
            // but Flash expects a value of "true" when used on &lt;embed&gt; tag
            value = key === 'allowfullscreen' &amp;&amp; el.tagName === 'EMBED' ? 'true' : key;
            el.setAttribute(key, value);
        }
    }
    else if (isEnumeratedAttr(key)) {
        el.setAttribute(key, convertEnumeratedValue(key, value));
    }
    else if (isXlink(key)) {
        if (isFalsyAttrValue(value)) {
            el.removeAttributeNS(xlinkNS, getXlinkProp(key));
        }
        else {
            el.setAttributeNS(xlinkNS, key, value);
        }
    }
    else {
        baseSetAttr(el, key, value);
    }
}
function baseSetAttr(el, key, value) {
    if (isFalsyAttrValue(value)) {
        el.removeAttribute(key);
    }
    else {
        // #7138: IE10 &amp; 11 fires input event when setting placeholder on
        // &lt;textarea&gt;... block the first input event and remove the blocker
        // immediately.
        /* istanbul ignore if */
        if (isIE &amp;&amp;
            !isIE9 &amp;&amp;
            el.tagName === 'TEXTAREA' &amp;&amp;
            key === 'placeholder' &amp;&amp;
            value !== '' &amp;&amp;
            !el.__ieph) {
            var blocker_1 = function (e) {
                e.stopImmediatePropagation();
                el.removeEventListener('input', blocker_1);
            };
            el.addEventListener('input', blocker_1);
            // $flow-disable-line
            el.__ieph = true; /* IE placeholder patched */
        }
        el.setAttribute(key, value);
    }
}
var attrs = {
    create: updateAttrs,
    update: updateAttrs
};

function updateClass(oldVnode, vnode) {
    var el = vnode.elm;
    var data = vnode.data;
    var oldData = oldVnode.data;
    if (isUndef(data.staticClass) &amp;&amp;
        isUndef(data.class) &amp;&amp;
        (isUndef(oldData) ||
            (isUndef(oldData.staticClass) &amp;&amp; isUndef(oldData.class)))) {
        return;
    }
    var cls = genClassForVnode(vnode);
    // handle transition classes
    var transitionClass = el._transitionClasses;
    if (isDef(transitionClass)) {
        cls = concat(cls, stringifyClass(transitionClass));
    }
    // set the class
    if (cls !== el._prevClass) {
        el.setAttribute('class', cls);
        el._prevClass = cls;
    }
}
var klass$1 = {
    create: updateClass,
    update: updateClass
};

var validDivisionCharRE = /[\w).+\-_$\]]/;
function parseFilters(exp) {
    var inSingle = false;
    var inDouble = false;
    var inTemplateString = false;
    var inRegex = false;
    var curly = 0;
    var square = 0;
    var paren = 0;
    var lastFilterIndex = 0;
    var c, prev, i, expression, filters;
    for (i = 0; i &lt; exp.length; i++) {
        prev = c;
        c = exp.charCodeAt(i);
        if (inSingle) {
            if (c === 0x27 &amp;&amp; prev !== 0x5c)
                inSingle = false;
        }
        else if (inDouble) {
            if (c === 0x22 &amp;&amp; prev !== 0x5c)
                inDouble = false;
        }
        else if (inTemplateString) {
            if (c === 0x60 &amp;&amp; prev !== 0x5c)
                inTemplateString = false;
        }
        else if (inRegex) {
            if (c === 0x2f &amp;&amp; prev !== 0x5c)
                inRegex = false;
        }
        else if (c === 0x7c &amp;&amp; // pipe
            exp.charCodeAt(i + 1) !== 0x7c &amp;&amp;
            exp.charCodeAt(i - 1) !== 0x7c &amp;&amp;
            !curly &amp;&amp;
            !square &amp;&amp;
            !paren) {
            if (expression === undefined) {
                // first filter, end of expression
                lastFilterIndex = i + 1;
                expression = exp.slice(0, i).trim();
            }
            else {
                pushFilter();
            }
        }
        else {
            switch (c) {
                case 0x22:
                    inDouble = true;
                    break; // "
                case 0x27:
                    inSingle = true;
                    break; // '
                case 0x60:
                    inTemplateString = true;
                    break; // `
                case 0x28:
                    paren++;
                    break; // (
                case 0x29:
                    paren--;
                    break; // )
                case 0x5b:
                    square++;
                    break; // [
                case 0x5d:
                    square--;
                    break; // ]
                case 0x7b:
                    curly++;
                    break; // {
                case 0x7d:
                    curly--;
                    break; // }
            }
            if (c === 0x2f) {
                // /
                var j = i - 1;
                var p 
                // find first non-whitespace prev char
                = void 0;
                // find first non-whitespace prev char
                for (; j &gt;= 0; j--) {
                    p = exp.charAt(j);
                    if (p !== ' ')
                        break;
                }
                if (!p || !validDivisionCharRE.test(p)) {
                    inRegex = true;
                }
            }
        }
    }
    if (expression === undefined) {
        expression = exp.slice(0, i).trim();
    }
    else if (lastFilterIndex !== 0) {
        pushFilter();
    }
    function pushFilter() {
        (filters || (filters = [])).push(exp.slice(lastFilterIndex, i).trim());
        lastFilterIndex = i + 1;
    }
    if (filters) {
        for (i = 0; i &lt; filters.length; i++) {
            expression = wrapFilter(expression, filters[i]);
        }
    }
    return expression;
}
function wrapFilter(exp, filter) {
    var i = filter.indexOf('(');
    if (i &lt; 0) {
        // _f: resolveFilter
        return "_f(\"".concat(filter, "\")(").concat(exp, ")");
    }
    else {
        var name_1 = filter.slice(0, i);
        var args = filter.slice(i + 1);
        return "_f(\"".concat(name_1, "\")(").concat(exp).concat(args !== ')' ? ',' + args : args);
    }
}

/* eslint-disable no-unused-vars */
function baseWarn(msg, range) {
    console.error("[Vue compiler]: ".concat(msg));
}
/* eslint-enable no-unused-vars */
function pluckModuleFunction(modules, key) {
    return modules ? modules.map(function (m) { return m[key]; }).filter(function (_) { return _; }) : [];
}
function addProp(el, name, value, range, dynamic) {
    (el.props || (el.props = [])).push(rangeSetItem({ name: name, value: value, dynamic: dynamic }, range));
    el.plain = false;
}
function addAttr(el, name, value, range, dynamic) {
    var attrs = dynamic
        ? el.dynamicAttrs || (el.dynamicAttrs = [])
        : el.attrs || (el.attrs = []);
    attrs.push(rangeSetItem({ name: name, value: value, dynamic: dynamic }, range));
    el.plain = false;
}
// add a raw attr (use this in preTransforms)
function addRawAttr(el, name, value, range) {
    el.attrsMap[name] = value;
    el.attrsList.push(rangeSetItem({ name: name, value: value }, range));
}
function addDirective(el, name, rawName, value, arg, isDynamicArg, modifiers, range) {
    (el.directives || (el.directives = [])).push(rangeSetItem({
        name: name,
        rawName: rawName,
        value: value,
        arg: arg,
        isDynamicArg: isDynamicArg,
        modifiers: modifiers
    }, range));
    el.plain = false;
}
function prependModifierMarker(symbol, name, dynamic) {
    return dynamic ? "_p(".concat(name, ",\"").concat(symbol, "\")") : symbol + name; // mark the event as captured
}
function addHandler(el, name, value, modifiers, important, warn, range, dynamic) {
    modifiers = modifiers || emptyObject;
    // warn prevent and passive modifier
    /* istanbul ignore if */
    if ( true &amp;&amp; warn &amp;&amp; modifiers.prevent &amp;&amp; modifiers.passive) {
        warn("passive and prevent can't be used together. " +
            "Passive handler can't prevent default event.", range);
    }
    // normalize click.right and click.middle since they don't actually fire
    // this is technically browser-specific, but at least for now browsers are
    // the only target envs that have right/middle clicks.
    if (modifiers.right) {
        if (dynamic) {
            name = "(".concat(name, ")==='click'?'contextmenu':(").concat(name, ")");
        }
        else if (name === 'click') {
            name = 'contextmenu';
            delete modifiers.right;
        }
    }
    else if (modifiers.middle) {
        if (dynamic) {
            name = "(".concat(name, ")==='click'?'mouseup':(").concat(name, ")");
        }
        else if (name === 'click') {
            name = 'mouseup';
        }
    }
    // check capture modifier
    if (modifiers.capture) {
        delete modifiers.capture;
        name = prependModifierMarker('!', name, dynamic);
    }
    if (modifiers.once) {
        delete modifiers.once;
        name = prependModifierMarker('~', name, dynamic);
    }
    /* istanbul ignore if */
    if (modifiers.passive) {
        delete modifiers.passive;
        name = prependModifierMarker('&amp;', name, dynamic);
    }
    var events;
    if (modifiers.native) {
        delete modifiers.native;
        events = el.nativeEvents || (el.nativeEvents = {});
    }
    else {
        events = el.events || (el.events = {});
    }
    var newHandler = rangeSetItem({ value: value.trim(), dynamic: dynamic }, range);
    if (modifiers !== emptyObject) {
        newHandler.modifiers = modifiers;
    }
    var handlers = events[name];
    /* istanbul ignore if */
    if (Array.isArray(handlers)) {
        important ? handlers.unshift(newHandler) : handlers.push(newHandler);
    }
    else if (handlers) {
        events[name] = important ? [newHandler, handlers] : [handlers, newHandler];
    }
    else {
        events[name] = newHandler;
    }
    el.plain = false;
}
function getRawBindingAttr(el, name) {
    return (el.rawAttrsMap[':' + name] ||
        el.rawAttrsMap['v-bind:' + name] ||
        el.rawAttrsMap[name]);
}
function getBindingAttr(el, name, getStatic) {
    var dynamicValue = getAndRemoveAttr(el, ':' + name) || getAndRemoveAttr(el, 'v-bind:' + name);
    if (dynamicValue != null) {
        return parseFilters(dynamicValue);
    }
    else if (getStatic !== false) {
        var staticValue = getAndRemoveAttr(el, name);
        if (staticValue != null) {
            return JSON.stringify(staticValue);
        }
    }
}
// note: this only removes the attr from the Array (attrsList) so that it
// doesn't get processed by processAttrs.
// By default it does NOT remove it from the map (attrsMap) because the map is
// needed during codegen.
function getAndRemoveAttr(el, name, removeFromMap) {
    var val;
    if ((val = el.attrsMap[name]) != null) {
        var list = el.attrsList;
        for (var i = 0, l = list.length; i &lt; l; i++) {
            if (list[i].name === name) {
                list.splice(i, 1);
                break;
            }
        }
    }
    if (removeFromMap) {
        delete el.attrsMap[name];
    }
    return val;
}
function getAndRemoveAttrByRegex(el, name) {
    var list = el.attrsList;
    for (var i = 0, l = list.length; i &lt; l; i++) {
        var attr = list[i];
        if (name.test(attr.name)) {
            list.splice(i, 1);
            return attr;
        }
    }
}
function rangeSetItem(item, range) {
    if (range) {
        if (range.start != null) {
            item.start = range.start;
        }
        if (range.end != null) {
            item.end = range.end;
        }
    }
    return item;
}

/**
 * Cross-platform code generation for component v-model
 */
function genComponentModel(el, value, modifiers) {
    var _a = modifiers || {}, number = _a.number, trim = _a.trim;
    var baseValueExpression = '$$v';
    var valueExpression = baseValueExpression;
    if (trim) {
        valueExpression =
            "(typeof ".concat(baseValueExpression, " === 'string'") +
                "? ".concat(baseValueExpression, ".trim()") +
                ": ".concat(baseValueExpression, ")");
    }
    if (number) {
        valueExpression = "_n(".concat(valueExpression, ")");
    }
    var assignment = genAssignmentCode(value, valueExpression);
    el.model = {
        value: "(".concat(value, ")"),
        expression: JSON.stringify(value),
        callback: "function (".concat(baseValueExpression, ") {").concat(assignment, "}")
    };
}
/**
 * Cross-platform codegen helper for generating v-model value assignment code.
 */
function genAssignmentCode(value, assignment) {
    var res = parseModel(value);
    if (res.key === null) {
        return "".concat(value, "=").concat(assignment);
    }
    else {
        return "$set(".concat(res.exp, ", ").concat(res.key, ", ").concat(assignment, ")");
    }
}
/**
 * Parse a v-model expression into a base path and a final key segment.
 * Handles both dot-path and possible square brackets.
 *
 * Possible cases:
 *
 * - test
 * - test[key]
 * - test[test1[key]]
 * - test["a"][key]
 * - xxx.test[a[a].test1[key]]
 * - test.xxx.a["asa"][test1[key]]
 *
 */
var len, str, chr, index, expressionPos, expressionEndPos;
function parseModel(val) {
    // Fix https://github.com/vuejs/vue/pull/7730
    // allow v-model="obj.val " (trailing whitespace)
    val = val.trim();
    len = val.length;
    if (val.indexOf('[') &lt; 0 || val.lastIndexOf(']') &lt; len - 1) {
        index = val.lastIndexOf('.');
        if (index &gt; -1) {
            return {
                exp: val.slice(0, index),
                key: '"' + val.slice(index + 1) + '"'
            };
        }
        else {
            return {
                exp: val,
                key: null
            };
        }
    }
    str = val;
    index = expressionPos = expressionEndPos = 0;
    while (!eof()) {
        chr = next();
        /* istanbul ignore if */
        if (isStringStart(chr)) {
            parseString(chr);
        }
        else if (chr === 0x5b) {
            parseBracket(chr);
        }
    }
    return {
        exp: val.slice(0, expressionPos),
        key: val.slice(expressionPos + 1, expressionEndPos)
    };
}
function next() {
    return str.charCodeAt(++index);
}
function eof() {
    return index &gt;= len;
}
function isStringStart(chr) {
    return chr === 0x22 || chr === 0x27;
}
function parseBracket(chr) {
    var inBracket = 1;
    expressionPos = index;
    while (!eof()) {
        chr = next();
        if (isStringStart(chr)) {
            parseString(chr);
            continue;
        }
        if (chr === 0x5b)
            inBracket++;
        if (chr === 0x5d)
            inBracket--;
        if (inBracket === 0) {
            expressionEndPos = index;
            break;
        }
    }
}
function parseString(chr) {
    var stringQuote = chr;
    while (!eof()) {
        chr = next();
        if (chr === stringQuote) {
            break;
        }
    }
}

var warn$1;
// in some cases, the event used has to be determined at runtime
// so we used some reserved tokens during compile.
var RANGE_TOKEN = '__r';
var CHECKBOX_RADIO_TOKEN = '__c';
function model$1(el, dir, _warn) {
    warn$1 = _warn;
    var value = dir.value;
    var modifiers = dir.modifiers;
    var tag = el.tag;
    var type = el.attrsMap.type;
    if (true) {
        // inputs with type="file" are read only and setting the input's
        // value will throw an error.
        if (tag === 'input' &amp;&amp; type === 'file') {
            warn$1("&lt;".concat(el.tag, " v-model=\"").concat(value, "\" type=\"file\"&gt;:\n") +
                "File inputs are read only. Use a v-on:change listener instead.", el.rawAttrsMap['v-model']);
        }
    }
    if (el.component) {
        genComponentModel(el, value, modifiers);
        // component v-model doesn't need extra runtime
        return false;
    }
    else if (tag === 'select') {
        genSelect(el, value, modifiers);
    }
    else if (tag === 'input' &amp;&amp; type === 'checkbox') {
        genCheckboxModel(el, value, modifiers);
    }
    else if (tag === 'input' &amp;&amp; type === 'radio') {
        genRadioModel(el, value, modifiers);
    }
    else if (tag === 'input' || tag === 'textarea') {
        genDefaultModel(el, value, modifiers);
    }
    else if (!config.isReservedTag(tag)) {
        genComponentModel(el, value, modifiers);
        // component v-model doesn't need extra runtime
        return false;
    }
    else if (true) {
        warn$1("&lt;".concat(el.tag, " v-model=\"").concat(value, "\"&gt;: ") +
            "v-model is not supported on this element type. " +
            "If you are working with contenteditable, it's recommended to " +
            'wrap a library dedicated for that purpose inside a custom component.', el.rawAttrsMap['v-model']);
    }
    // ensure runtime directive metadata
    return true;
}
function genCheckboxModel(el, value, modifiers) {
    var number = modifiers &amp;&amp; modifiers.number;
    var valueBinding = getBindingAttr(el, 'value') || 'null';
    var trueValueBinding = getBindingAttr(el, 'true-value') || 'true';
    var falseValueBinding = getBindingAttr(el, 'false-value') || 'false';
    addProp(el, 'checked', "Array.isArray(".concat(value, ")") +
        "?_i(".concat(value, ",").concat(valueBinding, ")&gt;-1") +
        (trueValueBinding === 'true'
            ? ":(".concat(value, ")")
            : ":_q(".concat(value, ",").concat(trueValueBinding, ")")));
    addHandler(el, 'change', "var $$a=".concat(value, ",") +
        '$$el=$event.target,' +
        "$$c=$$el.checked?(".concat(trueValueBinding, "):(").concat(falseValueBinding, ");") +
        'if(Array.isArray($$a)){' +
        "var $$v=".concat(number ? '_n(' + valueBinding + ')' : valueBinding, ",") +
        '$$i=_i($$a,$$v);' +
        "if($$el.checked){$$i&lt;0&amp;&amp;(".concat(genAssignmentCode(value, '$$a.concat([$$v])'), ")}") +
        "else{$$i&gt;-1&amp;&amp;(".concat(genAssignmentCode(value, '$$a.slice(0,$$i).concat($$a.slice($$i+1))'), ")}") +
        "}else{".concat(genAssignmentCode(value, '$$c'), "}"), null, true);
}
function genRadioModel(el, value, modifiers) {
    var number = modifiers &amp;&amp; modifiers.number;
    var valueBinding = getBindingAttr(el, 'value') || 'null';
    valueBinding = number ? "_n(".concat(valueBinding, ")") : valueBinding;
    addProp(el, 'checked', "_q(".concat(value, ",").concat(valueBinding, ")"));
    addHandler(el, 'change', genAssignmentCode(value, valueBinding), null, true);
}
function genSelect(el, value, modifiers) {
    var number = modifiers &amp;&amp; modifiers.number;
    var selectedVal = "Array.prototype.filter" +
        ".call($event.target.options,function(o){return o.selected})" +
        ".map(function(o){var val = \"_value\" in o ? o._value : o.value;" +
        "return ".concat(number ? '_n(val)' : 'val', "})");
    var assignment = '$event.target.multiple ? $$selectedVal : $$selectedVal[0]';
    var code = "var $$selectedVal = ".concat(selectedVal, ";");
    code = "".concat(code, " ").concat(genAssignmentCode(value, assignment));
    addHandler(el, 'change', code, null, true);
}
function genDefaultModel(el, value, modifiers) {
    var type = el.attrsMap.type;
    // warn if v-bind:value conflicts with v-model
    // except for inputs with v-bind:type
    if (true) {
        var value_1 = el.attrsMap['v-bind:value'] || el.attrsMap[':value'];
        var typeBinding = el.attrsMap['v-bind:type'] || el.attrsMap[':type'];
        if (value_1 &amp;&amp; !typeBinding) {
            var binding = el.attrsMap['v-bind:value'] ? 'v-bind:value' : ':value';
            warn$1("".concat(binding, "=\"").concat(value_1, "\" conflicts with v-model on the same element ") +
                'because the latter already expands to a value binding internally', el.rawAttrsMap[binding]);
        }
    }
    var _a = modifiers || {}, lazy = _a.lazy, number = _a.number, trim = _a.trim;
    var needCompositionGuard = !lazy &amp;&amp; type !== 'range';
    var event = lazy ? 'change' : type === 'range' ? RANGE_TOKEN : 'input';
    var valueExpression = '$event.target.value';
    if (trim) {
        valueExpression = "$event.target.value.trim()";
    }
    if (number) {
        valueExpression = "_n(".concat(valueExpression, ")");
    }
    var code = genAssignmentCode(value, valueExpression);
    if (needCompositionGuard) {
        code = "if($event.target.composing)return;".concat(code);
    }
    addProp(el, 'value', "(".concat(value, ")"));
    addHandler(el, event, code, null, true);
    if (trim || number) {
        addHandler(el, 'blur', '$forceUpdate()');
    }
}

// normalize v-model event tokens that can only be determined at runtime.
// it's important to place the event as the first in the array because
// the whole point is ensuring the v-model callback gets called before
// user-attached handlers.
function normalizeEvents(on) {
    /* istanbul ignore if */
    if (isDef(on[RANGE_TOKEN])) {
        // IE input[type=range] only supports `change` event
        var event_1 = isIE ? 'change' : 'input';
        on[event_1] = [].concat(on[RANGE_TOKEN], on[event_1] || []);
        delete on[RANGE_TOKEN];
    }
    // This was originally intended to fix #4521 but no longer necessary
    // after 2.5. Keeping it for backwards compat with generated code from &lt; 2.4
    /* istanbul ignore if */
    if (isDef(on[CHECKBOX_RADIO_TOKEN])) {
        on.change = [].concat(on[CHECKBOX_RADIO_TOKEN], on.change || []);
        delete on[CHECKBOX_RADIO_TOKEN];
    }
}
var target;
function createOnceHandler(event, handler, capture) {
    var _target = target; // save current target element in closure
    return function onceHandler() {
        var res = handler.apply(null, arguments);
        if (res !== null) {
            remove(event, onceHandler, capture, _target);
        }
    };
}
// #9446: Firefox &lt;= 53 (in particular, ESR 52) has incorrect Event.timeStamp
// implementation and does not fire microtasks in between event propagation, so
// safe to exclude.
var useMicrotaskFix = isUsingMicroTask &amp;&amp; !(isFF &amp;&amp; Number(isFF[1]) &lt;= 53);
function add(name, handler, capture, passive) {
    // async edge case #6566: inner click event triggers patch, event handler
    // attached to outer element during patch, and triggered again. This
    // happens because browsers fire microtask ticks between event propagation.
    // the solution is simple: we save the timestamp when a handler is attached,
    // and the handler would only fire if the event passed to it was fired
    // AFTER it was attached.
    if (useMicrotaskFix) {
        var attachedTimestamp_1 = currentFlushTimestamp;
        var original_1 = handler;
        //@ts-expect-error
        handler = original_1._wrapper = function (e) {
            if (
            // no bubbling, should always fire.
            // this is just a safety net in case event.timeStamp is unreliable in
            // certain weird environments...
            e.target === e.currentTarget ||
                // event is fired after handler attachment
                e.timeStamp &gt;= attachedTimestamp_1 ||
                // bail for environments that have buggy event.timeStamp implementations
                // #9462 iOS 9 bug: event.timeStamp is 0 after history.pushState
                // #9681 QtWebEngine event.timeStamp is negative value
                e.timeStamp &lt;= 0 ||
                // #9448 bail if event is fired in another document in a multi-page
                // electron/nw.js app, since event.timeStamp will be using a different
                // starting reference
                e.target.ownerDocument !== document) {
                return original_1.apply(this, arguments);
            }
        };
    }
    target.addEventListener(name, handler, supportsPassive ? { capture: capture, passive: passive } : capture);
}
function remove(name, handler, capture, _target) {
    (_target || target).removeEventListener(name, 
    //@ts-expect-error
    handler._wrapper || handler, capture);
}
function updateDOMListeners(oldVnode, vnode) {
    if (isUndef(oldVnode.data.on) &amp;&amp; isUndef(vnode.data.on)) {
        return;
    }
    var on = vnode.data.on || {};
    var oldOn = oldVnode.data.on || {};
    // vnode is empty when removing all listeners,
    // and use old vnode dom element
    target = vnode.elm || oldVnode.elm;
    normalizeEvents(on);
    updateListeners(on, oldOn, add, remove, createOnceHandler, vnode.context);
    target = undefined;
}
var events = {
    create: updateDOMListeners,
    update: updateDOMListeners,
    // @ts-expect-error emptyNode has actually data
    destroy: function (vnode) { return updateDOMListeners(vnode, emptyNode); }
};

var svgContainer;
function updateDOMProps(oldVnode, vnode) {
    if (isUndef(oldVnode.data.domProps) &amp;&amp; isUndef(vnode.data.domProps)) {
        return;
    }
    var key, cur;
    var elm = vnode.elm;
    var oldProps = oldVnode.data.domProps || {};
    var props = vnode.data.domProps || {};
    // clone observed objects, as the user probably wants to mutate it
    if (isDef(props.__ob__) || isTrue(props._v_attr_proxy)) {
        props = vnode.data.domProps = extend({}, props);
    }
    for (key in oldProps) {
        if (!(key in props)) {
            elm[key] = '';
        }
    }
    for (key in props) {
        cur = props[key];
        // ignore children if the node has textContent or innerHTML,
        // as these will throw away existing DOM nodes and cause removal errors
        // on subsequent patches (#3360)
        if (key === 'textContent' || key === 'innerHTML') {
            if (vnode.children)
                vnode.children.length = 0;
            if (cur === oldProps[key])
                continue;
            // #6601 work around Chrome version &lt;= 55 bug where single textNode
            // replaced by innerHTML/textContent retains its parentNode property
            if (elm.childNodes.length === 1) {
                elm.removeChild(elm.childNodes[0]);
            }
        }
        if (key === 'value' &amp;&amp; elm.tagName !== 'PROGRESS') {
            // store value as _value as well since
            // non-string values will be stringified
            elm._value = cur;
            // avoid resetting cursor position when value is the same
            var strCur = isUndef(cur) ? '' : String(cur);
            if (shouldUpdateValue(elm, strCur)) {
                elm.value = strCur;
            }
        }
        else if (key === 'innerHTML' &amp;&amp;
            isSVG(elm.tagName) &amp;&amp;
            isUndef(elm.innerHTML)) {
            // IE doesn't support innerHTML for SVG elements
            svgContainer = svgContainer || document.createElement('div');
            svgContainer.innerHTML = "&lt;svg&gt;".concat(cur, "&lt;/svg&gt;");
            var svg = svgContainer.firstChild;
            while (elm.firstChild) {
                elm.removeChild(elm.firstChild);
            }
            while (svg.firstChild) {
                elm.appendChild(svg.firstChild);
            }
        }
        else if (
        // skip the update if old and new VDOM state is the same.
        // `value` is handled separately because the DOM value may be temporarily
        // out of sync with VDOM state due to focus, composition and modifiers.
        // This  #4521 by skipping the unnecessary `checked` update.
        cur !== oldProps[key]) {
            // some property updates can throw
            // e.g. `value` on &lt;progress&gt; w/ non-finite value
            try {
                elm[key] = cur;
            }
            catch (e) { }
        }
    }
}
function shouldUpdateValue(elm, checkVal) {
    return (
    //@ts-expect-error
    !elm.composing &amp;&amp;
        (elm.tagName === 'OPTION' ||
            isNotInFocusAndDirty(elm, checkVal) ||
            isDirtyWithModifiers(elm, checkVal)));
}
function isNotInFocusAndDirty(elm, checkVal) {
    // return true when textbox (.number and .trim) loses focus and its value is
    // not equal to the updated value
    var notInFocus = true;
    // #6157
    // work around IE bug when accessing document.activeElement in an iframe
    try {
        notInFocus = document.activeElement !== elm;
    }
    catch (e) { }
    return notInFocus &amp;&amp; elm.value !== checkVal;
}
function isDirtyWithModifiers(elm, newVal) {
    var value = elm.value;
    var modifiers = elm._vModifiers; // injected by v-model runtime
    if (isDef(modifiers)) {
        if (modifiers.number) {
            return toNumber(value) !== toNumber(newVal);
        }
        if (modifiers.trim) {
            return value.trim() !== newVal.trim();
        }
    }
    return value !== newVal;
}
var domProps = {
    create: updateDOMProps,
    update: updateDOMProps
};

var parseStyleText = cached(function (cssText) {
    var res = {};
    var listDelimiter = /;(?![^(]*\))/g;
    var propertyDelimiter = /:(.+)/;
    cssText.split(listDelimiter).forEach(function (item) {
        if (item) {
            var tmp = item.split(propertyDelimiter);
            tmp.length &gt; 1 &amp;&amp; (res[tmp[0].trim()] = tmp[1].trim());
        }
    });
    return res;
});
// merge static and dynamic style data on the same vnode
function normalizeStyleData(data) {
    var style = normalizeStyleBinding(data.style);
    // static style is pre-processed into an object during compilation
    // and is always a fresh object, so it's safe to merge into it
    return data.staticStyle ? extend(data.staticStyle, style) : style;
}
// normalize possible array / string values into Object
function normalizeStyleBinding(bindingStyle) {
    if (Array.isArray(bindingStyle)) {
        return toObject(bindingStyle);
    }
    if (typeof bindingStyle === 'string') {
        return parseStyleText(bindingStyle);
    }
    return bindingStyle;
}
/**
 * parent component style should be after child's
 * so that parent component's style could override it
 */
function getStyle(vnode, checkChild) {
    var res = {};
    var styleData;
    if (checkChild) {
        var childNode = vnode;
        while (childNode.componentInstance) {
            childNode = childNode.componentInstance._vnode;
            if (childNode &amp;&amp;
                childNode.data &amp;&amp;
                (styleData = normalizeStyleData(childNode.data))) {
                extend(res, styleData);
            }
        }
    }
    if ((styleData = normalizeStyleData(vnode.data))) {
        extend(res, styleData);
    }
    var parentNode = vnode;
    // @ts-expect-error parentNode.parent not VNodeWithData
    while ((parentNode = parentNode.parent)) {
        if (parentNode.data &amp;&amp; (styleData = normalizeStyleData(parentNode.data))) {
            extend(res, styleData);
        }
    }
    return res;
}

var cssVarRE = /^--/;
var importantRE = /\s*!important$/;
var setProp = function (el, name, val) {
    /* istanbul ignore if */
    if (cssVarRE.test(name)) {
        el.style.setProperty(name, val);
    }
    else if (importantRE.test(val)) {
        el.style.setProperty(hyphenate(name), val.replace(importantRE, ''), 'important');
    }
    else {
        var normalizedName = normalize(name);
        if (Array.isArray(val)) {
            // Support values array created by autoprefixer, e.g.
            // {display: ["-webkit-box", "-ms-flexbox", "flex"]}
            // Set them one by one, and the browser will only set those it can recognize
            for (var i = 0, len = val.length; i &lt; len; i++) {
                el.style[normalizedName] = val[i];
            }
        }
        else {
            el.style[normalizedName] = val;
        }
    }
};
var vendorNames = ['Webkit', 'Moz', 'ms'];
var emptyStyle;
var normalize = cached(function (prop) {
    emptyStyle = emptyStyle || document.createElement('div').style;
    prop = camelize(prop);
    if (prop !== 'filter' &amp;&amp; prop in emptyStyle) {
        return prop;
    }
    var capName = prop.charAt(0).toUpperCase() + prop.slice(1);
    for (var i = 0; i &lt; vendorNames.length; i++) {
        var name_1 = vendorNames[i] + capName;
        if (name_1 in emptyStyle) {
            return name_1;
        }
    }
});
function updateStyle(oldVnode, vnode) {
    var data = vnode.data;
    var oldData = oldVnode.data;
    if (isUndef(data.staticStyle) &amp;&amp;
        isUndef(data.style) &amp;&amp;
        isUndef(oldData.staticStyle) &amp;&amp;
        isUndef(oldData.style)) {
        return;
    }
    var cur, name;
    var el = vnode.elm;
    var oldStaticStyle = oldData.staticStyle;
    var oldStyleBinding = oldData.normalizedStyle || oldData.style || {};
    // if static style exists, stylebinding already merged into it when doing normalizeStyleData
    var oldStyle = oldStaticStyle || oldStyleBinding;
    var style = normalizeStyleBinding(vnode.data.style) || {};
    // store normalized style under a different key for next diff
    // make sure to clone it if it's reactive, since the user likely wants
    // to mutate it.
    vnode.data.normalizedStyle = isDef(style.__ob__) ? extend({}, style) : style;
    var newStyle = getStyle(vnode, true);
    for (name in oldStyle) {
        if (isUndef(newStyle[name])) {
            setProp(el, name, '');
        }
    }
    for (name in newStyle) {
        cur = newStyle[name];
        if (cur !== oldStyle[name]) {
            // ie9 setting to null has no effect, must use empty string
            setProp(el, name, cur == null ? '' : cur);
        }
    }
}
var style$1 = {
    create: updateStyle,
    update: updateStyle
};

var whitespaceRE$1 = /\s+/;
/**
 * Add class with compatibility for SVG since classList is not supported on
 * SVG elements in IE
 */
function addClass(el, cls) {
    /* istanbul ignore if */
    if (!cls || !(cls = cls.trim())) {
        return;
    }
    /* istanbul ignore else */
    if (el.classList) {
        if (cls.indexOf(' ') &gt; -1) {
            cls.split(whitespaceRE$1).forEach(function (c) { return el.classList.add(c); });
        }
        else {
            el.classList.add(cls);
        }
    }
    else {
        var cur = " ".concat(el.getAttribute('class') || '', " ");
        if (cur.indexOf(' ' + cls + ' ') &lt; 0) {
            el.setAttribute('class', (cur + cls).trim());
        }
    }
}
/**
 * Remove class with compatibility for SVG since classList is not supported on
 * SVG elements in IE
 */
function removeClass(el, cls) {
    /* istanbul ignore if */
    if (!cls || !(cls = cls.trim())) {
        return;
    }
    /* istanbul ignore else */
    if (el.classList) {
        if (cls.indexOf(' ') &gt; -1) {
            cls.split(whitespaceRE$1).forEach(function (c) { return el.classList.remove(c); });
        }
        else {
            el.classList.remove(cls);
        }
        if (!el.classList.length) {
            el.removeAttribute('class');
        }
    }
    else {
        var cur = " ".concat(el.getAttribute('class') || '', " ");
        var tar = ' ' + cls + ' ';
        while (cur.indexOf(tar) &gt;= 0) {
            cur = cur.replace(tar, ' ');
        }
        cur = cur.trim();
        if (cur) {
            el.setAttribute('class', cur);
        }
        else {
            el.removeAttribute('class');
        }
    }
}

function resolveTransition(def) {
    if (!def) {
        return;
    }
    /* istanbul ignore else */
    if (typeof def === 'object') {
        var res = {};
        if (def.css !== false) {
            extend(res, autoCssTransition(def.name || 'v'));
        }
        extend(res, def);
        return res;
    }
    else if (typeof def === 'string') {
        return autoCssTransition(def);
    }
}
var autoCssTransition = cached(function (name) {
    return {
        enterClass: "".concat(name, "-enter"),
        enterToClass: "".concat(name, "-enter-to"),
        enterActiveClass: "".concat(name, "-enter-active"),
        leaveClass: "".concat(name, "-leave"),
        leaveToClass: "".concat(name, "-leave-to"),
        leaveActiveClass: "".concat(name, "-leave-active")
    };
});
var hasTransition = inBrowser &amp;&amp; !isIE9;
var TRANSITION = 'transition';
var ANIMATION = 'animation';
// Transition property/event sniffing
var transitionProp = 'transition';
var transitionEndEvent = 'transitionend';
var animationProp = 'animation';
var animationEndEvent = 'animationend';
if (hasTransition) {
    /* istanbul ignore if */
    if (window.ontransitionend === undefined &amp;&amp;
        window.onwebkittransitionend !== undefined) {
        transitionProp = 'WebkitTransition';
        transitionEndEvent = 'webkitTransitionEnd';
    }
    if (window.onanimationend === undefined &amp;&amp;
        window.onwebkitanimationend !== undefined) {
        animationProp = 'WebkitAnimation';
        animationEndEvent = 'webkitAnimationEnd';
    }
}
// binding to window is necessary to make hot reload work in IE in strict mode
var raf = inBrowser
    ? window.requestAnimationFrame
        ? window.requestAnimationFrame.bind(window)
        : setTimeout
    : /* istanbul ignore next */ function (/* istanbul ignore next */ fn) { return fn(); };
function nextFrame(fn) {
    raf(function () {
        // @ts-expect-error
        raf(fn);
    });
}
function addTransitionClass(el, cls) {
    var transitionClasses = el._transitionClasses || (el._transitionClasses = []);
    if (transitionClasses.indexOf(cls) &lt; 0) {
        transitionClasses.push(cls);
        addClass(el, cls);
    }
}
function removeTransitionClass(el, cls) {
    if (el._transitionClasses) {
        remove$2(el._transitionClasses, cls);
    }
    removeClass(el, cls);
}
function whenTransitionEnds(el, expectedType, cb) {
    var _a = getTransitionInfo(el, expectedType), type = _a.type, timeout = _a.timeout, propCount = _a.propCount;
    if (!type)
        return cb();
    var event = type === TRANSITION ? transitionEndEvent : animationEndEvent;
    var ended = 0;
    var end = function () {
        el.removeEventListener(event, onEnd);
        cb();
    };
    var onEnd = function (e) {
        if (e.target === el) {
            if (++ended &gt;= propCount) {
                end();
            }
        }
    };
    setTimeout(function () {
        if (ended &lt; propCount) {
            end();
        }
    }, timeout + 1);
    el.addEventListener(event, onEnd);
}
var transformRE = /\b(transform|all)(,|$)/;
function getTransitionInfo(el, expectedType) {
    var styles = window.getComputedStyle(el);
    // JSDOM may return undefined for transition properties
    var transitionDelays = (styles[transitionProp + 'Delay'] || '').split(', ');
    var transitionDurations = (styles[transitionProp + 'Duration'] || '').split(', ');
    var transitionTimeout = getTimeout(transitionDelays, transitionDurations);
    var animationDelays = (styles[animationProp + 'Delay'] || '').split(', ');
    var animationDurations = (styles[animationProp + 'Duration'] || '').split(', ');
    var animationTimeout = getTimeout(animationDelays, animationDurations);
    var type;
    var timeout = 0;
    var propCount = 0;
    /* istanbul ignore if */
    if (expectedType === TRANSITION) {
        if (transitionTimeout &gt; 0) {
            type = TRANSITION;
            timeout = transitionTimeout;
            propCount = transitionDurations.length;
        }
    }
    else if (expectedType === ANIMATION) {
        if (animationTimeout &gt; 0) {
            type = ANIMATION;
            timeout = animationTimeout;
            propCount = animationDurations.length;
        }
    }
    else {
        timeout = Math.max(transitionTimeout, animationTimeout);
        type =
            timeout &gt; 0
                ? transitionTimeout &gt; animationTimeout
                    ? TRANSITION
                    : ANIMATION
                : null;
        propCount = type
            ? type === TRANSITION
                ? transitionDurations.length
                : animationDurations.length
            : 0;
    }
    var hasTransform = type === TRANSITION &amp;&amp; transformRE.test(styles[transitionProp + 'Property']);
    return {
        type: type,
        timeout: timeout,
        propCount: propCount,
        hasTransform: hasTransform
    };
}
function getTimeout(delays, durations) {
    /* istanbul ignore next */
    while (delays.length &lt; durations.length) {
        delays = delays.concat(delays);
    }
    return Math.max.apply(null, durations.map(function (d, i) {
        return toMs(d) + toMs(delays[i]);
    }));
}
// Old versions of Chromium (below 61.0.3163.100) formats floating pointer numbers
// in a locale-dependent way, using a comma instead of a dot.
// If comma is not replaced with a dot, the input will be rounded down (i.e. acting
// as a floor function) causing unexpected behaviors
function toMs(s) {
    return Number(s.slice(0, -1).replace(',', '.')) * 1000;
}

function enter(vnode, toggleDisplay) {
    var el = vnode.elm;
    // call leave callback now
    if (isDef(el._leaveCb)) {
        el._leaveCb.cancelled = true;
        el._leaveCb();
    }
    var data = resolveTransition(vnode.data.transition);
    if (isUndef(data)) {
        return;
    }
    /* istanbul ignore if */
    if (isDef(el._enterCb) || el.nodeType !== 1) {
        return;
    }
    var css = data.css, type = data.type, enterClass = data.enterClass, enterToClass = data.enterToClass, enterActiveClass = data.enterActiveClass, appearClass = data.appearClass, appearToClass = data.appearToClass, appearActiveClass = data.appearActiveClass, beforeEnter = data.beforeEnter, enter = data.enter, afterEnter = data.afterEnter, enterCancelled = data.enterCancelled, beforeAppear = data.beforeAppear, appear = data.appear, afterAppear = data.afterAppear, appearCancelled = data.appearCancelled, duration = data.duration;
    // activeInstance will always be the &lt;transition&gt; component managing this
    // transition. One edge case to check is when the &lt;transition&gt; is placed
    // as the root node of a child component. In that case we need to check
    // &lt;transition&gt;'s parent for appear check.
    var context = activeInstance;
    var transitionNode = activeInstance.$vnode;
    while (transitionNode &amp;&amp; transitionNode.parent) {
        context = transitionNode.context;
        transitionNode = transitionNode.parent;
    }
    var isAppear = !context._isMounted || !vnode.isRootInsert;
    if (isAppear &amp;&amp; !appear &amp;&amp; appear !== '') {
        return;
    }
    var startClass = isAppear &amp;&amp; appearClass ? appearClass : enterClass;
    var activeClass = isAppear &amp;&amp; appearActiveClass ? appearActiveClass : enterActiveClass;
    var toClass = isAppear &amp;&amp; appearToClass ? appearToClass : enterToClass;
    var beforeEnterHook = isAppear ? beforeAppear || beforeEnter : beforeEnter;
    var enterHook = isAppear ? (isFunction(appear) ? appear : enter) : enter;
    var afterEnterHook = isAppear ? afterAppear || afterEnter : afterEnter;
    var enterCancelledHook = isAppear
        ? appearCancelled || enterCancelled
        : enterCancelled;
    var explicitEnterDuration = toNumber(isObject(duration) ? duration.enter : duration);
    if ( true &amp;&amp; explicitEnterDuration != null) {
        checkDuration(explicitEnterDuration, 'enter', vnode);
    }
    var expectsCSS = css !== false &amp;&amp; !isIE9;
    var userWantsControl = getHookArgumentsLength(enterHook);
    var cb = (el._enterCb = once(function () {
        if (expectsCSS) {
            removeTransitionClass(el, toClass);
            removeTransitionClass(el, activeClass);
        }
        // @ts-expect-error
        if (cb.cancelled) {
            if (expectsCSS) {
                removeTransitionClass(el, startClass);
            }
            enterCancelledHook &amp;&amp; enterCancelledHook(el);
        }
        else {
            afterEnterHook &amp;&amp; afterEnterHook(el);
        }
        el._enterCb = null;
    }));
    if (!vnode.data.show) {
        // remove pending leave element on enter by injecting an insert hook
        mergeVNodeHook(vnode, 'insert', function () {
            var parent = el.parentNode;
            var pendingNode = parent &amp;&amp; parent._pending &amp;&amp; parent._pending[vnode.key];
            if (pendingNode &amp;&amp;
                pendingNode.tag === vnode.tag &amp;&amp;
                pendingNode.elm._leaveCb) {
                pendingNode.elm._leaveCb();
            }
            enterHook &amp;&amp; enterHook(el, cb);
        });
    }
    // start enter transition
    beforeEnterHook &amp;&amp; beforeEnterHook(el);
    if (expectsCSS) {
        addTransitionClass(el, startClass);
        addTransitionClass(el, activeClass);
        nextFrame(function () {
            removeTransitionClass(el, startClass);
            // @ts-expect-error
            if (!cb.cancelled) {
                addTransitionClass(el, toClass);
                if (!userWantsControl) {
                    if (isValidDuration(explicitEnterDuration)) {
                        setTimeout(cb, explicitEnterDuration);
                    }
                    else {
                        whenTransitionEnds(el, type, cb);
                    }
                }
            }
        });
    }
    if (vnode.data.show) {
        toggleDisplay &amp;&amp; toggleDisplay();
        enterHook &amp;&amp; enterHook(el, cb);
    }
    if (!expectsCSS &amp;&amp; !userWantsControl) {
        cb();
    }
}
function leave(vnode, rm) {
    var el = vnode.elm;
    // call enter callback now
    if (isDef(el._enterCb)) {
        el._enterCb.cancelled = true;
        el._enterCb();
    }
    var data = resolveTransition(vnode.data.transition);
    if (isUndef(data) || el.nodeType !== 1) {
        return rm();
    }
    /* istanbul ignore if */
    if (isDef(el._leaveCb)) {
        return;
    }
    var css = data.css, type = data.type, leaveClass = data.leaveClass, leaveToClass = data.leaveToClass, leaveActiveClass = data.leaveActiveClass, beforeLeave = data.beforeLeave, leave = data.leave, afterLeave = data.afterLeave, leaveCancelled = data.leaveCancelled, delayLeave = data.delayLeave, duration = data.duration;
    var expectsCSS = css !== false &amp;&amp; !isIE9;
    var userWantsControl = getHookArgumentsLength(leave);
    var explicitLeaveDuration = toNumber(isObject(duration) ? duration.leave : duration);
    if ( true &amp;&amp; isDef(explicitLeaveDuration)) {
        checkDuration(explicitLeaveDuration, 'leave', vnode);
    }
    var cb = (el._leaveCb = once(function () {
        if (el.parentNode &amp;&amp; el.parentNode._pending) {
            el.parentNode._pending[vnode.key] = null;
        }
        if (expectsCSS) {
            removeTransitionClass(el, leaveToClass);
            removeTransitionClass(el, leaveActiveClass);
        }
        // @ts-expect-error
        if (cb.cancelled) {
            if (expectsCSS) {
                removeTransitionClass(el, leaveClass);
            }
            leaveCancelled &amp;&amp; leaveCancelled(el);
        }
        else {
            rm();
            afterLeave &amp;&amp; afterLeave(el);
        }
        el._leaveCb = null;
    }));
    if (delayLeave) {
        delayLeave(performLeave);
    }
    else {
        performLeave();
    }
    function performLeave() {
        // the delayed leave may have already been cancelled
        // @ts-expect-error
        if (cb.cancelled) {
            return;
        }
        // record leaving element
        if (!vnode.data.show &amp;&amp; el.parentNode) {
            (el.parentNode._pending || (el.parentNode._pending = {}))[vnode.key] =
                vnode;
        }
        beforeLeave &amp;&amp; beforeLeave(el);
        if (expectsCSS) {
            addTransitionClass(el, leaveClass);
            addTransitionClass(el, leaveActiveClass);
            nextFrame(function () {
                removeTransitionClass(el, leaveClass);
                // @ts-expect-error
                if (!cb.cancelled) {
                    addTransitionClass(el, leaveToClass);
                    if (!userWantsControl) {
                        if (isValidDuration(explicitLeaveDuration)) {
                            setTimeout(cb, explicitLeaveDuration);
                        }
                        else {
                            whenTransitionEnds(el, type, cb);
                        }
                    }
                }
            });
        }
        leave &amp;&amp; leave(el, cb);
        if (!expectsCSS &amp;&amp; !userWantsControl) {
            cb();
        }
    }
}
// only used in dev mode
function checkDuration(val, name, vnode) {
    if (typeof val !== 'number') {
        warn$2("&lt;transition&gt; explicit ".concat(name, " duration is not a valid number - ") +
            "got ".concat(JSON.stringify(val), "."), vnode.context);
    }
    else if (isNaN(val)) {
        warn$2("&lt;transition&gt; explicit ".concat(name, " duration is NaN - ") +
            'the duration expression might be incorrect.', vnode.context);
    }
}
function isValidDuration(val) {
    return typeof val === 'number' &amp;&amp; !isNaN(val);
}
/**
 * Normalize a transition hook's argument length. The hook may be:
 * - a merged hook (invoker) with the original in .fns
 * - a wrapped component method (check ._length)
 * - a plain function (.length)
 */
function getHookArgumentsLength(fn) {
    if (isUndef(fn)) {
        return false;
    }
    // @ts-expect-error
    var invokerFns = fn.fns;
    if (isDef(invokerFns)) {
        // invoker
        return getHookArgumentsLength(Array.isArray(invokerFns) ? invokerFns[0] : invokerFns);
    }
    else {
        // @ts-expect-error
        return (fn._length || fn.length) &gt; 1;
    }
}
function _enter(_, vnode) {
    if (vnode.data.show !== true) {
        enter(vnode);
    }
}
var transition = inBrowser
    ? {
        create: _enter,
        activate: _enter,
        remove: function (vnode, rm) {
            /* istanbul ignore else */
            if (vnode.data.show !== true) {
                // @ts-expect-error
                leave(vnode, rm);
            }
            else {
                rm();
            }
        }
    }
    : {};

var platformModules = [attrs, klass$1, events, domProps, style$1, transition];

// the directive module should be applied last, after all
// built-in modules have been applied.
var modules$1 = platformModules.concat(baseModules);
var patch = createPatchFunction({ nodeOps: nodeOps, modules: modules$1 });

/**
 * Not type checking this file because flow doesn't like attaching
 * properties to Elements.
 */
/* istanbul ignore if */
if (isIE9) {
    // http://www.matts411.com/post/internet-explorer-9-oninput/
    document.addEventListener('selectionchange', function () {
        var el = document.activeElement;
        // @ts-expect-error
        if (el &amp;&amp; el.vmodel) {
            trigger(el, 'input');
        }
    });
}
var directive = {
    inserted: function (el, binding, vnode, oldVnode) {
        if (vnode.tag === 'select') {
            // #6903
            if (oldVnode.elm &amp;&amp; !oldVnode.elm._vOptions) {
                mergeVNodeHook(vnode, 'postpatch', function () {
                    directive.componentUpdated(el, binding, vnode);
                });
            }
            else {
                setSelected(el, binding, vnode.context);
            }
            el._vOptions = [].map.call(el.options, getValue);
        }
        else if (vnode.tag === 'textarea' || isTextInputType(el.type)) {
            el._vModifiers = binding.modifiers;
            if (!binding.modifiers.lazy) {
                el.addEventListener('compositionstart', onCompositionStart);
                el.addEventListener('compositionend', onCompositionEnd);
                // Safari &lt; 10.2 &amp; UIWebView doesn't fire compositionend when
                // switching focus before confirming composition choice
                // this also fixes the issue where some browsers e.g. iOS Chrome
                // fires "change" instead of "input" on autocomplete.
                el.addEventListener('change', onCompositionEnd);
                /* istanbul ignore if */
                if (isIE9) {
                    el.vmodel = true;
                }
            }
        }
    },
    componentUpdated: function (el, binding, vnode) {
        if (vnode.tag === 'select') {
            setSelected(el, binding, vnode.context);
            // in case the options rendered by v-for have changed,
            // it's possible that the value is out-of-sync with the rendered options.
            // detect such cases and filter out values that no longer has a matching
            // option in the DOM.
            var prevOptions_1 = el._vOptions;
            var curOptions_1 = (el._vOptions = [].map.call(el.options, getValue));
            if (curOptions_1.some(function (o, i) { return !looseEqual(o, prevOptions_1[i]); })) {
                // trigger change event if
                // no matching option found for at least one value
                var needReset = el.multiple
                    ? binding.value.some(function (v) { return hasNoMatchingOption(v, curOptions_1); })
                    : binding.value !== binding.oldValue &amp;&amp;
                        hasNoMatchingOption(binding.value, curOptions_1);
                if (needReset) {
                    trigger(el, 'change');
                }
            }
        }
    }
};
function setSelected(el, binding, vm) {
    actuallySetSelected(el, binding, vm);
    /* istanbul ignore if */
    if (isIE || isEdge) {
        setTimeout(function () {
            actuallySetSelected(el, binding, vm);
        }, 0);
    }
}
function actuallySetSelected(el, binding, vm) {
    var value = binding.value;
    var isMultiple = el.multiple;
    if (isMultiple &amp;&amp; !Array.isArray(value)) {
         true &amp;&amp;
            warn$2("&lt;select multiple v-model=\"".concat(binding.expression, "\"&gt; ") +
                "expects an Array value for its binding, but got ".concat(Object.prototype.toString
                    .call(value)
                    .slice(8, -1)), vm);
        return;
    }
    var selected, option;
    for (var i = 0, l = el.options.length; i &lt; l; i++) {
        option = el.options[i];
        if (isMultiple) {
            selected = looseIndexOf(value, getValue(option)) &gt; -1;
            if (option.selected !== selected) {
                option.selected = selected;
            }
        }
        else {
            if (looseEqual(getValue(option), value)) {
                if (el.selectedIndex !== i) {
                    el.selectedIndex = i;
                }
                return;
            }
        }
    }
    if (!isMultiple) {
        el.selectedIndex = -1;
    }
}
function hasNoMatchingOption(value, options) {
    return options.every(function (o) { return !looseEqual(o, value); });
}
function getValue(option) {
    return '_value' in option ? option._value : option.value;
}
function onCompositionStart(e) {
    e.target.composing = true;
}
function onCompositionEnd(e) {
    // prevent triggering an input event for no reason
    if (!e.target.composing)
        return;
    e.target.composing = false;
    trigger(e.target, 'input');
}
function trigger(el, type) {
    var e = document.createEvent('HTMLEvents');
    e.initEvent(type, true, true);
    el.dispatchEvent(e);
}

// recursively search for possible transition defined inside the component root
function locateNode(vnode) {
    // @ts-expect-error
    return vnode.componentInstance &amp;&amp; (!vnode.data || !vnode.data.transition)
        ? locateNode(vnode.componentInstance._vnode)
        : vnode;
}
var show = {
    bind: function (el, _a, vnode) {
        var value = _a.value;
        vnode = locateNode(vnode);
        var transition = vnode.data &amp;&amp; vnode.data.transition;
        var originalDisplay = (el.__vOriginalDisplay =
            el.style.display === 'none' ? '' : el.style.display);
        if (value &amp;&amp; transition) {
            vnode.data.show = true;
            enter(vnode, function () {
                el.style.display = originalDisplay;
            });
        }
        else {
            el.style.display = value ? originalDisplay : 'none';
        }
    },
    update: function (el, _a, vnode) {
        var value = _a.value, oldValue = _a.oldValue;
        /* istanbul ignore if */
        if (!value === !oldValue)
            return;
        vnode = locateNode(vnode);
        var transition = vnode.data &amp;&amp; vnode.data.transition;
        if (transition) {
            vnode.data.show = true;
            if (value) {
                enter(vnode, function () {
                    el.style.display = el.__vOriginalDisplay;
                });
            }
            else {
                leave(vnode, function () {
                    el.style.display = 'none';
                });
            }
        }
        else {
            el.style.display = value ? el.__vOriginalDisplay : 'none';
        }
    },
    unbind: function (el, binding, vnode, oldVnode, isDestroy) {
        if (!isDestroy) {
            el.style.display = el.__vOriginalDisplay;
        }
    }
};

var platformDirectives = {
    model: directive,
    show: show
};

// Provides transition support for a single element/component.
var transitionProps = {
    name: String,
    appear: Boolean,
    css: Boolean,
    mode: String,
    type: String,
    enterClass: String,
    leaveClass: String,
    enterToClass: String,
    leaveToClass: String,
    enterActiveClass: String,
    leaveActiveClass: String,
    appearClass: String,
    appearActiveClass: String,
    appearToClass: String,
    duration: [Number, String, Object]
};
// in case the child is also an abstract component, e.g. &lt;keep-alive&gt;
// we want to recursively retrieve the real component to be rendered
function getRealChild(vnode) {
    var compOptions = vnode &amp;&amp; vnode.componentOptions;
    if (compOptions &amp;&amp; compOptions.Ctor.options.abstract) {
        return getRealChild(getFirstComponentChild(compOptions.children));
    }
    else {
        return vnode;
    }
}
function extractTransitionData(comp) {
    var data = {};
    var options = comp.$options;
    // props
    for (var key in options.propsData) {
        data[key] = comp[key];
    }
    // events.
    // extract listeners and pass them directly to the transition methods
    var listeners = options._parentListeners;
    for (var key in listeners) {
        data[camelize(key)] = listeners[key];
    }
    return data;
}
function placeholder(h, rawChild) {
    // @ts-expect-error
    if (/\d-keep-alive$/.test(rawChild.tag)) {
        return h('keep-alive', {
            props: rawChild.componentOptions.propsData
        });
    }
}
function hasParentTransition(vnode) {
    while ((vnode = vnode.parent)) {
        if (vnode.data.transition) {
            return true;
        }
    }
}
function isSameChild(child, oldChild) {
    return oldChild.key === child.key &amp;&amp; oldChild.tag === child.tag;
}
var isNotTextNode = function (c) { return c.tag || isAsyncPlaceholder(c); };
var isVShowDirective = function (d) { return d.name === 'show'; };
var Transition = {
    name: 'transition',
    props: transitionProps,
    abstract: true,
    render: function (h) {
        var _this = this;
        var children = this.$slots.default;
        if (!children) {
            return;
        }
        // filter out text nodes (possible whitespaces)
        children = children.filter(isNotTextNode);
        /* istanbul ignore if */
        if (!children.length) {
            return;
        }
        // warn multiple elements
        if ( true &amp;&amp; children.length &gt; 1) {
            warn$2('&lt;transition&gt; can only be used on a single element. Use ' +
                '&lt;transition-group&gt; for lists.', this.$parent);
        }
        var mode = this.mode;
        // warn invalid mode
        if ( true &amp;&amp; mode &amp;&amp; mode !== 'in-out' &amp;&amp; mode !== 'out-in') {
            warn$2('invalid &lt;transition&gt; mode: ' + mode, this.$parent);
        }
        var rawChild = children[0];
        // if this is a component root node and the component's
        // parent container node also has transition, skip.
        if (hasParentTransition(this.$vnode)) {
            return rawChild;
        }
        // apply transition data to child
        // use getRealChild() to ignore abstract components e.g. keep-alive
        var child = getRealChild(rawChild);
        /* istanbul ignore if */
        if (!child) {
            return rawChild;
        }
        if (this._leaving) {
            return placeholder(h, rawChild);
        }
        // ensure a key that is unique to the vnode type and to this transition
        // component instance. This key will be used to remove pending leaving nodes
        // during entering.
        var id = "__transition-".concat(this._uid, "-");
        child.key =
            child.key == null
                ? child.isComment
                    ? id + 'comment'
                    : id + child.tag
                : isPrimitive(child.key)
                    ? String(child.key).indexOf(id) === 0
                        ? child.key
                        : id + child.key
                    : child.key;
        var data = ((child.data || (child.data = {})).transition =
            extractTransitionData(this));
        var oldRawChild = this._vnode;
        var oldChild = getRealChild(oldRawChild);
        // mark v-show
        // so that the transition module can hand over the control to the directive
        if (child.data.directives &amp;&amp; child.data.directives.some(isVShowDirective)) {
            child.data.show = true;
        }
        if (oldChild &amp;&amp;
            oldChild.data &amp;&amp;
            !isSameChild(child, oldChild) &amp;&amp;
            !isAsyncPlaceholder(oldChild) &amp;&amp;
            // #6687 component root is a comment node
            !(oldChild.componentInstance &amp;&amp;
                oldChild.componentInstance._vnode.isComment)) {
            // replace old child transition data with fresh one
            // important for dynamic transitions!
            var oldData = (oldChild.data.transition = extend({}, data));
            // handle transition mode
            if (mode === 'out-in') {
                // return placeholder node and queue update when leave finishes
                this._leaving = true;
                mergeVNodeHook(oldData, 'afterLeave', function () {
                    _this._leaving = false;
                    _this.$forceUpdate();
                });
                return placeholder(h, rawChild);
            }
            else if (mode === 'in-out') {
                if (isAsyncPlaceholder(child)) {
                    return oldRawChild;
                }
                var delayedLeave_1;
                var performLeave = function () {
                    delayedLeave_1();
                };
                mergeVNodeHook(data, 'afterEnter', performLeave);
                mergeVNodeHook(data, 'enterCancelled', performLeave);
                mergeVNodeHook(oldData, 'delayLeave', function (leave) {
                    delayedLeave_1 = leave;
                });
            }
        }
        return rawChild;
    }
};

// Provides transition support for list items.
var props = extend({
    tag: String,
    moveClass: String
}, transitionProps);
delete props.mode;
var TransitionGroup = {
    props: props,
    beforeMount: function () {
        var _this = this;
        var update = this._update;
        this._update = function (vnode, hydrating) {
            var restoreActiveInstance = setActiveInstance(_this);
            // force removing pass
            _this.__patch__(_this._vnode, _this.kept, false, // hydrating
            true // removeOnly (!important, avoids unnecessary moves)
            );
            _this._vnode = _this.kept;
            restoreActiveInstance();
            update.call(_this, vnode, hydrating);
        };
    },
    render: function (h) {
        var tag = this.tag || this.$vnode.data.tag || 'span';
        var map = Object.create(null);
        var prevChildren = (this.prevChildren = this.children);
        var rawChildren = this.$slots.default || [];
        var children = (this.children = []);
        var transitionData = extractTransitionData(this);
        for (var i = 0; i &lt; rawChildren.length; i++) {
            var c = rawChildren[i];
            if (c.tag) {
                if (c.key != null &amp;&amp; String(c.key).indexOf('__vlist') !== 0) {
                    children.push(c);
                    map[c.key] = c;
                    (c.data || (c.data = {})).transition = transitionData;
                }
                else if (true) {
                    var opts = c.componentOptions;
                    var name_1 = opts
                        ? getComponentName(opts.Ctor.options) || opts.tag || ''
                        : c.tag;
                    warn$2("&lt;transition-group&gt; children must be keyed: &lt;".concat(name_1, "&gt;"));
                }
            }
        }
        if (prevChildren) {
            var kept = [];
            var removed = [];
            for (var i = 0; i &lt; prevChildren.length; i++) {
                var c = prevChildren[i];
                c.data.transition = transitionData;
                // @ts-expect-error .getBoundingClientRect is not typed in Node
                c.data.pos = c.elm.getBoundingClientRect();
                if (map[c.key]) {
                    kept.push(c);
                }
                else {
                    removed.push(c);
                }
            }
            this.kept = h(tag, null, kept);
            this.removed = removed;
        }
        return h(tag, null, children);
    },
    updated: function () {
        var children = this.prevChildren;
        var moveClass = this.moveClass || (this.name || 'v') + '-move';
        if (!children.length || !this.hasMove(children[0].elm, moveClass)) {
            return;
        }
        // we divide the work into three loops to avoid mixing DOM reads and writes
        // in each iteration - which helps prevent layout thrashing.
        children.forEach(callPendingCbs);
        children.forEach(recordPosition);
        children.forEach(applyTranslation);
        // force reflow to put everything in position
        // assign to this to avoid being removed in tree-shaking
        // $flow-disable-line
        this._reflow = document.body.offsetHeight;
        children.forEach(function (c) {
            if (c.data.moved) {
                var el_1 = c.elm;
                var s = el_1.style;
                addTransitionClass(el_1, moveClass);
                s.transform = s.WebkitTransform = s.transitionDuration = '';
                el_1.addEventListener(transitionEndEvent, (el_1._moveCb = function cb(e) {
                    if (e &amp;&amp; e.target !== el_1) {
                        return;
                    }
                    if (!e || /transform$/.test(e.propertyName)) {
                        el_1.removeEventListener(transitionEndEvent, cb);
                        el_1._moveCb = null;
                        removeTransitionClass(el_1, moveClass);
                    }
                }));
            }
        });
    },
    methods: {
        hasMove: function (el, moveClass) {
            /* istanbul ignore if */
            if (!hasTransition) {
                return false;
            }
            /* istanbul ignore if */
            if (this._hasMove) {
                return this._hasMove;
            }
            // Detect whether an element with the move class applied has
            // CSS transitions. Since the element may be inside an entering
            // transition at this very moment, we make a clone of it and remove
            // all other transition classes applied to ensure only the move class
            // is applied.
            var clone = el.cloneNode();
            if (el._transitionClasses) {
                el._transitionClasses.forEach(function (cls) {
                    removeClass(clone, cls);
                });
            }
            addClass(clone, moveClass);
            clone.style.display = 'none';
            this.$el.appendChild(clone);
            var info = getTransitionInfo(clone);
            this.$el.removeChild(clone);
            return (this._hasMove = info.hasTransform);
        }
    }
};
function callPendingCbs(c) {
    /* istanbul ignore if */
    if (c.elm._moveCb) {
        c.elm._moveCb();
    }
    /* istanbul ignore if */
    if (c.elm._enterCb) {
        c.elm._enterCb();
    }
}
function recordPosition(c) {
    c.data.newPos = c.elm.getBoundingClientRect();
}
function applyTranslation(c) {
    var oldPos = c.data.pos;
    var newPos = c.data.newPos;
    var dx = oldPos.left - newPos.left;
    var dy = oldPos.top - newPos.top;
    if (dx || dy) {
        c.data.moved = true;
        var s = c.elm.style;
        s.transform = s.WebkitTransform = "translate(".concat(dx, "px,").concat(dy, "px)");
        s.transitionDuration = '0s';
    }
}

var platformComponents = {
    Transition: Transition,
    TransitionGroup: TransitionGroup
};

// install platform specific utils
Vue.config.mustUseProp = mustUseProp;
Vue.config.isReservedTag = isReservedTag;
Vue.config.isReservedAttr = isReservedAttr;
Vue.config.getTagNamespace = getTagNamespace;
Vue.config.isUnknownElement = isUnknownElement;
// install platform runtime directives &amp; components
extend(Vue.options.directives, platformDirectives);
extend(Vue.options.components, platformComponents);
// install platform patch function
Vue.prototype.__patch__ = inBrowser ? patch : noop;
// public mount method
Vue.prototype.$mount = function (el, hydrating) {
    el = el &amp;&amp; inBrowser ? query(el) : undefined;
    return mountComponent(this, el, hydrating);
};
// devtools global hook
/* istanbul ignore next */
if (inBrowser) {
    setTimeout(function () {
        if (config.devtools) {
            if (devtools) {
                devtools.emit('init', Vue);
            }
            else if (true) {
                // @ts-expect-error
                console[console.info ? 'info' : 'log']('Download the Vue Devtools extension for a better development experience:\n' +
                    'https://github.com/vuejs/vue-devtools');
            }
        }
        if ( true &amp;&amp;
            config.productionTip !== false &amp;&amp;
            typeof console !== 'undefined') {
            // @ts-expect-error
            console[console.info ? 'info' : 'log']("You are running Vue in development mode.\n" +
                "Make sure to turn on production mode when deploying for production.\n" +
                "See more tips at https://vuejs.org/guide/deployment.html");
        }
    }, 0);
}

var defaultTagRE = /\{\{((?:.|\r?\n)+?)\}\}/g;
var regexEscapeRE = /[-.*+?^${}()|[\]\/\\]/g;
var buildRegex = cached(function (delimiters) {
    var open = delimiters[0].replace(regexEscapeRE, '\\$&amp;');
    var close = delimiters[1].replace(regexEscapeRE, '\\$&amp;');
    return new RegExp(open + '((?:.|\\n)+?)' + close, 'g');
});
function parseText(text, delimiters) {
    //@ts-expect-error
    var tagRE = delimiters ? buildRegex(delimiters) : defaultTagRE;
    if (!tagRE.test(text)) {
        return;
    }
    var tokens = [];
    var rawTokens = [];
    var lastIndex = (tagRE.lastIndex = 0);
    var match, index, tokenValue;
    while ((match = tagRE.exec(text))) {
        index = match.index;
        // push text token
        if (index &gt; lastIndex) {
            rawTokens.push((tokenValue = text.slice(lastIndex, index)));
            tokens.push(JSON.stringify(tokenValue));
        }
        // tag token
        var exp = parseFilters(match[1].trim());
        tokens.push("_s(".concat(exp, ")"));
        rawTokens.push({ '@binding': exp });
        lastIndex = index + match[0].length;
    }
    if (lastIndex &lt; text.length) {
        rawTokens.push((tokenValue = text.slice(lastIndex)));
        tokens.push(JSON.stringify(tokenValue));
    }
    return {
        expression: tokens.join('+'),
        tokens: rawTokens
    };
}

function transformNode$1(el, options) {
    var warn = options.warn || baseWarn;
    var staticClass = getAndRemoveAttr(el, 'class');
    if ( true &amp;&amp; staticClass) {
        var res = parseText(staticClass, options.delimiters);
        if (res) {
            warn("class=\"".concat(staticClass, "\": ") +
                'Interpolation inside attributes has been removed. ' +
                'Use v-bind or the colon shorthand instead. For example, ' +
                'instead of &lt;div class="{{ val }}"&gt;, use &lt;div :class="val"&gt;.', el.rawAttrsMap['class']);
        }
    }
    if (staticClass) {
        el.staticClass = JSON.stringify(staticClass.replace(/\s+/g, ' ').trim());
    }
    var classBinding = getBindingAttr(el, 'class', false /* getStatic */);
    if (classBinding) {
        el.classBinding = classBinding;
    }
}
function genData$2(el) {
    var data = '';
    if (el.staticClass) {
        data += "staticClass:".concat(el.staticClass, ",");
    }
    if (el.classBinding) {
        data += "class:".concat(el.classBinding, ",");
    }
    return data;
}
var klass = {
    staticKeys: ['staticClass'],
    transformNode: transformNode$1,
    genData: genData$2
};

function transformNode(el, options) {
    var warn = options.warn || baseWarn;
    var staticStyle = getAndRemoveAttr(el, 'style');
    if (staticStyle) {
        /* istanbul ignore if */
        if (true) {
            var res = parseText(staticStyle, options.delimiters);
            if (res) {
                warn("style=\"".concat(staticStyle, "\": ") +
                    'Interpolation inside attributes has been removed. ' +
                    'Use v-bind or the colon shorthand instead. For example, ' +
                    'instead of &lt;div style="{{ val }}"&gt;, use &lt;div :style="val"&gt;.', el.rawAttrsMap['style']);
            }
        }
        el.staticStyle = JSON.stringify(parseStyleText(staticStyle));
    }
    var styleBinding = getBindingAttr(el, 'style', false /* getStatic */);
    if (styleBinding) {
        el.styleBinding = styleBinding;
    }
}
function genData$1(el) {
    var data = '';
    if (el.staticStyle) {
        data += "staticStyle:".concat(el.staticStyle, ",");
    }
    if (el.styleBinding) {
        data += "style:(".concat(el.styleBinding, "),");
    }
    return data;
}
var style = {
    staticKeys: ['staticStyle'],
    transformNode: transformNode,
    genData: genData$1
};

var decoder;
var he = {
    decode: function (html) {
        decoder = decoder || document.createElement('div');
        decoder.innerHTML = html;
        return decoder.textContent;
    }
};

var isUnaryTag = makeMap('area,base,br,col,embed,frame,hr,img,input,isindex,keygen,' +
    'link,meta,param,source,track,wbr');
// Elements that you can, intentionally, leave open
// (and which close themselves)
var canBeLeftOpenTag = makeMap('colgroup,dd,dt,li,options,p,td,tfoot,th,thead,tr,source');
// HTML5 tags https://html.spec.whatwg.org/multipage/indices.html#elements-3
// Phrasing Content https://html.spec.whatwg.org/multipage/dom.html#phrasing-content
var isNonPhrasingTag = makeMap('address,article,aside,base,blockquote,body,caption,col,colgroup,dd,' +
    'details,dialog,div,dl,dt,fieldset,figcaption,figure,footer,form,' +
    'h1,h2,h3,h4,h5,h6,head,header,hgroup,hr,html,legend,li,menuitem,meta,' +
    'optgroup,option,param,rp,rt,source,style,summary,tbody,td,tfoot,th,thead,' +
    'title,tr,track');

/**
 * Not type-checking this file because it's mostly vendor code.
 */
// Regular Expressions for parsing tags and attributes
var attribute = /^\s*([^\s"'&lt;&gt;\/=]+)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=&lt;&gt;`]+)))?/;
var dynamicArgAttribute = /^\s*((?:v-[\w-]+:|@|:|#)\[[^=]+?\][^\s"'&lt;&gt;\/=]*)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=&lt;&gt;`]+)))?/;
var ncname = "[a-zA-Z_][\\-\\.0-9_a-zA-Z".concat(unicodeRegExp.source, "]*");
var qnameCapture = "((?:".concat(ncname, "\\:)?").concat(ncname, ")");
var startTagOpen = new RegExp("^&lt;".concat(qnameCapture));
var startTagClose = /^\s*(\/?)&gt;/;
var endTag = new RegExp("^&lt;\\/".concat(qnameCapture, "[^&gt;]*&gt;"));
var doctype = /^&lt;!DOCTYPE [^&gt;]+&gt;/i;
// #7298: escape - to avoid being passed as HTML comment when inlined in page
var comment = /^&lt;!\--/;
var conditionalComment = /^&lt;!\[/;
// Special Elements (can contain anything)
var isPlainTextElement = makeMap('script,style,textarea', true);
var reCache = {};
var decodingMap = {
    '&amp;lt;': '&lt;',
    '&amp;gt;': '&gt;',
    '&amp;quot;': '"',
    '&amp;amp;': '&amp;',
    '&amp;#10;': '\n',
    '&amp;#9;': '\t',
    '&amp;#39;': "'"
};
var encodedAttr = /&amp;(?:lt|gt|quot|amp|#39);/g;
var encodedAttrWithNewLines = /&amp;(?:lt|gt|quot|amp|#39|#10|#9);/g;
// #5992
var isIgnoreNewlineTag = makeMap('pre,textarea', true);
var shouldIgnoreFirstNewline = function (tag, html) {
    return tag &amp;&amp; isIgnoreNewlineTag(tag) &amp;&amp; html[0] === '\n';
};
function decodeAttr(value, shouldDecodeNewlines) {
    var re = shouldDecodeNewlines ? encodedAttrWithNewLines : encodedAttr;
    return value.replace(re, function (match) { return decodingMap[match]; });
}
function parseHTML(html, options) {
    var stack = [];
    var expectHTML = options.expectHTML;
    var isUnaryTag = options.isUnaryTag || no;
    var canBeLeftOpenTag = options.canBeLeftOpenTag || no;
    var index = 0;
    var last, lastTag;
    var _loop_1 = function () {
        last = html;
        // Make sure we're not in a plaintext content element like script/style
        if (!lastTag || !isPlainTextElement(lastTag)) {
            var textEnd = html.indexOf('&lt;');
            if (textEnd === 0) {
                // Comment:
                if (comment.test(html)) {
                    var commentEnd = html.indexOf('--&gt;');
                    if (commentEnd &gt;= 0) {
                        if (options.shouldKeepComment &amp;&amp; options.comment) {
                            options.comment(html.substring(4, commentEnd), index, index + commentEnd + 3);
                        }
                        advance(commentEnd + 3);
                        return "continue";
                    }
                }
                // http://en.wikipedia.org/wiki/Conditional_comment#Downlevel-revealed_conditional_comment
                if (conditionalComment.test(html)) {
                    var conditionalEnd = html.indexOf(']&gt;');
                    if (conditionalEnd &gt;= 0) {
                        advance(conditionalEnd + 2);
                        return "continue";
                    }
                }
                // Doctype:
                var doctypeMatch = html.match(doctype);
                if (doctypeMatch) {
                    advance(doctypeMatch[0].length);
                    return "continue";
                }
                // End tag:
                var endTagMatch = html.match(endTag);
                if (endTagMatch) {
                    var curIndex = index;
                    advance(endTagMatch[0].length);
                    parseEndTag(endTagMatch[1], curIndex, index);
                    return "continue";
                }
                // Start tag:
                var startTagMatch = parseStartTag();
                if (startTagMatch) {
                    handleStartTag(startTagMatch);
                    if (shouldIgnoreFirstNewline(startTagMatch.tagName, html)) {
                        advance(1);
                    }
                    return "continue";
                }
            }
            var text = void 0, rest = void 0, next = void 0;
            if (textEnd &gt;= 0) {
                rest = html.slice(textEnd);
                while (!endTag.test(rest) &amp;&amp;
                    !startTagOpen.test(rest) &amp;&amp;
                    !comment.test(rest) &amp;&amp;
                    !conditionalComment.test(rest)) {
                    // &lt; in plain text, be forgiving and treat it as text
                    next = rest.indexOf('&lt;', 1);
                    if (next &lt; 0)
                        break;
                    textEnd += next;
                    rest = html.slice(textEnd);
                }
                text = html.substring(0, textEnd);
            }
            if (textEnd &lt; 0) {
                text = html;
            }
            if (text) {
                advance(text.length);
            }
            if (options.chars &amp;&amp; text) {
                options.chars(text, index - text.length, index);
            }
        }
        else {
            var endTagLength_1 = 0;
            var stackedTag_1 = lastTag.toLowerCase();
            var reStackedTag = reCache[stackedTag_1] ||
                (reCache[stackedTag_1] = new RegExp('([\\s\\S]*?)(&lt;/' + stackedTag_1 + '[^&gt;]*&gt;)', 'i'));
            var rest = html.replace(reStackedTag, function (all, text, endTag) {
                endTagLength_1 = endTag.length;
                if (!isPlainTextElement(stackedTag_1) &amp;&amp; stackedTag_1 !== 'noscript') {
                    text = text
                        .replace(/&lt;!\--([\s\S]*?)--&gt;/g, '$1') // #7298
                        .replace(/&lt;!\[CDATA\[([\s\S]*?)]]&gt;/g, '$1');
                }
                if (shouldIgnoreFirstNewline(stackedTag_1, text)) {
                    text = text.slice(1);
                }
                if (options.chars) {
                    options.chars(text);
                }
                return '';
            });
            index += html.length - rest.length;
            html = rest;
            parseEndTag(stackedTag_1, index - endTagLength_1, index);
        }
        if (html === last) {
            options.chars &amp;&amp; options.chars(html);
            if ( true &amp;&amp; !stack.length &amp;&amp; options.warn) {
                options.warn("Mal-formatted tag at end of template: \"".concat(html, "\""), {
                    start: index + html.length
                });
            }
            return "break";
        }
    };
    while (html) {
        var state_1 = _loop_1();
        if (state_1 === "break")
            break;
    }
    // Clean up any remaining tags
    parseEndTag();
    function advance(n) {
        index += n;
        html = html.substring(n);
    }
    function parseStartTag() {
        var start = html.match(startTagOpen);
        if (start) {
            var match = {
                tagName: start[1],
                attrs: [],
                start: index
            };
            advance(start[0].length);
            var end = void 0, attr = void 0;
            while (!(end = html.match(startTagClose)) &amp;&amp;
                (attr = html.match(dynamicArgAttribute) || html.match(attribute))) {
                attr.start = index;
                advance(attr[0].length);
                attr.end = index;
                match.attrs.push(attr);
            }
            if (end) {
                match.unarySlash = end[1];
                advance(end[0].length);
                match.end = index;
                return match;
            }
        }
    }
    function handleStartTag(match) {
        var tagName = match.tagName;
        var unarySlash = match.unarySlash;
        if (expectHTML) {
            if (lastTag === 'p' &amp;&amp; isNonPhrasingTag(tagName)) {
                parseEndTag(lastTag);
            }
            if (canBeLeftOpenTag(tagName) &amp;&amp; lastTag === tagName) {
                parseEndTag(tagName);
            }
        }
        var unary = isUnaryTag(tagName) || !!unarySlash;
        var l = match.attrs.length;
        var attrs = new Array(l);
        for (var i = 0; i &lt; l; i++) {
            var args = match.attrs[i];
            var value = args[3] || args[4] || args[5] || '';
            var shouldDecodeNewlines = tagName === 'a' &amp;&amp; args[1] === 'href'
                ? options.shouldDecodeNewlinesForHref
                : options.shouldDecodeNewlines;
            attrs[i] = {
                name: args[1],
                value: decodeAttr(value, shouldDecodeNewlines)
            };
            if ( true &amp;&amp; options.outputSourceRange) {
                attrs[i].start = args.start + args[0].match(/^\s*/).length;
                attrs[i].end = args.end;
            }
        }
        if (!unary) {
            stack.push({
                tag: tagName,
                lowerCasedTag: tagName.toLowerCase(),
                attrs: attrs,
                start: match.start,
                end: match.end
            });
            lastTag = tagName;
        }
        if (options.start) {
            options.start(tagName, attrs, unary, match.start, match.end);
        }
    }
    function parseEndTag(tagName, start, end) {
        var pos, lowerCasedTagName;
        if (start == null)
            start = index;
        if (end == null)
            end = index;
        // Find the closest opened tag of the same type
        if (tagName) {
            lowerCasedTagName = tagName.toLowerCase();
            for (pos = stack.length - 1; pos &gt;= 0; pos--) {
                if (stack[pos].lowerCasedTag === lowerCasedTagName) {
                    break;
                }
            }
        }
        else {
            // If no tag name is provided, clean shop
            pos = 0;
        }
        if (pos &gt;= 0) {
            // Close all the open elements, up the stack
            for (var i = stack.length - 1; i &gt;= pos; i--) {
                if ( true &amp;&amp; (i &gt; pos || !tagName) &amp;&amp; options.warn) {
                    options.warn("tag &lt;".concat(stack[i].tag, "&gt; has no matching end tag."), {
                        start: stack[i].start,
                        end: stack[i].end
                    });
                }
                if (options.end) {
                    options.end(stack[i].tag, start, end);
                }
            }
            // Remove the open elements from the stack
            stack.length = pos;
            lastTag = pos &amp;&amp; stack[pos - 1].tag;
        }
        else if (lowerCasedTagName === 'br') {
            if (options.start) {
                options.start(tagName, [], true, start, end);
            }
        }
        else if (lowerCasedTagName === 'p') {
            if (options.start) {
                options.start(tagName, [], false, start, end);
            }
            if (options.end) {
                options.end(tagName, start, end);
            }
        }
    }
}

var onRE = /^@|^v-on:/;
var dirRE = /^v-|^@|^:|^#/;
var forAliasRE = /([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/;
var forIteratorRE = /,([^,\}\]]*)(?:,([^,\}\]]*))?$/;
var stripParensRE = /^\(|\)$/g;
var dynamicArgRE = /^\[.*\]$/;
var argRE = /:(.*)$/;
var bindRE = /^:|^\.|^v-bind:/;
var modifierRE = /\.[^.\]]+(?=[^\]]*$)/g;
var slotRE = /^v-slot(:|$)|^#/;
var lineBreakRE = /[\r\n]/;
var whitespaceRE = /[ \f\t\r\n]+/g;
var invalidAttributeRE = /[\s"'&lt;&gt;\/=]/;
var decodeHTMLCached = cached(he.decode);
var emptySlotScopeToken = "_empty_";
// configurable state
var warn;
var delimiters;
var transforms;
var preTransforms;
var postTransforms;
var platformIsPreTag;
var platformMustUseProp;
var platformGetTagNamespace;
var maybeComponent;
function createASTElement(tag, attrs, parent) {
    return {
        type: 1,
        tag: tag,
        attrsList: attrs,
        attrsMap: makeAttrsMap(attrs),
        rawAttrsMap: {},
        parent: parent,
        children: []
    };
}
/**
 * Convert HTML string to AST.
 */
function parse(template, options) {
    warn = options.warn || baseWarn;
    platformIsPreTag = options.isPreTag || no;
    platformMustUseProp = options.mustUseProp || no;
    platformGetTagNamespace = options.getTagNamespace || no;
    var isReservedTag = options.isReservedTag || no;
    maybeComponent = function (el) {
        return !!(el.component ||
            el.attrsMap[':is'] ||
            el.attrsMap['v-bind:is'] ||
            !(el.attrsMap.is ? isReservedTag(el.attrsMap.is) : isReservedTag(el.tag)));
    };
    transforms = pluckModuleFunction(options.modules, 'transformNode');
    preTransforms = pluckModuleFunction(options.modules, 'preTransformNode');
    postTransforms = pluckModuleFunction(options.modules, 'postTransformNode');
    delimiters = options.delimiters;
    var stack = [];
    var preserveWhitespace = options.preserveWhitespace !== false;
    var whitespaceOption = options.whitespace;
    var root;
    var currentParent;
    var inVPre = false;
    var inPre = false;
    var warned = false;
    function warnOnce(msg, range) {
        if (!warned) {
            warned = true;
            warn(msg, range);
        }
    }
    function closeElement(element) {
        trimEndingWhitespace(element);
        if (!inVPre &amp;&amp; !element.processed) {
            element = processElement(element, options);
        }
        // tree management
        if (!stack.length &amp;&amp; element !== root) {
            // allow root elements with v-if, v-else-if and v-else
            if (root.if &amp;&amp; (element.elseif || element.else)) {
                if (true) {
                    checkRootConstraints(element);
                }
                addIfCondition(root, {
                    exp: element.elseif,
                    block: element
                });
            }
            else if (true) {
                warnOnce("Component template should contain exactly one root element. " +
                    "If you are using v-if on multiple elements, " +
                    "use v-else-if to chain them instead.", { start: element.start });
            }
        }
        if (currentParent &amp;&amp; !element.forbidden) {
            if (element.elseif || element.else) {
                processIfConditions(element, currentParent);
            }
            else {
                if (element.slotScope) {
                    // scoped slot
                    // keep it in the children list so that v-else(-if) conditions can
                    // find it as the prev node.
                    var name_1 = element.slotTarget || '"default"';
                    (currentParent.scopedSlots || (currentParent.scopedSlots = {}))[name_1] = element;
                }
                currentParent.children.push(element);
                element.parent = currentParent;
            }
        }
        // final children cleanup
        // filter out scoped slots
        element.children = element.children.filter(function (c) { return !c.slotScope; });
        // remove trailing whitespace node again
        trimEndingWhitespace(element);
        // check pre state
        if (element.pre) {
            inVPre = false;
        }
        if (platformIsPreTag(element.tag)) {
            inPre = false;
        }
        // apply post-transforms
        for (var i = 0; i &lt; postTransforms.length; i++) {
            postTransforms[i](element, options);
        }
    }
    function trimEndingWhitespace(el) {
        // remove trailing whitespace node
        if (!inPre) {
            var lastNode = void 0;
            while ((lastNode = el.children[el.children.length - 1]) &amp;&amp;
                lastNode.type === 3 &amp;&amp;
                lastNode.text === ' ') {
                el.children.pop();
            }
        }
    }
    function checkRootConstraints(el) {
        if (el.tag === 'slot' || el.tag === 'template') {
            warnOnce("Cannot use &lt;".concat(el.tag, "&gt; as component root element because it may ") +
                'contain multiple nodes.', { start: el.start });
        }
        if (el.attrsMap.hasOwnProperty('v-for')) {
            warnOnce('Cannot use v-for on stateful component root element because ' +
                'it renders multiple elements.', el.rawAttrsMap['v-for']);
        }
    }
    parseHTML(template, {
        warn: warn,
        expectHTML: options.expectHTML,
        isUnaryTag: options.isUnaryTag,
        canBeLeftOpenTag: options.canBeLeftOpenTag,
        shouldDecodeNewlines: options.shouldDecodeNewlines,
        shouldDecodeNewlinesForHref: options.shouldDecodeNewlinesForHref,
        shouldKeepComment: options.comments,
        outputSourceRange: options.outputSourceRange,
        start: function (tag, attrs, unary, start, end) {
            // check namespace.
            // inherit parent ns if there is one
            var ns = (currentParent &amp;&amp; currentParent.ns) || platformGetTagNamespace(tag);
            // handle IE svg bug
            /* istanbul ignore if */
            if (isIE &amp;&amp; ns === 'svg') {
                attrs = guardIESVGBug(attrs);
            }
            var element = createASTElement(tag, attrs, currentParent);
            if (ns) {
                element.ns = ns;
            }
            if (true) {
                if (options.outputSourceRange) {
                    element.start = start;
                    element.end = end;
                    element.rawAttrsMap = element.attrsList.reduce(function (cumulated, attr) {
                        cumulated[attr.name] = attr;
                        return cumulated;
                    }, {});
                }
                attrs.forEach(function (attr) {
                    if (invalidAttributeRE.test(attr.name)) {
                        warn("Invalid dynamic argument expression: attribute names cannot contain " +
                            "spaces, quotes, &lt;, &gt;, / or =.", options.outputSourceRange
                            ? {
                                start: attr.start + attr.name.indexOf("["),
                                end: attr.start + attr.name.length
                            }
                            : undefined);
                    }
                });
            }
            if (isForbiddenTag(element) &amp;&amp; !isServerRendering()) {
                element.forbidden = true;
                 true &amp;&amp;
                    warn('Templates should only be responsible for mapping the state to the ' +
                        'UI. Avoid placing tags with side-effects in your templates, such as ' +
                        "&lt;".concat(tag, "&gt;") +
                        ', as they will not be parsed.', { start: element.start });
            }
            // apply pre-transforms
            for (var i = 0; i &lt; preTransforms.length; i++) {
                element = preTransforms[i](element, options) || element;
            }
            if (!inVPre) {
                processPre(element);
                if (element.pre) {
                    inVPre = true;
                }
            }
            if (platformIsPreTag(element.tag)) {
                inPre = true;
            }
            if (inVPre) {
                processRawAttrs(element);
            }
            else if (!element.processed) {
                // structural directives
                processFor(element);
                processIf(element);
                processOnce(element);
            }
            if (!root) {
                root = element;
                if (true) {
                    checkRootConstraints(root);
                }
            }
            if (!unary) {
                currentParent = element;
                stack.push(element);
            }
            else {
                closeElement(element);
            }
        },
        end: function (tag, start, end) {
            var element = stack[stack.length - 1];
            // pop stack
            stack.length -= 1;
            currentParent = stack[stack.length - 1];
            if ( true &amp;&amp; options.outputSourceRange) {
                element.end = end;
            }
            closeElement(element);
        },
        chars: function (text, start, end) {
            if (!currentParent) {
                if (true) {
                    if (text === template) {
                        warnOnce('Component template requires a root element, rather than just text.', { start: start });
                    }
                    else if ((text = text.trim())) {
                        warnOnce("text \"".concat(text, "\" outside root element will be ignored."), {
                            start: start
                        });
                    }
                }
                return;
            }
            // IE textarea placeholder bug
            /* istanbul ignore if */
            if (isIE &amp;&amp;
                currentParent.tag === 'textarea' &amp;&amp;
                currentParent.attrsMap.placeholder === text) {
                return;
            }
            var children = currentParent.children;
            if (inPre || text.trim()) {
                text = isTextTag(currentParent)
                    ? text
                    : decodeHTMLCached(text);
            }
            else if (!children.length) {
                // remove the whitespace-only node right after an opening tag
                text = '';
            }
            else if (whitespaceOption) {
                if (whitespaceOption === 'condense') {
                    // in condense mode, remove the whitespace node if it contains
                    // line break, otherwise condense to a single space
                    text = lineBreakRE.test(text) ? '' : ' ';
                }
                else {
                    text = ' ';
                }
            }
            else {
                text = preserveWhitespace ? ' ' : '';
            }
            if (text) {
                if (!inPre &amp;&amp; whitespaceOption === 'condense') {
                    // condense consecutive whitespaces into single space
                    text = text.replace(whitespaceRE, ' ');
                }
                var res = void 0;
                var child = void 0;
                if (!inVPre &amp;&amp; text !== ' ' &amp;&amp; (res = parseText(text, delimiters))) {
                    child = {
                        type: 2,
                        expression: res.expression,
                        tokens: res.tokens,
                        text: text
                    };
                }
                else if (text !== ' ' ||
                    !children.length ||
                    children[children.length - 1].text !== ' ') {
                    child = {
                        type: 3,
                        text: text
                    };
                }
                if (child) {
                    if ( true &amp;&amp; options.outputSourceRange) {
                        child.start = start;
                        child.end = end;
                    }
                    children.push(child);
                }
            }
        },
        comment: function (text, start, end) {
            // adding anything as a sibling to the root node is forbidden
            // comments should still be allowed, but ignored
            if (currentParent) {
                var child = {
                    type: 3,
                    text: text,
                    isComment: true
                };
                if ( true &amp;&amp; options.outputSourceRange) {
                    child.start = start;
                    child.end = end;
                }
                currentParent.children.push(child);
            }
        }
    });
    return root;
}
function processPre(el) {
    if (getAndRemoveAttr(el, 'v-pre') != null) {
        el.pre = true;
    }
}
function processRawAttrs(el) {
    var list = el.attrsList;
    var len = list.length;
    if (len) {
        var attrs = (el.attrs = new Array(len));
        for (var i = 0; i &lt; len; i++) {
            attrs[i] = {
                name: list[i].name,
                value: JSON.stringify(list[i].value)
            };
            if (list[i].start != null) {
                attrs[i].start = list[i].start;
                attrs[i].end = list[i].end;
            }
        }
    }
    else if (!el.pre) {
        // non root node in pre blocks with no attributes
        el.plain = true;
    }
}
function processElement(element, options) {
    processKey(element);
    // determine whether this is a plain element after
    // removing structural attributes
    element.plain =
        !element.key &amp;&amp; !element.scopedSlots &amp;&amp; !element.attrsList.length;
    processRef(element);
    processSlotContent(element);
    processSlotOutlet(element);
    processComponent(element);
    for (var i = 0; i &lt; transforms.length; i++) {
        element = transforms[i](element, options) || element;
    }
    processAttrs(element);
    return element;
}
function processKey(el) {
    var exp = getBindingAttr(el, 'key');
    if (exp) {
        if (true) {
            if (el.tag === 'template') {
                warn("&lt;template&gt; cannot be keyed. Place the key on real elements instead.", getRawBindingAttr(el, 'key'));
            }
            if (el.for) {
                var iterator = el.iterator2 || el.iterator1;
                var parent_1 = el.parent;
                if (iterator &amp;&amp;
                    iterator === exp &amp;&amp;
                    parent_1 &amp;&amp;
                    parent_1.tag === 'transition-group') {
                    warn("Do not use v-for index as key on &lt;transition-group&gt; children, " +
                        "this is the same as not using keys.", getRawBindingAttr(el, 'key'), true /* tip */);
                }
            }
        }
        el.key = exp;
    }
}
function processRef(el) {
    var ref = getBindingAttr(el, 'ref');
    if (ref) {
        el.ref = ref;
        el.refInFor = checkInFor(el);
    }
}
function processFor(el) {
    var exp;
    if ((exp = getAndRemoveAttr(el, 'v-for'))) {
        var res = parseFor(exp);
        if (res) {
            extend(el, res);
        }
        else if (true) {
            warn("Invalid v-for expression: ".concat(exp), el.rawAttrsMap['v-for']);
        }
    }
}
function parseFor(exp) {
    var inMatch = exp.match(forAliasRE);
    if (!inMatch)
        return;
    var res = {};
    res.for = inMatch[2].trim();
    var alias = inMatch[1].trim().replace(stripParensRE, '');
    var iteratorMatch = alias.match(forIteratorRE);
    if (iteratorMatch) {
        res.alias = alias.replace(forIteratorRE, '').trim();
        res.iterator1 = iteratorMatch[1].trim();
        if (iteratorMatch[2]) {
            res.iterator2 = iteratorMatch[2].trim();
        }
    }
    else {
        res.alias = alias;
    }
    return res;
}
function processIf(el) {
    var exp = getAndRemoveAttr(el, 'v-if');
    if (exp) {
        el.if = exp;
        addIfCondition(el, {
            exp: exp,
            block: el
        });
    }
    else {
        if (getAndRemoveAttr(el, 'v-else') != null) {
            el.else = true;
        }
        var elseif = getAndRemoveAttr(el, 'v-else-if');
        if (elseif) {
            el.elseif = elseif;
        }
    }
}
function processIfConditions(el, parent) {
    var prev = findPrevElement(parent.children);
    if (prev &amp;&amp; prev.if) {
        addIfCondition(prev, {
            exp: el.elseif,
            block: el
        });
    }
    else if (true) {
        warn("v-".concat(el.elseif ? 'else-if="' + el.elseif + '"' : 'else', " ") +
            "used on element &lt;".concat(el.tag, "&gt; without corresponding v-if."), el.rawAttrsMap[el.elseif ? 'v-else-if' : 'v-else']);
    }
}
function findPrevElement(children) {
    var i = children.length;
    while (i--) {
        if (children[i].type === 1) {
            return children[i];
        }
        else {
            if ( true &amp;&amp; children[i].text !== ' ') {
                warn("text \"".concat(children[i].text.trim(), "\" between v-if and v-else(-if) ") +
                    "will be ignored.", children[i]);
            }
            children.pop();
        }
    }
}
function addIfCondition(el, condition) {
    if (!el.ifConditions) {
        el.ifConditions = [];
    }
    el.ifConditions.push(condition);
}
function processOnce(el) {
    var once = getAndRemoveAttr(el, 'v-once');
    if (once != null) {
        el.once = true;
    }
}
// handle content being passed to a component as slot,
// e.g. &lt;template slot="xxx"&gt;, &lt;div slot-scope="xxx"&gt;
function processSlotContent(el) {
    var slotScope;
    if (el.tag === 'template') {
        slotScope = getAndRemoveAttr(el, 'scope');
        /* istanbul ignore if */
        if ( true &amp;&amp; slotScope) {
            warn("the \"scope\" attribute for scoped slots have been deprecated and " +
                "replaced by \"slot-scope\" since 2.5. The new \"slot-scope\" attribute " +
                "can also be used on plain elements in addition to &lt;template&gt; to " +
                "denote scoped slots.", el.rawAttrsMap['scope'], true);
        }
        el.slotScope = slotScope || getAndRemoveAttr(el, 'slot-scope');
    }
    else if ((slotScope = getAndRemoveAttr(el, 'slot-scope'))) {
        /* istanbul ignore if */
        if ( true &amp;&amp; el.attrsMap['v-for']) {
            warn("Ambiguous combined usage of slot-scope and v-for on &lt;".concat(el.tag, "&gt; ") +
                "(v-for takes higher priority). Use a wrapper &lt;template&gt; for the " +
                "scoped slot to make it clearer.", el.rawAttrsMap['slot-scope'], true);
        }
        el.slotScope = slotScope;
    }
    // slot="xxx"
    var slotTarget = getBindingAttr(el, 'slot');
    if (slotTarget) {
        el.slotTarget = slotTarget === '""' ? '"default"' : slotTarget;
        el.slotTargetDynamic = !!(el.attrsMap[':slot'] || el.attrsMap['v-bind:slot']);
        // preserve slot as an attribute for native shadow DOM compat
        // only for non-scoped slots.
        if (el.tag !== 'template' &amp;&amp; !el.slotScope) {
            addAttr(el, 'slot', slotTarget, getRawBindingAttr(el, 'slot'));
        }
    }
    // 2.6 v-slot syntax
    {
        if (el.tag === 'template') {
            // v-slot on &lt;template&gt;
            var slotBinding = getAndRemoveAttrByRegex(el, slotRE);
            if (slotBinding) {
                if (true) {
                    if (el.slotTarget || el.slotScope) {
                        warn("Unexpected mixed usage of different slot syntaxes.", el);
                    }
                    if (el.parent &amp;&amp; !maybeComponent(el.parent)) {
                        warn("&lt;template v-slot&gt; can only appear at the root level inside " +
                            "the receiving component", el);
                    }
                }
                var _a = getSlotName(slotBinding), name_2 = _a.name, dynamic = _a.dynamic;
                el.slotTarget = name_2;
                el.slotTargetDynamic = dynamic;
                el.slotScope = slotBinding.value || emptySlotScopeToken; // force it into a scoped slot for perf
            }
        }
        else {
            // v-slot on component, denotes default slot
            var slotBinding = getAndRemoveAttrByRegex(el, slotRE);
            if (slotBinding) {
                if (true) {
                    if (!maybeComponent(el)) {
                        warn("v-slot can only be used on components or &lt;template&gt;.", slotBinding);
                    }
                    if (el.slotScope || el.slotTarget) {
                        warn("Unexpected mixed usage of different slot syntaxes.", el);
                    }
                    if (el.scopedSlots) {
                        warn("To avoid scope ambiguity, the default slot should also use " +
                            "&lt;template&gt; syntax when there are other named slots.", slotBinding);
                    }
                }
                // add the component's children to its default slot
                var slots = el.scopedSlots || (el.scopedSlots = {});
                var _b = getSlotName(slotBinding), name_3 = _b.name, dynamic = _b.dynamic;
                var slotContainer_1 = (slots[name_3] = createASTElement('template', [], el));
                slotContainer_1.slotTarget = name_3;
                slotContainer_1.slotTargetDynamic = dynamic;
                slotContainer_1.children = el.children.filter(function (c) {
                    if (!c.slotScope) {
                        c.parent = slotContainer_1;
                        return true;
                    }
                });
                slotContainer_1.slotScope = slotBinding.value || emptySlotScopeToken;
                // remove children as they are returned from scopedSlots now
                el.children = [];
                // mark el non-plain so data gets generated
                el.plain = false;
            }
        }
    }
}
function getSlotName(binding) {
    var name = binding.name.replace(slotRE, '');
    if (!name) {
        if (binding.name[0] !== '#') {
            name = 'default';
        }
        else if (true) {
            warn("v-slot shorthand syntax requires a slot name.", binding);
        }
    }
    return dynamicArgRE.test(name)
        ? // dynamic [name]
            { name: name.slice(1, -1), dynamic: true }
        : // static name
            { name: "\"".concat(name, "\""), dynamic: false };
}
// handle &lt;slot/&gt; outlets
function processSlotOutlet(el) {
    if (el.tag === 'slot') {
        el.slotName = getBindingAttr(el, 'name');
        if ( true &amp;&amp; el.key) {
            warn("`key` does not work on &lt;slot&gt; because slots are abstract outlets " +
                "and can possibly expand into multiple elements. " +
                "Use the key on a wrapping element instead.", getRawBindingAttr(el, 'key'));
        }
    }
}
function processComponent(el) {
    var binding;
    if ((binding = getBindingAttr(el, 'is'))) {
        el.component = binding;
    }
    if (getAndRemoveAttr(el, 'inline-template') != null) {
        el.inlineTemplate = true;
    }
}
function processAttrs(el) {
    var list = el.attrsList;
    var i, l, name, rawName, value, modifiers, syncGen, isDynamic;
    for (i = 0, l = list.length; i &lt; l; i++) {
        name = rawName = list[i].name;
        value = list[i].value;
        if (dirRE.test(name)) {
            // mark element as dynamic
            el.hasBindings = true;
            // modifiers
            modifiers = parseModifiers(name.replace(dirRE, ''));
            // support .foo shorthand syntax for the .prop modifier
            if (modifiers) {
                name = name.replace(modifierRE, '');
            }
            if (bindRE.test(name)) {
                // v-bind
                name = name.replace(bindRE, '');
                value = parseFilters(value);
                isDynamic = dynamicArgRE.test(name);
                if (isDynamic) {
                    name = name.slice(1, -1);
                }
                if ( true &amp;&amp; value.trim().length === 0) {
                    warn("The value for a v-bind expression cannot be empty. Found in \"v-bind:".concat(name, "\""));
                }
                if (modifiers) {
                    if (modifiers.prop &amp;&amp; !isDynamic) {
                        name = camelize(name);
                        if (name === 'innerHtml')
                            name = 'innerHTML';
                    }
                    if (modifiers.camel &amp;&amp; !isDynamic) {
                        name = camelize(name);
                    }
                    if (modifiers.sync) {
                        syncGen = genAssignmentCode(value, "$event");
                        if (!isDynamic) {
                            addHandler(el, "update:".concat(camelize(name)), syncGen, null, false, warn, list[i]);
                            if (hyphenate(name) !== camelize(name)) {
                                addHandler(el, "update:".concat(hyphenate(name)), syncGen, null, false, warn, list[i]);
                            }
                        }
                        else {
                            // handler w/ dynamic event name
                            addHandler(el, "\"update:\"+(".concat(name, ")"), syncGen, null, false, warn, list[i], true // dynamic
                            );
                        }
                    }
                }
                if ((modifiers &amp;&amp; modifiers.prop) ||
                    (!el.component &amp;&amp; platformMustUseProp(el.tag, el.attrsMap.type, name))) {
                    addProp(el, name, value, list[i], isDynamic);
                }
                else {
                    addAttr(el, name, value, list[i], isDynamic);
                }
            }
            else if (onRE.test(name)) {
                // v-on
                name = name.replace(onRE, '');
                isDynamic = dynamicArgRE.test(name);
                if (isDynamic) {
                    name = name.slice(1, -1);
                }
                addHandler(el, name, value, modifiers, false, warn, list[i], isDynamic);
            }
            else {
                // normal directives
                name = name.replace(dirRE, '');
                // parse arg
                var argMatch = name.match(argRE);
                var arg = argMatch &amp;&amp; argMatch[1];
                isDynamic = false;
                if (arg) {
                    name = name.slice(0, -(arg.length + 1));
                    if (dynamicArgRE.test(arg)) {
                        arg = arg.slice(1, -1);
                        isDynamic = true;
                    }
                }
                addDirective(el, name, rawName, value, arg, isDynamic, modifiers, list[i]);
                if ( true &amp;&amp; name === 'model') {
                    checkForAliasModel(el, value);
                }
            }
        }
        else {
            // literal attribute
            if (true) {
                var res = parseText(value, delimiters);
                if (res) {
                    warn("".concat(name, "=\"").concat(value, "\": ") +
                        'Interpolation inside attributes has been removed. ' +
                        'Use v-bind or the colon shorthand instead. For example, ' +
                        'instead of &lt;div id="{{ val }}"&gt;, use &lt;div :id="val"&gt;.', list[i]);
                }
            }
            addAttr(el, name, JSON.stringify(value), list[i]);
            // #6887 firefox doesn't update muted state if set via attribute
            // even immediately after element creation
            if (!el.component &amp;&amp;
                name === 'muted' &amp;&amp;
                platformMustUseProp(el.tag, el.attrsMap.type, name)) {
                addProp(el, name, 'true', list[i]);
            }
        }
    }
}
function checkInFor(el) {
    var parent = el;
    while (parent) {
        if (parent.for !== undefined) {
            return true;
        }
        parent = parent.parent;
    }
    return false;
}
function parseModifiers(name) {
    var match = name.match(modifierRE);
    if (match) {
        var ret_1 = {};
        match.forEach(function (m) {
            ret_1[m.slice(1)] = true;
        });
        return ret_1;
    }
}
function makeAttrsMap(attrs) {
    var map = {};
    for (var i = 0, l = attrs.length; i &lt; l; i++) {
        if ( true &amp;&amp; map[attrs[i].name] &amp;&amp; !isIE &amp;&amp; !isEdge) {
            warn('duplicate attribute: ' + attrs[i].name, attrs[i]);
        }
        map[attrs[i].name] = attrs[i].value;
    }
    return map;
}
// for script (e.g. type="x/template") or style, do not decode content
function isTextTag(el) {
    return el.tag === 'script' || el.tag === 'style';
}
function isForbiddenTag(el) {
    return (el.tag === 'style' ||
        (el.tag === 'script' &amp;&amp;
            (!el.attrsMap.type || el.attrsMap.type === 'text/javascript')));
}
var ieNSBug = /^xmlns:NS\d+/;
var ieNSPrefix = /^NS\d+:/;
/* istanbul ignore next */
function guardIESVGBug(attrs) {
    var res = [];
    for (var i = 0; i &lt; attrs.length; i++) {
        var attr = attrs[i];
        if (!ieNSBug.test(attr.name)) {
            attr.name = attr.name.replace(ieNSPrefix, '');
            res.push(attr);
        }
    }
    return res;
}
function checkForAliasModel(el, value) {
    var _el = el;
    while (_el) {
        if (_el.for &amp;&amp; _el.alias === value) {
            warn("&lt;".concat(el.tag, " v-model=\"").concat(value, "\"&gt;: ") +
                "You are binding v-model directly to a v-for iteration alias. " +
                "This will not be able to modify the v-for source array because " +
                "writing to the alias is like modifying a function local variable. " +
                "Consider using an array of objects and use v-model on an object property instead.", el.rawAttrsMap['v-model']);
        }
        _el = _el.parent;
    }
}

/**
 * Expand input[v-model] with dynamic type bindings into v-if-else chains
 * Turn this:
 *   &lt;input v-model="data[type]" :type="type"&gt;
 * into this:
 *   &lt;input v-if="type === 'checkbox'" type="checkbox" v-model="data[type]"&gt;
 *   &lt;input v-else-if="type === 'radio'" type="radio" v-model="data[type]"&gt;
 *   &lt;input v-else :type="type" v-model="data[type]"&gt;
 */
function preTransformNode(el, options) {
    if (el.tag === 'input') {
        var map = el.attrsMap;
        if (!map['v-model']) {
            return;
        }
        var typeBinding = void 0;
        if (map[':type'] || map['v-bind:type']) {
            typeBinding = getBindingAttr(el, 'type');
        }
        if (!map.type &amp;&amp; !typeBinding &amp;&amp; map['v-bind']) {
            typeBinding = "(".concat(map['v-bind'], ").type");
        }
        if (typeBinding) {
            var ifCondition = getAndRemoveAttr(el, 'v-if', true);
            var ifConditionExtra = ifCondition ? "&amp;&amp;(".concat(ifCondition, ")") : "";
            var hasElse = getAndRemoveAttr(el, 'v-else', true) != null;
            var elseIfCondition = getAndRemoveAttr(el, 'v-else-if', true);
            // 1. checkbox
            var branch0 = cloneASTElement(el);
            // process for on the main node
            processFor(branch0);
            addRawAttr(branch0, 'type', 'checkbox');
            processElement(branch0, options);
            branch0.processed = true; // prevent it from double-processed
            branch0.if = "(".concat(typeBinding, ")==='checkbox'") + ifConditionExtra;
            addIfCondition(branch0, {
                exp: branch0.if,
                block: branch0
            });
            // 2. add radio else-if condition
            var branch1 = cloneASTElement(el);
            getAndRemoveAttr(branch1, 'v-for', true);
            addRawAttr(branch1, 'type', 'radio');
            processElement(branch1, options);
            addIfCondition(branch0, {
                exp: "(".concat(typeBinding, ")==='radio'") + ifConditionExtra,
                block: branch1
            });
            // 3. other
            var branch2 = cloneASTElement(el);
            getAndRemoveAttr(branch2, 'v-for', true);
            addRawAttr(branch2, ':type', typeBinding);
            processElement(branch2, options);
            addIfCondition(branch0, {
                exp: ifCondition,
                block: branch2
            });
            if (hasElse) {
                branch0.else = true;
            }
            else if (elseIfCondition) {
                branch0.elseif = elseIfCondition;
            }
            return branch0;
        }
    }
}
function cloneASTElement(el) {
    return createASTElement(el.tag, el.attrsList.slice(), el.parent);
}
var model = {
    preTransformNode: preTransformNode
};

var modules = [klass, style, model];

function text(el, dir) {
    if (dir.value) {
        addProp(el, 'textContent', "_s(".concat(dir.value, ")"), dir);
    }
}

function html(el, dir) {
    if (dir.value) {
        addProp(el, 'innerHTML', "_s(".concat(dir.value, ")"), dir);
    }
}

var directives = {
    model: model$1,
    text: text,
    html: html
};

var baseOptions = {
    expectHTML: true,
    modules: modules,
    directives: directives,
    isPreTag: isPreTag,
    isUnaryTag: isUnaryTag,
    mustUseProp: mustUseProp,
    canBeLeftOpenTag: canBeLeftOpenTag,
    isReservedTag: isReservedTag,
    getTagNamespace: getTagNamespace,
    staticKeys: genStaticKeys$1(modules)
};

var isStaticKey;
var isPlatformReservedTag;
var genStaticKeysCached = cached(genStaticKeys);
/**
 * Goal of the optimizer: walk the generated template AST tree
 * and detect sub-trees that are purely static, i.e. parts of
 * the DOM that never needs to change.
 *
 * Once we detect these sub-trees, we can:
 *
 * 1. Hoist them into constants, so that we no longer need to
 *    create fresh nodes for them on each re-render;
 * 2. Completely skip them in the patching process.
 */
function optimize(root, options) {
    if (!root)
        return;
    isStaticKey = genStaticKeysCached(options.staticKeys || '');
    isPlatformReservedTag = options.isReservedTag || no;
    // first pass: mark all non-static nodes.
    markStatic(root);
    // second pass: mark static roots.
    markStaticRoots(root, false);
}
function genStaticKeys(keys) {
    return makeMap('type,tag,attrsList,attrsMap,plain,parent,children,attrs,start,end,rawAttrsMap' +
        (keys ? ',' + keys : ''));
}
function markStatic(node) {
    node.static = isStatic(node);
    if (node.type === 1) {
        // do not make component slot content static. this avoids
        // 1. components not able to mutate slot nodes
        // 2. static slot content fails for hot-reloading
        if (!isPlatformReservedTag(node.tag) &amp;&amp;
            node.tag !== 'slot' &amp;&amp;
            node.attrsMap['inline-template'] == null) {
            return;
        }
        for (var i = 0, l = node.children.length; i &lt; l; i++) {
            var child = node.children[i];
            markStatic(child);
            if (!child.static) {
                node.static = false;
            }
        }
        if (node.ifConditions) {
            for (var i = 1, l = node.ifConditions.length; i &lt; l; i++) {
                var block = node.ifConditions[i].block;
                markStatic(block);
                if (!block.static) {
                    node.static = false;
                }
            }
        }
    }
}
function markStaticRoots(node, isInFor) {
    if (node.type === 1) {
        if (node.static || node.once) {
            node.staticInFor = isInFor;
        }
        // For a node to qualify as a static root, it should have children that
        // are not just static text. Otherwise the cost of hoisting out will
        // outweigh the benefits and it's better off to just always render it fresh.
        if (node.static &amp;&amp;
            node.children.length &amp;&amp;
            !(node.children.length === 1 &amp;&amp; node.children[0].type === 3)) {
            node.staticRoot = true;
            return;
        }
        else {
            node.staticRoot = false;
        }
        if (node.children) {
            for (var i = 0, l = node.children.length; i &lt; l; i++) {
                markStaticRoots(node.children[i], isInFor || !!node.for);
            }
        }
        if (node.ifConditions) {
            for (var i = 1, l = node.ifConditions.length; i &lt; l; i++) {
                markStaticRoots(node.ifConditions[i].block, isInFor);
            }
        }
    }
}
function isStatic(node) {
    if (node.type === 2) {
        // expression
        return false;
    }
    if (node.type === 3) {
        // text
        return true;
    }
    return !!(node.pre ||
        (!node.hasBindings &amp;&amp; // no dynamic bindings
            !node.if &amp;&amp;
            !node.for &amp;&amp; // not v-if or v-for or v-else
            !isBuiltInTag(node.tag) &amp;&amp; // not a built-in
            isPlatformReservedTag(node.tag) &amp;&amp; // not a component
            !isDirectChildOfTemplateFor(node) &amp;&amp;
            Object.keys(node).every(isStaticKey)));
}
function isDirectChildOfTemplateFor(node) {
    while (node.parent) {
        node = node.parent;
        if (node.tag !== 'template') {
            return false;
        }
        if (node.for) {
            return true;
        }
    }
    return false;
}

var fnExpRE = /^([\w$_]+|\([^)]*?\))\s*=&gt;|^function(?:\s+[\w$]+)?\s*\(/;
var fnInvokeRE = /\([^)]*?\);*$/;
var simplePathRE = /^[A-Za-z_$][\w$]*(?:\.[A-Za-z_$][\w$]*|\['[^']*?']|\["[^"]*?"]|\[\d+]|\[[A-Za-z_$][\w$]*])*$/;
// KeyboardEvent.keyCode aliases
var keyCodes = {
    esc: 27,
    tab: 9,
    enter: 13,
    space: 32,
    up: 38,
    left: 37,
    right: 39,
    down: 40,
    delete: [8, 46]
};
// KeyboardEvent.key aliases
var keyNames = {
    // #7880: IE11 and Edge use `Esc` for Escape key name.
    esc: ['Esc', 'Escape'],
    tab: 'Tab',
    enter: 'Enter',
    // #9112: IE11 uses `Spacebar` for Space key name.
    space: [' ', 'Spacebar'],
    // #7806: IE11 uses key names without `Arrow` prefix for arrow keys.
    up: ['Up', 'ArrowUp'],
    left: ['Left', 'ArrowLeft'],
    right: ['Right', 'ArrowRight'],
    down: ['Down', 'ArrowDown'],
    // #9112: IE11 uses `Del` for Delete key name.
    delete: ['Backspace', 'Delete', 'Del']
};
// #4868: modifiers that prevent the execution of the listener
// need to explicitly return null so that we can determine whether to remove
// the listener for .once
var genGuard = function (condition) { return "if(".concat(condition, ")return null;"); };
var modifierCode = {
    stop: '$event.stopPropagation();',
    prevent: '$event.preventDefault();',
    self: genGuard("$event.target !== $event.currentTarget"),
    ctrl: genGuard("!$event.ctrlKey"),
    shift: genGuard("!$event.shiftKey"),
    alt: genGuard("!$event.altKey"),
    meta: genGuard("!$event.metaKey"),
    left: genGuard("'button' in $event &amp;&amp; $event.button !== 0"),
    middle: genGuard("'button' in $event &amp;&amp; $event.button !== 1"),
    right: genGuard("'button' in $event &amp;&amp; $event.button !== 2")
};
function genHandlers(events, isNative) {
    var prefix = isNative ? 'nativeOn:' : 'on:';
    var staticHandlers = "";
    var dynamicHandlers = "";
    for (var name_1 in events) {
        var handlerCode = genHandler(events[name_1]);
        //@ts-expect-error
        if (events[name_1] &amp;&amp; events[name_1].dynamic) {
            dynamicHandlers += "".concat(name_1, ",").concat(handlerCode, ",");
        }
        else {
            staticHandlers += "\"".concat(name_1, "\":").concat(handlerCode, ",");
        }
    }
    staticHandlers = "{".concat(staticHandlers.slice(0, -1), "}");
    if (dynamicHandlers) {
        return prefix + "_d(".concat(staticHandlers, ",[").concat(dynamicHandlers.slice(0, -1), "])");
    }
    else {
        return prefix + staticHandlers;
    }
}
function genHandler(handler) {
    if (!handler) {
        return 'function(){}';
    }
    if (Array.isArray(handler)) {
        return "[".concat(handler.map(function (handler) { return genHandler(handler); }).join(','), "]");
    }
    var isMethodPath = simplePathRE.test(handler.value);
    var isFunctionExpression = fnExpRE.test(handler.value);
    var isFunctionInvocation = simplePathRE.test(handler.value.replace(fnInvokeRE, ''));
    if (!handler.modifiers) {
        if (isMethodPath || isFunctionExpression) {
            return handler.value;
        }
        return "function($event){".concat(isFunctionInvocation ? "return ".concat(handler.value) : handler.value, "}"); // inline statement
    }
    else {
        var code = '';
        var genModifierCode = '';
        var keys = [];
        var _loop_1 = function (key) {
            if (modifierCode[key]) {
                genModifierCode += modifierCode[key];
                // left/right
                if (keyCodes[key]) {
                    keys.push(key);
                }
            }
            else if (key === 'exact') {
                var modifiers_1 = handler.modifiers;
                genModifierCode += genGuard(['ctrl', 'shift', 'alt', 'meta']
                    .filter(function (keyModifier) { return !modifiers_1[keyModifier]; })
                    .map(function (keyModifier) { return "$event.".concat(keyModifier, "Key"); })
                    .join('||'));
            }
            else {
                keys.push(key);
            }
        };
        for (var key in handler.modifiers) {
            _loop_1(key);
        }
        if (keys.length) {
            code += genKeyFilter(keys);
        }
        // Make sure modifiers like prevent and stop get executed after key filtering
        if (genModifierCode) {
            code += genModifierCode;
        }
        var handlerCode = isMethodPath
            ? "return ".concat(handler.value, ".apply(null, arguments)")
            : isFunctionExpression
                ? "return (".concat(handler.value, ").apply(null, arguments)")
                : isFunctionInvocation
                    ? "return ".concat(handler.value)
                    : handler.value;
        return "function($event){".concat(code).concat(handlerCode, "}");
    }
}
function genKeyFilter(keys) {
    return (
    // make sure the key filters only apply to KeyboardEvents
    // #9441: can't use 'keyCode' in $event because Chrome autofill fires fake
    // key events that do not have keyCode property...
    "if(!$event.type.indexOf('key')&amp;&amp;" +
        "".concat(keys.map(genFilterCode).join('&amp;&amp;'), ")return null;"));
}
function genFilterCode(key) {
    var keyVal = parseInt(key, 10);
    if (keyVal) {
        return "$event.keyCode!==".concat(keyVal);
    }
    var keyCode = keyCodes[key];
    var keyName = keyNames[key];
    return ("_k($event.keyCode," +
        "".concat(JSON.stringify(key), ",") +
        "".concat(JSON.stringify(keyCode), ",") +
        "$event.key," +
        "".concat(JSON.stringify(keyName)) +
        ")");
}

function on(el, dir) {
    if ( true &amp;&amp; dir.modifiers) {
        warn$2("v-on without argument does not support modifiers.");
    }
    el.wrapListeners = function (code) { return "_g(".concat(code, ",").concat(dir.value, ")"); };
}

function bind(el, dir) {
    el.wrapData = function (code) {
        return "_b(".concat(code, ",'").concat(el.tag, "',").concat(dir.value, ",").concat(dir.modifiers &amp;&amp; dir.modifiers.prop ? 'true' : 'false').concat(dir.modifiers &amp;&amp; dir.modifiers.sync ? ',true' : '', ")");
    };
}

var baseDirectives = {
    on: on,
    bind: bind,
    cloak: noop
};

var CodegenState = /** @class */ (function () {
    function CodegenState(options) {
        this.options = options;
        this.warn = options.warn || baseWarn;
        this.transforms = pluckModuleFunction(options.modules, 'transformCode');
        this.dataGenFns = pluckModuleFunction(options.modules, 'genData');
        this.directives = extend(extend({}, baseDirectives), options.directives);
        var isReservedTag = options.isReservedTag || no;
        this.maybeComponent = function (el) {
            return !!el.component || !isReservedTag(el.tag);
        };
        this.onceId = 0;
        this.staticRenderFns = [];
        this.pre = false;
    }
    return CodegenState;
}());
function generate(ast, options) {
    var state = new CodegenState(options);
    // fix #11483, Root level &lt;script&gt; tags should not be rendered.
    var code = ast
        ? ast.tag === 'script'
            ? 'null'
            : genElement(ast, state)
        : '_c("div")';
    return {
        render: "with(this){return ".concat(code, "}"),
        staticRenderFns: state.staticRenderFns
    };
}
function genElement(el, state) {
    if (el.parent) {
        el.pre = el.pre || el.parent.pre;
    }
    if (el.staticRoot &amp;&amp; !el.staticProcessed) {
        return genStatic(el, state);
    }
    else if (el.once &amp;&amp; !el.onceProcessed) {
        return genOnce(el, state);
    }
    else if (el.for &amp;&amp; !el.forProcessed) {
        return genFor(el, state);
    }
    else if (el.if &amp;&amp; !el.ifProcessed) {
        return genIf(el, state);
    }
    else if (el.tag === 'template' &amp;&amp; !el.slotTarget &amp;&amp; !state.pre) {
        return genChildren(el, state) || 'void 0';
    }
    else if (el.tag === 'slot') {
        return genSlot(el, state);
    }
    else {
        // component or element
        var code = void 0;
        if (el.component) {
            code = genComponent(el.component, el, state);
        }
        else {
            var data = void 0;
            var maybeComponent = state.maybeComponent(el);
            if (!el.plain || (el.pre &amp;&amp; maybeComponent)) {
                data = genData(el, state);
            }
            var tag 
            // check if this is a component in &lt;script setup&gt;
            = void 0;
            // check if this is a component in &lt;script setup&gt;
            var bindings = state.options.bindings;
            if (maybeComponent &amp;&amp; bindings &amp;&amp; bindings.__isScriptSetup !== false) {
                tag = checkBindingType(bindings, el.tag);
            }
            if (!tag)
                tag = "'".concat(el.tag, "'");
            var children = el.inlineTemplate ? null : genChildren(el, state, true);
            code = "_c(".concat(tag).concat(data ? ",".concat(data) : '' // data
            ).concat(children ? ",".concat(children) : '' // children
            , ")");
        }
        // module transforms
        for (var i = 0; i &lt; state.transforms.length; i++) {
            code = state.transforms[i](el, code);
        }
        return code;
    }
}
function checkBindingType(bindings, key) {
    var camelName = camelize(key);
    var PascalName = capitalize(camelName);
    var checkType = function (type) {
        if (bindings[key] === type) {
            return key;
        }
        if (bindings[camelName] === type) {
            return camelName;
        }
        if (bindings[PascalName] === type) {
            return PascalName;
        }
    };
    var fromConst = checkType("setup-const" /* BindingTypes.SETUP_CONST */) ||
        checkType("setup-reactive-const" /* BindingTypes.SETUP_REACTIVE_CONST */);
    if (fromConst) {
        return fromConst;
    }
    var fromMaybeRef = checkType("setup-let" /* BindingTypes.SETUP_LET */) ||
        checkType("setup-ref" /* BindingTypes.SETUP_REF */) ||
        checkType("setup-maybe-ref" /* BindingTypes.SETUP_MAYBE_REF */);
    if (fromMaybeRef) {
        return fromMaybeRef;
    }
}
// hoist static sub-trees out
function genStatic(el, state) {
    el.staticProcessed = true;
    // Some elements (templates) need to behave differently inside of a v-pre
    // node.  All pre nodes are static roots, so we can use this as a location to
    // wrap a state change and reset it upon exiting the pre node.
    var originalPreState = state.pre;
    if (el.pre) {
        state.pre = el.pre;
    }
    state.staticRenderFns.push("with(this){return ".concat(genElement(el, state), "}"));
    state.pre = originalPreState;
    return "_m(".concat(state.staticRenderFns.length - 1).concat(el.staticInFor ? ',true' : '', ")");
}
// v-once
function genOnce(el, state) {
    el.onceProcessed = true;
    if (el.if &amp;&amp; !el.ifProcessed) {
        return genIf(el, state);
    }
    else if (el.staticInFor) {
        var key = '';
        var parent_1 = el.parent;
        while (parent_1) {
            if (parent_1.for) {
                key = parent_1.key;
                break;
            }
            parent_1 = parent_1.parent;
        }
        if (!key) {
             true &amp;&amp;
                state.warn("v-once can only be used inside v-for that is keyed. ", el.rawAttrsMap['v-once']);
            return genElement(el, state);
        }
        return "_o(".concat(genElement(el, state), ",").concat(state.onceId++, ",").concat(key, ")");
    }
    else {
        return genStatic(el, state);
    }
}
function genIf(el, state, altGen, altEmpty) {
    el.ifProcessed = true; // avoid recursion
    return genIfConditions(el.ifConditions.slice(), state, altGen, altEmpty);
}
function genIfConditions(conditions, state, altGen, altEmpty) {
    if (!conditions.length) {
        return altEmpty || '_e()';
    }
    var condition = conditions.shift();
    if (condition.exp) {
        return "(".concat(condition.exp, ")?").concat(genTernaryExp(condition.block), ":").concat(genIfConditions(conditions, state, altGen, altEmpty));
    }
    else {
        return "".concat(genTernaryExp(condition.block));
    }
    // v-if with v-once should generate code like (a)?_m(0):_m(1)
    function genTernaryExp(el) {
        return altGen
            ? altGen(el, state)
            : el.once
                ? genOnce(el, state)
                : genElement(el, state);
    }
}
function genFor(el, state, altGen, altHelper) {
    var exp = el.for;
    var alias = el.alias;
    var iterator1 = el.iterator1 ? ",".concat(el.iterator1) : '';
    var iterator2 = el.iterator2 ? ",".concat(el.iterator2) : '';
    if ( true &amp;&amp;
        state.maybeComponent(el) &amp;&amp;
        el.tag !== 'slot' &amp;&amp;
        el.tag !== 'template' &amp;&amp;
        !el.key) {
        state.warn("&lt;".concat(el.tag, " v-for=\"").concat(alias, " in ").concat(exp, "\"&gt;: component lists rendered with ") +
            "v-for should have explicit keys. " +
            "See https://v2.vuejs.org/v2/guide/list.html#key for more info.", el.rawAttrsMap['v-for'], true /* tip */);
    }
    el.forProcessed = true; // avoid recursion
    return ("".concat(altHelper || '_l', "((").concat(exp, "),") +
        "function(".concat(alias).concat(iterator1).concat(iterator2, "){") +
        "return ".concat((altGen || genElement)(el, state)) +
        '})');
}
function genData(el, state) {
    var data = '{';
    // directives first.
    // directives may mutate the el's other properties before they are generated.
    var dirs = genDirectives(el, state);
    if (dirs)
        data += dirs + ',';
    // key
    if (el.key) {
        data += "key:".concat(el.key, ",");
    }
    // ref
    if (el.ref) {
        data += "ref:".concat(el.ref, ",");
    }
    if (el.refInFor) {
        data += "refInFor:true,";
    }
    // pre
    if (el.pre) {
        data += "pre:true,";
    }
    // record original tag name for components using "is" attribute
    if (el.component) {
        data += "tag:\"".concat(el.tag, "\",");
    }
    // module data generation functions
    for (var i = 0; i &lt; state.dataGenFns.length; i++) {
        data += state.dataGenFns[i](el);
    }
    // attributes
    if (el.attrs) {
        data += "attrs:".concat(genProps(el.attrs), ",");
    }
    // DOM props
    if (el.props) {
        data += "domProps:".concat(genProps(el.props), ",");
    }
    // event handlers
    if (el.events) {
        data += "".concat(genHandlers(el.events, false), ",");
    }
    if (el.nativeEvents) {
        data += "".concat(genHandlers(el.nativeEvents, true), ",");
    }
    // slot target
    // only for non-scoped slots
    if (el.slotTarget &amp;&amp; !el.slotScope) {
        data += "slot:".concat(el.slotTarget, ",");
    }
    // scoped slots
    if (el.scopedSlots) {
        data += "".concat(genScopedSlots(el, el.scopedSlots, state), ",");
    }
    // component v-model
    if (el.model) {
        data += "model:{value:".concat(el.model.value, ",callback:").concat(el.model.callback, ",expression:").concat(el.model.expression, "},");
    }
    // inline-template
    if (el.inlineTemplate) {
        var inlineTemplate = genInlineTemplate(el, state);
        if (inlineTemplate) {
            data += "".concat(inlineTemplate, ",");
        }
    }
    data = data.replace(/,$/, '') + '}';
    // v-bind dynamic argument wrap
    // v-bind with dynamic arguments must be applied using the same v-bind object
    // merge helper so that class/style/mustUseProp attrs are handled correctly.
    if (el.dynamicAttrs) {
        data = "_b(".concat(data, ",\"").concat(el.tag, "\",").concat(genProps(el.dynamicAttrs), ")");
    }
    // v-bind data wrap
    if (el.wrapData) {
        data = el.wrapData(data);
    }
    // v-on data wrap
    if (el.wrapListeners) {
        data = el.wrapListeners(data);
    }
    return data;
}
function genDirectives(el, state) {
    var dirs = el.directives;
    if (!dirs)
        return;
    var res = 'directives:[';
    var hasRuntime = false;
    var i, l, dir, needRuntime;
    for (i = 0, l = dirs.length; i &lt; l; i++) {
        dir = dirs[i];
        needRuntime = true;
        var gen = state.directives[dir.name];
        if (gen) {
            // compile-time directive that manipulates AST.
            // returns true if it also needs a runtime counterpart.
            needRuntime = !!gen(el, dir, state.warn);
        }
        if (needRuntime) {
            hasRuntime = true;
            res += "{name:\"".concat(dir.name, "\",rawName:\"").concat(dir.rawName, "\"").concat(dir.value
                ? ",value:(".concat(dir.value, "),expression:").concat(JSON.stringify(dir.value))
                : '').concat(dir.arg ? ",arg:".concat(dir.isDynamicArg ? dir.arg : "\"".concat(dir.arg, "\"")) : '').concat(dir.modifiers ? ",modifiers:".concat(JSON.stringify(dir.modifiers)) : '', "},");
        }
    }
    if (hasRuntime) {
        return res.slice(0, -1) + ']';
    }
}
function genInlineTemplate(el, state) {
    var ast = el.children[0];
    if ( true &amp;&amp; (el.children.length !== 1 || ast.type !== 1)) {
        state.warn('Inline-template components must have exactly one child element.', { start: el.start });
    }
    if (ast &amp;&amp; ast.type === 1) {
        var inlineRenderFns = generate(ast, state.options);
        return "inlineTemplate:{render:function(){".concat(inlineRenderFns.render, "},staticRenderFns:[").concat(inlineRenderFns.staticRenderFns
            .map(function (code) { return "function(){".concat(code, "}"); })
            .join(','), "]}");
    }
}
function genScopedSlots(el, slots, state) {
    // by default scoped slots are considered "stable", this allows child
    // components with only scoped slots to skip forced updates from parent.
    // but in some cases we have to bail-out of this optimization
    // for example if the slot contains dynamic names, has v-if or v-for on them...
    var needsForceUpdate = el.for ||
        Object.keys(slots).some(function (key) {
            var slot = slots[key];
            return (slot.slotTargetDynamic || slot.if || slot.for || containsSlotChild(slot) // is passing down slot from parent which may be dynamic
            );
        });
    // #9534: if a component with scoped slots is inside a conditional branch,
    // it's possible for the same component to be reused but with different
    // compiled slot content. To avoid that, we generate a unique key based on
    // the generated code of all the slot contents.
    var needsKey = !!el.if;
    // OR when it is inside another scoped slot or v-for (the reactivity may be
    // disconnected due to the intermediate scope variable)
    // #9438, #9506
    // TODO: this can be further optimized by properly analyzing in-scope bindings
    // and skip force updating ones that do not actually use scope variables.
    if (!needsForceUpdate) {
        var parent_2 = el.parent;
        while (parent_2) {
            if ((parent_2.slotScope &amp;&amp; parent_2.slotScope !== emptySlotScopeToken) ||
                parent_2.for) {
                needsForceUpdate = true;
                break;
            }
            if (parent_2.if) {
                needsKey = true;
            }
            parent_2 = parent_2.parent;
        }
    }
    var generatedSlots = Object.keys(slots)
        .map(function (key) { return genScopedSlot(slots[key], state); })
        .join(',');
    return "scopedSlots:_u([".concat(generatedSlots, "]").concat(needsForceUpdate ? ",null,true" : "").concat(!needsForceUpdate &amp;&amp; needsKey ? ",null,false,".concat(hash(generatedSlots)) : "", ")");
}
function hash(str) {
    var hash = 5381;
    var i = str.length;
    while (i) {
        hash = (hash * 33) ^ str.charCodeAt(--i);
    }
    return hash &gt;&gt;&gt; 0;
}
function containsSlotChild(el) {
    if (el.type === 1) {
        if (el.tag === 'slot') {
            return true;
        }
        return el.children.some(containsSlotChild);
    }
    return false;
}
function genScopedSlot(el, state) {
    var isLegacySyntax = el.attrsMap['slot-scope'];
    if (el.if &amp;&amp; !el.ifProcessed &amp;&amp; !isLegacySyntax) {
        return genIf(el, state, genScopedSlot, "null");
    }
    if (el.for &amp;&amp; !el.forProcessed) {
        return genFor(el, state, genScopedSlot);
    }
    var slotScope = el.slotScope === emptySlotScopeToken ? "" : String(el.slotScope);
    var fn = "function(".concat(slotScope, "){") +
        "return ".concat(el.tag === 'template'
            ? el.if &amp;&amp; isLegacySyntax
                ? "(".concat(el.if, ")?").concat(genChildren(el, state) || 'undefined', ":undefined")
                : genChildren(el, state) || 'undefined'
            : genElement(el, state), "}");
    // reverse proxy v-slot without scope on this.$slots
    var reverseProxy = slotScope ? "" : ",proxy:true";
    return "{key:".concat(el.slotTarget || "\"default\"", ",fn:").concat(fn).concat(reverseProxy, "}");
}
function genChildren(el, state, checkSkip, altGenElement, altGenNode) {
    var children = el.children;
    if (children.length) {
        var el_1 = children[0];
        // optimize single v-for
        if (children.length === 1 &amp;&amp;
            el_1.for &amp;&amp;
            el_1.tag !== 'template' &amp;&amp;
            el_1.tag !== 'slot') {
            var normalizationType_1 = checkSkip
                ? state.maybeComponent(el_1)
                    ? ",1"
                    : ",0"
                : "";
            return "".concat((altGenElement || genElement)(el_1, state)).concat(normalizationType_1);
        }
        var normalizationType = checkSkip
            ? getNormalizationType(children, state.maybeComponent)
            : 0;
        var gen_1 = altGenNode || genNode;
        return "[".concat(children.map(function (c) { return gen_1(c, state); }).join(','), "]").concat(normalizationType ? ",".concat(normalizationType) : '');
    }
}
// determine the normalization needed for the children array.
// 0: no normalization needed
// 1: simple normalization needed (possible 1-level deep nested array)
// 2: full normalization needed
function getNormalizationType(children, maybeComponent) {
    var res = 0;
    for (var i = 0; i &lt; children.length; i++) {
        var el = children[i];
        if (el.type !== 1) {
            continue;
        }
        if (needsNormalization(el) ||
            (el.ifConditions &amp;&amp;
                el.ifConditions.some(function (c) { return needsNormalization(c.block); }))) {
            res = 2;
            break;
        }
        if (maybeComponent(el) ||
            (el.ifConditions &amp;&amp; el.ifConditions.some(function (c) { return maybeComponent(c.block); }))) {
            res = 1;
        }
    }
    return res;
}
function needsNormalization(el) {
    return el.for !== undefined || el.tag === 'template' || el.tag === 'slot';
}
function genNode(node, state) {
    if (node.type === 1) {
        return genElement(node, state);
    }
    else if (node.type === 3 &amp;&amp; node.isComment) {
        return genComment(node);
    }
    else {
        return genText(node);
    }
}
function genText(text) {
    return "_v(".concat(text.type === 2
        ? text.expression // no need for () because already wrapped in _s()
        : transformSpecialNewlines(JSON.stringify(text.text)), ")");
}
function genComment(comment) {
    return "_e(".concat(JSON.stringify(comment.text), ")");
}
function genSlot(el, state) {
    var slotName = el.slotName || '"default"';
    var children = genChildren(el, state);
    var res = "_t(".concat(slotName).concat(children ? ",function(){return ".concat(children, "}") : '');
    var attrs = el.attrs || el.dynamicAttrs
        ? genProps((el.attrs || []).concat(el.dynamicAttrs || []).map(function (attr) { return ({
            // slot props are camelized
            name: camelize(attr.name),
            value: attr.value,
            dynamic: attr.dynamic
        }); }))
        : null;
    var bind = el.attrsMap['v-bind'];
    if ((attrs || bind) &amp;&amp; !children) {
        res += ",null";
    }
    if (attrs) {
        res += ",".concat(attrs);
    }
    if (bind) {
        res += "".concat(attrs ? '' : ',null', ",").concat(bind);
    }
    return res + ')';
}
// componentName is el.component, take it as argument to shun flow's pessimistic refinement
function genComponent(componentName, el, state) {
    var children = el.inlineTemplate ? null : genChildren(el, state, true);
    return "_c(".concat(componentName, ",").concat(genData(el, state)).concat(children ? ",".concat(children) : '', ")");
}
function genProps(props) {
    var staticProps = "";
    var dynamicProps = "";
    for (var i = 0; i &lt; props.length; i++) {
        var prop = props[i];
        var value = transformSpecialNewlines(prop.value);
        if (prop.dynamic) {
            dynamicProps += "".concat(prop.name, ",").concat(value, ",");
        }
        else {
            staticProps += "\"".concat(prop.name, "\":").concat(value, ",");
        }
    }
    staticProps = "{".concat(staticProps.slice(0, -1), "}");
    if (dynamicProps) {
        return "_d(".concat(staticProps, ",[").concat(dynamicProps.slice(0, -1), "])");
    }
    else {
        return staticProps;
    }
}
// #3895, #4268
function transformSpecialNewlines(text) {
    return text.replace(/\u2028/g, '\\u2028').replace(/\u2029/g, '\\u2029');
}

// these keywords should not appear inside expressions, but operators like
// typeof, instanceof and in are allowed
var prohibitedKeywordRE = new RegExp('\\b' +
    ('do,if,for,let,new,try,var,case,else,with,await,break,catch,class,const,' +
        'super,throw,while,yield,delete,export,import,return,switch,default,' +
        'extends,finally,continue,debugger,function,arguments')
        .split(',')
        .join('\\b|\\b') +
    '\\b');
// these unary operators should not be used as property/method names
var unaryOperatorsRE = new RegExp('\\b' +
    'delete,typeof,void'.split(',').join('\\s*\\([^\\)]*\\)|\\b') +
    '\\s*\\([^\\)]*\\)');
// strip strings in expressions
var stripStringRE = /'(?:[^'\\]|\\.)*'|"(?:[^"\\]|\\.)*"|`(?:[^`\\]|\\.)*\$\{|\}(?:[^`\\]|\\.)*`|`(?:[^`\\]|\\.)*`/g;
// detect problematic expressions in a template
function detectErrors(ast, warn) {
    if (ast) {
        checkNode(ast, warn);
    }
}
function checkNode(node, warn) {
    if (node.type === 1) {
        for (var name_1 in node.attrsMap) {
            if (dirRE.test(name_1)) {
                var value = node.attrsMap[name_1];
                if (value) {
                    var range = node.rawAttrsMap[name_1];
                    if (name_1 === 'v-for') {
                        checkFor(node, "v-for=\"".concat(value, "\""), warn, range);
                    }
                    else if (name_1 === 'v-slot' || name_1[0] === '#') {
                        checkFunctionParameterExpression(value, "".concat(name_1, "=\"").concat(value, "\""), warn, range);
                    }
                    else if (onRE.test(name_1)) {
                        checkEvent(value, "".concat(name_1, "=\"").concat(value, "\""), warn, range);
                    }
                    else {
                        checkExpression(value, "".concat(name_1, "=\"").concat(value, "\""), warn, range);
                    }
                }
            }
        }
        if (node.children) {
            for (var i = 0; i &lt; node.children.length; i++) {
                checkNode(node.children[i], warn);
            }
        }
    }
    else if (node.type === 2) {
        checkExpression(node.expression, node.text, warn, node);
    }
}
function checkEvent(exp, text, warn, range) {
    var stripped = exp.replace(stripStringRE, '');
    var keywordMatch = stripped.match(unaryOperatorsRE);
    if (keywordMatch &amp;&amp; stripped.charAt(keywordMatch.index - 1) !== '$') {
        warn("avoid using JavaScript unary operator as property name: " +
            "\"".concat(keywordMatch[0], "\" in expression ").concat(text.trim()), range);
    }
    checkExpression(exp, text, warn, range);
}
function checkFor(node, text, warn, range) {
    checkExpression(node.for || '', text, warn, range);
    checkIdentifier(node.alias, 'v-for alias', text, warn, range);
    checkIdentifier(node.iterator1, 'v-for iterator', text, warn, range);
    checkIdentifier(node.iterator2, 'v-for iterator', text, warn, range);
}
function checkIdentifier(ident, type, text, warn, range) {
    if (typeof ident === 'string') {
        try {
            new Function("var ".concat(ident, "=_"));
        }
        catch (e) {
            warn("invalid ".concat(type, " \"").concat(ident, "\" in expression: ").concat(text.trim()), range);
        }
    }
}
function checkExpression(exp, text, warn, range) {
    try {
        new Function("return ".concat(exp));
    }
    catch (e) {
        var keywordMatch = exp
            .replace(stripStringRE, '')
            .match(prohibitedKeywordRE);
        if (keywordMatch) {
            warn("avoid using JavaScript keyword as property name: " +
                "\"".concat(keywordMatch[0], "\"\n  Raw expression: ").concat(text.trim()), range);
        }
        else {
            warn("invalid expression: ".concat(e.message, " in\n\n") +
                "    ".concat(exp, "\n\n") +
                "  Raw expression: ".concat(text.trim(), "\n"), range);
        }
    }
}
function checkFunctionParameterExpression(exp, text, warn, range) {
    try {
        new Function(exp, '');
    }
    catch (e) {
        warn("invalid function parameter expression: ".concat(e.message, " in\n\n") +
            "    ".concat(exp, "\n\n") +
            "  Raw expression: ".concat(text.trim(), "\n"), range);
    }
}

var range = 2;
function generateCodeFrame(source, start, end) {
    if (start === void 0) { start = 0; }
    if (end === void 0) { end = source.length; }
    var lines = source.split(/\r?\n/);
    var count = 0;
    var res = [];
    for (var i = 0; i &lt; lines.length; i++) {
        count += lines[i].length + 1;
        if (count &gt;= start) {
            for (var j = i - range; j &lt;= i + range || end &gt; count; j++) {
                if (j &lt; 0 || j &gt;= lines.length)
                    continue;
                res.push("".concat(j + 1).concat(repeat(" ", 3 - String(j + 1).length), "|  ").concat(lines[j]));
                var lineLength = lines[j].length;
                if (j === i) {
                    // push underline
                    var pad = start - (count - lineLength) + 1;
                    var length_1 = end &gt; count ? lineLength - pad : end - start;
                    res.push("   |  " + repeat(" ", pad) + repeat("^", length_1));
                }
                else if (j &gt; i) {
                    if (end &gt; count) {
                        var length_2 = Math.min(end - count, lineLength);
                        res.push("   |  " + repeat("^", length_2));
                    }
                    count += lineLength + 1;
                }
            }
            break;
        }
    }
    return res.join('\n');
}
function repeat(str, n) {
    var result = '';
    if (n &gt; 0) {
        // eslint-disable-next-line no-constant-condition
        while (true) {
            // eslint-disable-line
            if (n &amp; 1)
                result += str;
            n &gt;&gt;&gt;= 1;
            if (n &lt;= 0)
                break;
            str += str;
        }
    }
    return result;
}

function createFunction(code, errors) {
    try {
        return new Function(code);
    }
    catch (err) {
        errors.push({ err: err, code: code });
        return noop;
    }
}
function createCompileToFunctionFn(compile) {
    var cache = Object.create(null);
    return function compileToFunctions(template, options, vm) {
        options = extend({}, options);
        var warn = options.warn || warn$2;
        delete options.warn;
        /* istanbul ignore if */
        if (true) {
            // detect possible CSP restriction
            try {
                new Function('return 1');
            }
            catch (e) {
                if (e.toString().match(/unsafe-eval|CSP/)) {
                    warn('It seems you are using the standalone build of Vue.js in an ' +
                        'environment with Content Security Policy that prohibits unsafe-eval. ' +
                        'The template compiler cannot work in this environment. Consider ' +
                        'relaxing the policy to allow unsafe-eval or pre-compiling your ' +
                        'templates into render functions.');
                }
            }
        }
        // check cache
        var key = options.delimiters
            ? String(options.delimiters) + template
            : template;
        if (cache[key]) {
            return cache[key];
        }
        // compile
        var compiled = compile(template, options);
        // check compilation errors/tips
        if (true) {
            if (compiled.errors &amp;&amp; compiled.errors.length) {
                if (options.outputSourceRange) {
                    compiled.errors.forEach(function (e) {
                        warn("Error compiling template:\n\n".concat(e.msg, "\n\n") +
                            generateCodeFrame(template, e.start, e.end), vm);
                    });
                }
                else {
                    warn("Error compiling template:\n\n".concat(template, "\n\n") +
                        compiled.errors.map(function (e) { return "- ".concat(e); }).join('\n') +
                        '\n', vm);
                }
            }
            if (compiled.tips &amp;&amp; compiled.tips.length) {
                if (options.outputSourceRange) {
                    compiled.tips.forEach(function (e) { return tip(e.msg, vm); });
                }
                else {
                    compiled.tips.forEach(function (msg) { return tip(msg, vm); });
                }
            }
        }
        // turn code into functions
        var res = {};
        var fnGenErrors = [];
        res.render = createFunction(compiled.render, fnGenErrors);
        res.staticRenderFns = compiled.staticRenderFns.map(function (code) {
            return createFunction(code, fnGenErrors);
        });
        // check function generation errors.
        // this should only happen if there is a bug in the compiler itself.
        // mostly for codegen development use
        /* istanbul ignore if */
        if (true) {
            if ((!compiled.errors || !compiled.errors.length) &amp;&amp; fnGenErrors.length) {
                warn("Failed to generate render function:\n\n" +
                    fnGenErrors
                        .map(function (_a) {
                        var err = _a.err, code = _a.code;
                        return "".concat(err.toString(), " in\n\n").concat(code, "\n");
                    })
                        .join('\n'), vm);
            }
        }
        return (cache[key] = res);
    };
}

function createCompilerCreator(baseCompile) {
    return function createCompiler(baseOptions) {
        function compile(template, options) {
            var finalOptions = Object.create(baseOptions);
            var errors = [];
            var tips = [];
            var warn = function (msg, range, tip) {
                (tip ? tips : errors).push(msg);
            };
            if (options) {
                if ( true &amp;&amp; options.outputSourceRange) {
                    // $flow-disable-line
                    var leadingSpaceLength_1 = template.match(/^\s*/)[0].length;
                    warn = function (msg, range, tip) {
                        var data = typeof msg === 'string' ? { msg: msg } : msg;
                        if (range) {
                            if (range.start != null) {
                                data.start = range.start + leadingSpaceLength_1;
                            }
                            if (range.end != null) {
                                data.end = range.end + leadingSpaceLength_1;
                            }
                        }
                        (tip ? tips : errors).push(data);
                    };
                }
                // merge custom modules
                if (options.modules) {
                    finalOptions.modules = (baseOptions.modules || []).concat(options.modules);
                }
                // merge custom directives
                if (options.directives) {
                    finalOptions.directives = extend(Object.create(baseOptions.directives || null), options.directives);
                }
                // copy other options
                for (var key in options) {
                    if (key !== 'modules' &amp;&amp; key !== 'directives') {
                        finalOptions[key] = options[key];
                    }
                }
            }
            finalOptions.warn = warn;
            var compiled = baseCompile(template.trim(), finalOptions);
            if (true) {
                detectErrors(compiled.ast, warn);
            }
            compiled.errors = errors;
            compiled.tips = tips;
            return compiled;
        }
        return {
            compile: compile,
            compileToFunctions: createCompileToFunctionFn(compile)
        };
    };
}

// `createCompilerCreator` allows creating compilers that use alternative
// parser/optimizer/codegen, e.g the SSR optimizing compiler.
// Here we just export a default compiler using the default parts.
var createCompiler = createCompilerCreator(function baseCompile(template, options) {
    var ast = parse(template.trim(), options);
    if (options.optimize !== false) {
        optimize(ast, options);
    }
    var code = generate(ast, options);
    return {
        ast: ast,
        render: code.render,
        staticRenderFns: code.staticRenderFns
    };
});

var _a = createCompiler(baseOptions), compileToFunctions = _a.compileToFunctions;

// check whether current browser encodes a char inside attribute values
var div;
function getShouldDecode(href) {
    div = div || document.createElement('div');
    div.innerHTML = href ? "&lt;a href=\"\n\"/&gt;" : "&lt;div a=\"\n\"/&gt;";
    return div.innerHTML.indexOf('&amp;#10;') &gt; 0;
}
// #3663: IE encodes newlines inside attribute values while other browsers don't
var shouldDecodeNewlines = inBrowser ? getShouldDecode(false) : false;
// #6828: chrome encodes content in a[href]
var shouldDecodeNewlinesForHref = inBrowser
    ? getShouldDecode(true)
    : false;

var idToTemplate = cached(function (id) {
    var el = query(id);
    return el &amp;&amp; el.innerHTML;
});
var mount = Vue.prototype.$mount;
Vue.prototype.$mount = function (el, hydrating) {
    el = el &amp;&amp; query(el);
    /* istanbul ignore if */
    if (el === document.body || el === document.documentElement) {
         true &amp;&amp;
            warn$2("Do not mount Vue to &lt;html&gt; or &lt;body&gt; - mount to normal elements instead.");
        return this;
    }
    var options = this.$options;
    // resolve template/el and convert to render function
    if (!options.render) {
        var template = options.template;
        if (template) {
            if (typeof template === 'string') {
                if (template.charAt(0) === '#') {
                    template = idToTemplate(template);
                    /* istanbul ignore if */
                    if ( true &amp;&amp; !template) {
                        warn$2("Template element not found or is empty: ".concat(options.template), this);
                    }
                }
            }
            else if (template.nodeType) {
                template = template.innerHTML;
            }
            else {
                if (true) {
                    warn$2('invalid template option:' + template, this);
                }
                return this;
            }
        }
        else if (el) {
            // @ts-expect-error
            template = getOuterHTML(el);
        }
        if (template) {
            /* istanbul ignore if */
            if ( true &amp;&amp; config.performance &amp;&amp; mark) {
                mark('compile');
            }
            var _a = compileToFunctions(template, {
                outputSourceRange: "development" !== 'production',
                shouldDecodeNewlines: shouldDecodeNewlines,
                shouldDecodeNewlinesForHref: shouldDecodeNewlinesForHref,
                delimiters: options.delimiters,
                comments: options.comments
            }, this), render = _a.render, staticRenderFns = _a.staticRenderFns;
            options.render = render;
            options.staticRenderFns = staticRenderFns;
            /* istanbul ignore if */
            if ( true &amp;&amp; config.performance &amp;&amp; mark) {
                mark('compile end');
                measure("vue ".concat(this._name, " compile"), 'compile', 'compile end');
            }
        }
    }
    return mount.call(this, el, hydrating);
};
/**
 * Get outerHTML of elements, taking care
 * of SVG elements in IE as well.
 */
function getOuterHTML(el) {
    if (el.outerHTML) {
        return el.outerHTML;
    }
    else {
        var container = document.createElement('div');
        container.appendChild(el.cloneNode(true));
        return container.innerHTML;
    }
}
Vue.compile = compileToFunctions;




/***/ }),

/***/ "./node_modules/vue2-editor/dist/vue2-editor.esm.js":
/*!**********************************************************!*\
  !*** ./node_modules/vue2-editor/dist/vue2-editor.esm.js ***!
  \**********************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   Quill: () =&gt; (/* reexport default from dynamic */ quill__WEBPACK_IMPORTED_MODULE_0___default.a),
/* harmony export */   VueEditor: () =&gt; (/* binding */ VueEditor),
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__),
/* harmony export */   install: () =&gt; (/* binding */ install)
/* harmony export */ });
/* harmony import */ var quill__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! quill */ "./node_modules/quill/dist/quill.js");
/* harmony import */ var quill__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(quill__WEBPACK_IMPORTED_MODULE_0__);
/*!
 * vue2-editor v2.10.3 
 * (c) 2021 David Royer
 * Released under the MIT License.
 */



var defaultToolbar = [[{
  header: [false, 1, 2, 3, 4, 5, 6]
}], ["bold", "italic", "underline", "strike"], // toggled buttons
[{
  align: ""
}, {
  align: "center"
}, {
  align: "right"
}, {
  align: "justify"
}], ["blockquote", "code-block"], [{
  list: "ordered"
}, {
  list: "bullet"
}, {
  list: "check"
}], [{
  indent: "-1"
}, {
  indent: "+1"
}], // outdent/indent
[{
  color: []
}, {
  background: []
}], // dropdown with defaults from theme
["link", "image", "video"], ["clean"] // remove formatting button
];

var oldApi = {
  props: {
    customModules: Array
  },
  methods: {
    registerCustomModules: function registerCustomModules(Quill) {
      if (this.customModules !== undefined) {
        this.customModules.forEach(function (customModule) {
          Quill.register("modules/" + customModule.alias, customModule.module);
        });
      }
    }
  }
};

function _typeof(obj) {
  if (typeof Symbol === "function" &amp;&amp; typeof Symbol.iterator === "symbol") {
    _typeof = function (obj) {
      return typeof obj;
    };
  } else {
    _typeof = function (obj) {
      return obj &amp;&amp; typeof Symbol === "function" &amp;&amp; obj.constructor === Symbol &amp;&amp; obj !== Symbol.prototype ? "symbol" : typeof obj;
    };
  }

  return _typeof(obj);
}

function _classCallCheck(instance, Constructor) {
  if (!(instance instanceof Constructor)) {
    throw new TypeError("Cannot call a class as a function");
  }
}

function _defineProperties(target, props) {
  for (var i = 0; i &lt; 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);
  }
}

function _createClass(Constructor, protoProps, staticProps) {
  if (protoProps) _defineProperties(Constructor.prototype, protoProps);
  if (staticProps) _defineProperties(Constructor, staticProps);
  return Constructor;
}

function _inherits(subClass, superClass) {
  if (typeof superClass !== "function" &amp;&amp; superClass !== null) {
    throw new TypeError("Super expression must either be null or a function");
  }

  subClass.prototype = Object.create(superClass &amp;&amp; superClass.prototype, {
    constructor: {
      value: subClass,
      writable: true,
      configurable: true
    }
  });
  if (superClass) _setPrototypeOf(subClass, superClass);
}

function _getPrototypeOf(o) {
  _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf : function _getPrototypeOf(o) {
    return o.__proto__ || Object.getPrototypeOf(o);
  };
  return _getPrototypeOf(o);
}

function _setPrototypeOf(o, p) {
  _setPrototypeOf = Object.setPrototypeOf || function _setPrototypeOf(o, p) {
    o.__proto__ = p;
    return o;
  };

  return _setPrototypeOf(o, p);
}

function _assertThisInitialized(self) {
  if (self === void 0) {
    throw new ReferenceError("this hasn't been initialised - super() hasn't been called");
  }

  return self;
}

function _possibleConstructorReturn(self, call) {
  if (call &amp;&amp; (typeof call === "object" || typeof call === "function")) {
    return call;
  }

  return _assertThisInitialized(self);
}

function _slicedToArray(arr, i) {
  return _arrayWithHoles(arr) || _iterableToArrayLimit(arr, i) || _nonIterableRest();
}

function _arrayWithHoles(arr) {
  if (Array.isArray(arr)) return arr;
}

function _iterableToArrayLimit(arr, i) {
  var _arr = [];
  var _n = true;
  var _d = false;
  var _e = undefined;

  try {
    for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
      _arr.push(_s.value);

      if (i &amp;&amp; _arr.length === i) break;
    }
  } catch (err) {
    _d = true;
    _e = err;
  } finally {
    try {
      if (!_n &amp;&amp; _i["return"] != null) _i["return"]();
    } finally {
      if (_d) throw _e;
    }
  }

  return _arr;
}

function _nonIterableRest() {
  throw new TypeError("Invalid attempt to destructure non-iterable instance");
}

/**
 * Performs a deep merge of `source` into `target`.
 * Mutates `target` only but not its objects and arrays.
 *
 */
function mergeDeep(target, source) {
  var isObject = function isObject(obj) {
    return obj &amp;&amp; _typeof(obj) === "object";
  };

  if (!isObject(target) || !isObject(source)) {
    return source;
  }

  Object.keys(source).forEach(function (key) {
    var targetValue = target[key];
    var sourceValue = source[key];

    if (Array.isArray(targetValue) &amp;&amp; Array.isArray(sourceValue)) {
      target[key] = targetValue.concat(sourceValue);
    } else if (isObject(targetValue) &amp;&amp; isObject(sourceValue)) {
      target[key] = mergeDeep(Object.assign({}, targetValue), sourceValue);
    } else {
      target[key] = sourceValue;
    }
  });
  return target;
}

var BlockEmbed = quill__WEBPACK_IMPORTED_MODULE_0___default()["import"]("blots/block/embed");

var HorizontalRule =
/*#__PURE__*/
function (_BlockEmbed) {
  _inherits(HorizontalRule, _BlockEmbed);

  function HorizontalRule() {
    _classCallCheck(this, HorizontalRule);

    return _possibleConstructorReturn(this, _getPrototypeOf(HorizontalRule).apply(this, arguments));
  }

  return HorizontalRule;
}(BlockEmbed);

HorizontalRule.blotName = "hr";
HorizontalRule.tagName = "hr";
quill__WEBPACK_IMPORTED_MODULE_0___default().register("formats/horizontal", HorizontalRule);

var MarkdownShortcuts =
/*#__PURE__*/
function () {
  function MarkdownShortcuts(quill, options) {
    var _this = this;

    _classCallCheck(this, MarkdownShortcuts);

    this.quill = quill;
    this.options = options;
    this.ignoreTags = ["PRE"];
    this.matches = [{
      name: "header",
      pattern: /^(#){1,6}\s/g,
      action: function action(text, selection, pattern) {
        var match = pattern.exec(text);
        if (!match) return;
        var size = match[0].length; // Need to defer this action https://github.com/quilljs/quill/issues/1134

        setTimeout(function () {
          _this.quill.formatLine(selection.index, 0, "header", size - 1);

          _this.quill.deleteText(selection.index - size, size);
        }, 0);
      }
    }, {
      name: "blockquote",
      pattern: /^(&gt;)\s/g,
      action: function action(_text, selection) {
        // Need to defer this action https://github.com/quilljs/quill/issues/1134
        setTimeout(function () {
          _this.quill.formatLine(selection.index, 1, "blockquote", true);

          _this.quill.deleteText(selection.index - 2, 2);
        }, 0);
      }
    }, {
      name: "code-block",
      pattern: /^`{3}(?:\s|\n)/g,
      action: function action(_text, selection) {
        // Need to defer this action https://github.com/quilljs/quill/issues/1134
        setTimeout(function () {
          _this.quill.formatLine(selection.index, 1, "code-block", true);

          _this.quill.deleteText(selection.index - 4, 4);
        }, 0);
      }
    }, {
      name: "bolditalic",
      pattern: /(?:\*|_){3}(.+?)(?:\*|_){3}/g,
      action: function action(text, _selection, pattern, lineStart) {
        var match = pattern.exec(text);
        var annotatedText = match[0];
        var matchedText = match[1];
        var startIndex = lineStart + match.index;
        if (text.match(/^([*_ \n]+)$/g)) return;
        setTimeout(function () {
          _this.quill.deleteText(startIndex, annotatedText.length);

          _this.quill.insertText(startIndex, matchedText, {
            bold: true,
            italic: true
          });

          _this.quill.format("bold", false);
        }, 0);
      }
    }, {
      name: "bold",
      pattern: /(?:\*|_){2}(.+?)(?:\*|_){2}/g,
      action: function action(text, _selection, pattern, lineStart) {
        var match = pattern.exec(text);
        var annotatedText = match[0];
        var matchedText = match[1];
        var startIndex = lineStart + match.index;
        if (text.match(/^([*_ \n]+)$/g)) return;
        setTimeout(function () {
          _this.quill.deleteText(startIndex, annotatedText.length);

          _this.quill.insertText(startIndex, matchedText, {
            bold: true
          });

          _this.quill.format("bold", false);
        }, 0);
      }
    }, {
      name: "italic",
      pattern: /(?:\*|_){1}(.+?)(?:\*|_){1}/g,
      action: function action(text, _selection, pattern, lineStart) {
        var match = pattern.exec(text);
        var annotatedText = match[0];
        var matchedText = match[1];
        var startIndex = lineStart + match.index;
        if (text.match(/^([*_ \n]+)$/g)) return;
        setTimeout(function () {
          _this.quill.deleteText(startIndex, annotatedText.length);

          _this.quill.insertText(startIndex, matchedText, {
            italic: true
          });

          _this.quill.format("italic", false);
        }, 0);
      }
    }, {
      name: "strikethrough",
      pattern: /(?:~~)(.+?)(?:~~)/g,
      action: function action(text, _selection, pattern, lineStart) {
        var match = pattern.exec(text);
        var annotatedText = match[0];
        var matchedText = match[1];
        var startIndex = lineStart + match.index;
        if (text.match(/^([*_ \n]+)$/g)) return;
        setTimeout(function () {
          _this.quill.deleteText(startIndex, annotatedText.length);

          _this.quill.insertText(startIndex, matchedText, {
            strike: true
          });

          _this.quill.format("strike", false);
        }, 0);
      }
    }, {
      name: "code",
      pattern: /(?:`)(.+?)(?:`)/g,
      action: function action(text, _selection, pattern, lineStart) {
        var match = pattern.exec(text);
        var annotatedText = match[0];
        var matchedText = match[1];
        var startIndex = lineStart + match.index;
        if (text.match(/^([*_ \n]+)$/g)) return;
        setTimeout(function () {
          _this.quill.deleteText(startIndex, annotatedText.length);

          _this.quill.insertText(startIndex, matchedText, {
            code: true
          });

          _this.quill.format("code", false);

          _this.quill.insertText(_this.quill.getSelection(), " ");
        }, 0);
      }
    }, {
      name: "hr",
      pattern: /^([-*]\s?){3}/g,
      action: function action(text, selection) {
        var startIndex = selection.index - text.length;
        setTimeout(function () {
          _this.quill.deleteText(startIndex, text.length);

          _this.quill.insertEmbed(startIndex + 1, "hr", true, (quill__WEBPACK_IMPORTED_MODULE_0___default().sources).USER);

          _this.quill.insertText(startIndex + 2, "\n", (quill__WEBPACK_IMPORTED_MODULE_0___default().sources).SILENT);

          _this.quill.setSelection(startIndex + 2, (quill__WEBPACK_IMPORTED_MODULE_0___default().sources).SILENT);
        }, 0);
      }
    }, {
      name: "asterisk-ul",
      pattern: /^(\*|\+)\s$/g,
      // eslint-disable-next-line no-unused-vars
      action: function action(_text, selection, _pattern) {
        setTimeout(function () {
          _this.quill.formatLine(selection.index, 1, "list", "unordered");

          _this.quill.deleteText(selection.index - 2, 2);
        }, 0);
      }
    }, {
      name: "image",
      pattern: /(?:!\[(.+?)\])(?:\((.+?)\))/g,
      action: function action(text, selection, pattern) {
        var startIndex = text.search(pattern);
        var matchedText = text.match(pattern)[0]; // const hrefText = text.match(/(?:!\[(.*?)\])/g)[0]

        var hrefLink = text.match(/(?:\((.*?)\))/g)[0];
        var start = selection.index - matchedText.length - 1;

        if (startIndex !== -1) {
          setTimeout(function () {
            _this.quill.deleteText(start, matchedText.length);

            _this.quill.insertEmbed(start, "image", hrefLink.slice(1, hrefLink.length - 1));
          }, 0);
        }
      }
    }, {
      name: "link",
      pattern: /(?:\[(.+?)\])(?:\((.+?)\))/g,
      action: function action(text, selection, pattern) {
        var startIndex = text.search(pattern);
        var matchedText = text.match(pattern)[0];
        var hrefText = text.match(/(?:\[(.*?)\])/g)[0];
        var hrefLink = text.match(/(?:\((.*?)\))/g)[0];
        var start = selection.index - matchedText.length - 1;

        if (startIndex !== -1) {
          setTimeout(function () {
            _this.quill.deleteText(start, matchedText.length);

            _this.quill.insertText(start, hrefText.slice(1, hrefText.length - 1), "link", hrefLink.slice(1, hrefLink.length - 1));
          }, 0);
        }
      }
    }]; // Handler that looks for insert deltas that match specific characters
    // eslint-disable-next-line no-unused-vars

    this.quill.on("text-change", function (delta, _oldContents, _source) {
      for (var i = 0; i &lt; delta.ops.length; i++) {
        if (delta.ops[i].hasOwnProperty("insert")) {
          if (delta.ops[i].insert === " ") {
            _this.onSpace();
          } else if (delta.ops[i].insert === "\n") {
            _this.onEnter();
          }
        }
      }
    });
  }

  _createClass(MarkdownShortcuts, [{
    key: "isValid",
    value: function isValid(text, tagName) {
      return typeof text !== "undefined" &amp;&amp; text &amp;&amp; this.ignoreTags.indexOf(tagName) === -1;
    }
  }, {
    key: "onSpace",
    value: function onSpace() {
      var selection = this.quill.getSelection();
      if (!selection) return;

      var _this$quill$getLine = this.quill.getLine(selection.index),
          _this$quill$getLine2 = _slicedToArray(_this$quill$getLine, 2),
          line = _this$quill$getLine2[0],
          offset = _this$quill$getLine2[1];

      var text = line.domNode.textContent;
      var lineStart = selection.index - offset;

      if (this.isValid(text, line.domNode.tagName)) {
        var _iteratorNormalCompletion = true;
        var _didIteratorError = false;
        var _iteratorError = undefined;

        try {
          for (var _iterator = this.matches[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
            var match = _step.value;
            var matchedText = text.match(match.pattern);

            if (matchedText) {
              // We need to replace only matched text not the whole line
              console.log("matched:", match.name, text);
              match.action(text, selection, match.pattern, lineStart);
              return;
            }
          }
        } catch (err) {
          _didIteratorError = true;
          _iteratorError = err;
        } finally {
          try {
            if (!_iteratorNormalCompletion &amp;&amp; _iterator.return != null) {
              _iterator.return();
            }
          } finally {
            if (_didIteratorError) {
              throw _iteratorError;
            }
          }
        }
      }
    }
  }, {
    key: "onEnter",
    value: function onEnter() {
      var selection = this.quill.getSelection();
      if (!selection) return;

      var _this$quill$getLine3 = this.quill.getLine(selection.index),
          _this$quill$getLine4 = _slicedToArray(_this$quill$getLine3, 2),
          line = _this$quill$getLine4[0],
          offset = _this$quill$getLine4[1];

      var text = line.domNode.textContent + " ";
      var lineStart = selection.index - offset;
      selection.length = selection.index++;

      if (this.isValid(text, line.domNode.tagName)) {
        var _iteratorNormalCompletion2 = true;
        var _didIteratorError2 = false;
        var _iteratorError2 = undefined;

        try {
          for (var _iterator2 = this.matches[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
            var match = _step2.value;
            var matchedText = text.match(match.pattern);

            if (matchedText) {
              console.log("matched", match.name, text);
              match.action(text, selection, match.pattern, lineStart);
              return;
            }
          }
        } catch (err) {
          _didIteratorError2 = true;
          _iteratorError2 = err;
        } finally {
          try {
            if (!_iteratorNormalCompletion2 &amp;&amp; _iterator2.return != null) {
              _iterator2.return();
            }
          } finally {
            if (_didIteratorError2) {
              throw _iteratorError2;
            }
          }
        }
      }
    }
  }]);

  return MarkdownShortcuts;
}(); // module.exports = MarkdownShortcuts;

//
var script = {
  name: "VueEditor",
  mixins: [oldApi],
  props: {
    id: {
      type: String,
      default: "quill-container"
    },
    placeholder: {
      type: String,
      default: ""
    },
    value: {
      type: String,
      default: ""
    },
    disabled: {
      type: Boolean
    },
    editorToolbar: {
      type: Array,
      default: function _default() {
        return [];
      }
    },
    editorOptions: {
      type: Object,
      required: false,
      default: function _default() {
        return {};
      }
    },
    useCustomImageHandler: {
      type: Boolean,
      default: false
    },
    useMarkdownShortcuts: {
      type: Boolean,
      default: false
    }
  },
  data: function data() {
    return {
      quill: null
    };
  },
  watch: {
    value: function value(val) {
      if (val != this.quill.root.innerHTML &amp;&amp; !this.quill.hasFocus()) {
        this.quill.root.innerHTML = val;
      }
    },
    disabled: function disabled(status) {
      this.quill.enable(!status);
    }
  },
  mounted: function mounted() {
    this.registerCustomModules((quill__WEBPACK_IMPORTED_MODULE_0___default()));
    this.registerPrototypes();
    this.initializeEditor();
  },
  beforeDestroy: function beforeDestroy() {
    this.quill = null;
    delete this.quill;
  },
  methods: {
    initializeEditor: function initializeEditor() {
      this.setupQuillEditor();
      this.checkForCustomImageHandler();
      this.handleInitialContent();
      this.registerEditorEventListeners();
      this.$emit("ready", this.quill);
    },
    setupQuillEditor: function setupQuillEditor() {
      var editorConfig = {
        debug: false,
        modules: this.setModules(),
        theme: "snow",
        placeholder: this.placeholder ? this.placeholder : "",
        readOnly: this.disabled ? this.disabled : false
      };
      this.prepareEditorConfig(editorConfig);
      this.quill = new (quill__WEBPACK_IMPORTED_MODULE_0___default())(this.$refs.quillContainer, editorConfig);
    },
    setModules: function setModules() {
      var modules = {
        toolbar: this.editorToolbar.length ? this.editorToolbar : defaultToolbar
      };

      if (this.useMarkdownShortcuts) {
        quill__WEBPACK_IMPORTED_MODULE_0___default().register("modules/markdownShortcuts", MarkdownShortcuts, true);
        modules["markdownShortcuts"] = {};
      }

      return modules;
    },
    prepareEditorConfig: function prepareEditorConfig(editorConfig) {
      if (Object.keys(this.editorOptions).length &gt; 0 &amp;&amp; this.editorOptions.constructor === Object) {
        if (this.editorOptions.modules &amp;&amp; typeof this.editorOptions.modules.toolbar !== "undefined") {
          // We don't want to merge default toolbar with provided toolbar.
          delete editorConfig.modules.toolbar;
        }

        mergeDeep(editorConfig, this.editorOptions);
      }
    },
    registerPrototypes: function registerPrototypes() {
      (quill__WEBPACK_IMPORTED_MODULE_0___default().prototype).getHTML = function () {
        return this.container.querySelector(".ql-editor").innerHTML;
      };

      (quill__WEBPACK_IMPORTED_MODULE_0___default().prototype).getWordCount = function () {
        return this.container.querySelector(".ql-editor").innerText.length;
      };
    },
    registerEditorEventListeners: function registerEditorEventListeners() {
      this.quill.on("text-change", this.handleTextChange);
      this.quill.on("selection-change", this.handleSelectionChange);
      this.listenForEditorEvent("text-change");
      this.listenForEditorEvent("selection-change");
      this.listenForEditorEvent("editor-change");
    },
    listenForEditorEvent: function listenForEditorEvent(type) {
      var _this = this;

      this.quill.on(type, function () {
        for (var _len = arguments.length, args = new Array(_len), _key = 0; _key &lt; _len; _key++) {
          args[_key] = arguments[_key];
        }

        _this.$emit.apply(_this, [type].concat(args));
      });
    },
    handleInitialContent: function handleInitialContent() {
      if (this.value) this.quill.root.innerHTML = this.value; // Set initial editor content
    },
    handleSelectionChange: function handleSelectionChange(range, oldRange) {
      if (!range &amp;&amp; oldRange) this.$emit("blur", this.quill);else if (range &amp;&amp; !oldRange) this.$emit("focus", this.quill);
    },
    handleTextChange: function handleTextChange(delta, oldContents) {
      var editorContent = this.quill.getHTML() === "&lt;p&gt;&lt;br&gt;&lt;/p&gt;" ? "" : this.quill.getHTML();
      this.$emit("input", editorContent);
      if (this.useCustomImageHandler) this.handleImageRemoved(delta, oldContents);
    },
    handleImageRemoved: function handleImageRemoved(delta, oldContents) {
      var _this2 = this;

      var currrentContents = this.quill.getContents();
      var deletedContents = currrentContents.diff(oldContents);
      var operations = deletedContents.ops;
      operations.map(function (operation) {
        if (operation.insert &amp;&amp; operation.insert.hasOwnProperty("image")) {
          var image = operation.insert.image;

          _this2.$emit("image-removed", image);
        }
      });
    },
    checkForCustomImageHandler: function checkForCustomImageHandler() {
      this.useCustomImageHandler === true ? this.setupCustomImageHandler() : "";
    },
    setupCustomImageHandler: function setupCustomImageHandler() {
      var toolbar = this.quill.getModule("toolbar");
      toolbar.addHandler("image", this.customImageHandler);
    },
    customImageHandler: function customImageHandler() {
      this.$refs.fileInput.click();
    },
    emitImageInfo: function emitImageInfo($event) {
      var resetUploader = function resetUploader() {
        var uploader = document.getElementById("file-upload");
        uploader.value = "";
      };

      var file = $event.target.files[0];
      var Editor = this.quill;
      var range = Editor.getSelection();
      var cursorLocation = range.index;
      this.$emit("image-added", file, Editor, cursorLocation, resetUploader);
    }
  }
};

function normalizeComponent(template, style, script, scopeId, isFunctionalTemplate, moduleIdentifier
/* server only */
, shadowMode, createInjector, createInjectorSSR, createInjectorShadow) {
  if (typeof shadowMode !== 'boolean') {
    createInjectorSSR = createInjector;
    createInjector = shadowMode;
    shadowMode = false;
  } // Vue.extend constructor export interop.


  var options = typeof script === 'function' ? script.options : script; // render functions

  if (template &amp;&amp; template.render) {
    options.render = template.render;
    options.staticRenderFns = template.staticRenderFns;
    options._compiled = true; // functional template

    if (isFunctionalTemplate) {
      options.functional = true;
    }
  } // scopedId


  if (scopeId) {
    options._scopeId = scopeId;
  }

  var hook;

  if (moduleIdentifier) {
    // server build
    hook = function hook(context) {
      // 2.3 injection
      context = context || // cached call
      this.$vnode &amp;&amp; this.$vnode.ssrContext || // stateful
      this.parent &amp;&amp; this.parent.$vnode &amp;&amp; this.parent.$vnode.ssrContext; // functional
      // 2.2 with runInNewContext: true

      if (!context &amp;&amp; typeof __VUE_SSR_CONTEXT__ !== 'undefined') {
        context = __VUE_SSR_CONTEXT__;
      } // inject component styles


      if (style) {
        style.call(this, createInjectorSSR(context));
      } // register component module identifier for async chunk inference


      if (context &amp;&amp; context._registeredComponents) {
        context._registeredComponents.add(moduleIdentifier);
      }
    }; // used by ssr in case component is cached and beforeCreate
    // never gets called


    options._ssrRegister = hook;
  } else if (style) {
    hook = shadowMode ? function () {
      style.call(this, createInjectorShadow(this.$root.$options.shadowRoot));
    } : function (context) {
      style.call(this, createInjector(context));
    };
  }

  if (hook) {
    if (options.functional) {
      // register for functional component in vue file
      var originalRender = options.render;

      options.render = function renderWithStyleInjection(h, context) {
        hook.call(context);
        return originalRender(h, context);
      };
    } else {
      // inject component registration as beforeCreate hook
      var existing = options.beforeCreate;
      options.beforeCreate = existing ? [].concat(existing, hook) : [hook];
    }
  }

  return script;
}

var normalizeComponent_1 = normalizeComponent;

var isOldIE = typeof navigator !== 'undefined' &amp;&amp; /msie [6-9]\\b/.test(navigator.userAgent.toLowerCase());

function createInjector(context) {
  return function (id, style) {
    return addStyle(id, style);
  };
}

var HEAD;
var styles = {};

function addStyle(id, css) {
  var group = isOldIE ? css.media || 'default' : id;
  var style = styles[group] || (styles[group] = {
    ids: new Set(),
    styles: []
  });

  if (!style.ids.has(id)) {
    style.ids.add(id);
    var code = css.source;

    if (css.map) {
      // https://developer.chrome.com/devtools/docs/javascript-debugging
      // this makes source maps inside style tags work properly in Chrome
      code += '\n/*# sourceURL=' + css.map.sources[0] + ' */'; // http://stackoverflow.com/a/26603875

      code += '\n/*# sourceMappingURL=data:application/json;base64,' + btoa(unescape(encodeURIComponent(JSON.stringify(css.map)))) + ' */';
    }

    if (!style.element) {
      style.element = document.createElement('style');
      style.element.type = 'text/css';
      if (css.media) style.element.setAttribute('media', css.media);

      if (HEAD === undefined) {
        HEAD = document.head || document.getElementsByTagName('head')[0];
      }

      HEAD.appendChild(style.element);
    }

    if ('styleSheet' in style.element) {
      style.styles.push(code);
      style.element.styleSheet.cssText = style.styles.filter(Boolean).join('\n');
    } else {
      var index = style.ids.size - 1;
      var textNode = document.createTextNode(code);
      var nodes = style.element.childNodes;
      if (nodes[index]) style.element.removeChild(nodes[index]);
      if (nodes.length) style.element.insertBefore(textNode, nodes[index]);else style.element.appendChild(textNode);
    }
  }
}

var browser = createInjector;

/* script */
const __vue_script__ = script;

/* template */
var __vue_render__ = function () {var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;return _c('div',{staticClass:"quillWrapper"},[_vm._t("toolbar"),_vm._v(" "),_c('div',{ref:"quillContainer",attrs:{"id":_vm.id}}),_vm._v(" "),(_vm.useCustomImageHandler)?_c('input',{ref:"fileInput",staticStyle:{"display":"none"},attrs:{"id":"file-upload","type":"file","accept":"image/*"},on:{"change":function($event){return _vm.emitImageInfo($event)}}}):_vm._e()],2)};
var __vue_staticRenderFns__ = [];

  /* style */
  const __vue_inject_styles__ = function (inject) {
    if (!inject) return
    inject("data-v-776e788e_0", { source: "/*!\n * Quill Editor v1.3.6\n * https://quilljs.com/\n * Copyright (c) 2014, Jason Chen\n * Copyright (c) 2013, salesforce.com\n */.ql-container{box-sizing:border-box;font-family:Helvetica,Arial,sans-serif;font-size:13px;height:100%;margin:0;position:relative}.ql-container.ql-disabled .ql-tooltip{visibility:hidden}.ql-container.ql-disabled .ql-editor ul[data-checked]&gt;li::before{pointer-events:none}.ql-clipboard{left:-100000px;height:1px;overflow-y:hidden;position:absolute;top:50%}.ql-clipboard p{margin:0;padding:0}.ql-editor{box-sizing:border-box;line-height:1.42;height:100%;outline:0;overflow-y:auto;padding:12px 15px;tab-size:4;-moz-tab-size:4;text-align:left;white-space:pre-wrap;word-wrap:break-word}.ql-editor&gt;*{cursor:text}.ql-editor blockquote,.ql-editor h1,.ql-editor h2,.ql-editor h3,.ql-editor h4,.ql-editor h5,.ql-editor h6,.ql-editor ol,.ql-editor p,.ql-editor pre,.ql-editor ul{margin:0;padding:0;counter-reset:list-1 list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol,.ql-editor ul{padding-left:1.5em}.ql-editor ol&gt;li,.ql-editor ul&gt;li{list-style-type:none}.ql-editor ul&gt;li::before{content:'\\2022'}.ql-editor ul[data-checked=false],.ql-editor ul[data-checked=true]{pointer-events:none}.ql-editor ul[data-checked=false]&gt;li *,.ql-editor ul[data-checked=true]&gt;li *{pointer-events:all}.ql-editor ul[data-checked=false]&gt;li::before,.ql-editor ul[data-checked=true]&gt;li::before{color:#777;cursor:pointer;pointer-events:all}.ql-editor ul[data-checked=true]&gt;li::before{content:'\\2611'}.ql-editor ul[data-checked=false]&gt;li::before{content:'\\2610'}.ql-editor li::before{display:inline-block;white-space:nowrap;width:1.2em}.ql-editor li:not(.ql-direction-rtl)::before{margin-left:-1.5em;margin-right:.3em;text-align:right}.ql-editor li.ql-direction-rtl::before{margin-left:.3em;margin-right:-1.5em}.ql-editor ol li:not(.ql-direction-rtl),.ql-editor ul li:not(.ql-direction-rtl){padding-left:1.5em}.ql-editor ol li.ql-direction-rtl,.ql-editor ul li.ql-direction-rtl{padding-right:1.5em}.ql-editor ol li{counter-reset:list-1 list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9;counter-increment:list-0}.ql-editor ol li:before{content:counter(list-0,decimal) '. '}.ql-editor ol li.ql-indent-1{counter-increment:list-1}.ql-editor ol li.ql-indent-1:before{content:counter(list-1,lower-alpha) '. '}.ql-editor ol li.ql-indent-1{counter-reset:list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-2{counter-increment:list-2}.ql-editor ol li.ql-indent-2:before{content:counter(list-2,lower-roman) '. '}.ql-editor ol li.ql-indent-2{counter-reset:list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-3{counter-increment:list-3}.ql-editor ol li.ql-indent-3:before{content:counter(list-3,decimal) '. '}.ql-editor ol li.ql-indent-3{counter-reset:list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-4{counter-increment:list-4}.ql-editor ol li.ql-indent-4:before{content:counter(list-4,lower-alpha) '. '}.ql-editor ol li.ql-indent-4{counter-reset:list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-5{counter-increment:list-5}.ql-editor ol li.ql-indent-5:before{content:counter(list-5,lower-roman) '. '}.ql-editor ol li.ql-indent-5{counter-reset:list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-6{counter-increment:list-6}.ql-editor ol li.ql-indent-6:before{content:counter(list-6,decimal) '. '}.ql-editor ol li.ql-indent-6{counter-reset:list-7 list-8 list-9}.ql-editor ol li.ql-indent-7{counter-increment:list-7}.ql-editor ol li.ql-indent-7:before{content:counter(list-7,lower-alpha) '. '}.ql-editor ol li.ql-indent-7{counter-reset:list-8 list-9}.ql-editor ol li.ql-indent-8{counter-increment:list-8}.ql-editor ol li.ql-indent-8:before{content:counter(list-8,lower-roman) '. '}.ql-editor ol li.ql-indent-8{counter-reset:list-9}.ql-editor ol li.ql-indent-9{counter-increment:list-9}.ql-editor ol li.ql-indent-9:before{content:counter(list-9,decimal) '. '}.ql-editor .ql-indent-1:not(.ql-direction-rtl){padding-left:3em}.ql-editor li.ql-indent-1:not(.ql-direction-rtl){padding-left:4.5em}.ql-editor .ql-indent-1.ql-direction-rtl.ql-align-right{padding-right:3em}.ql-editor li.ql-indent-1.ql-direction-rtl.ql-align-right{padding-right:4.5em}.ql-editor .ql-indent-2:not(.ql-direction-rtl){padding-left:6em}.ql-editor li.ql-indent-2:not(.ql-direction-rtl){padding-left:7.5em}.ql-editor .ql-indent-2.ql-direction-rtl.ql-align-right{padding-right:6em}.ql-editor li.ql-indent-2.ql-direction-rtl.ql-align-right{padding-right:7.5em}.ql-editor .ql-indent-3:not(.ql-direction-rtl){padding-left:9em}.ql-editor li.ql-indent-3:not(.ql-direction-rtl){padding-left:10.5em}.ql-editor .ql-indent-3.ql-direction-rtl.ql-align-right{padding-right:9em}.ql-editor li.ql-indent-3.ql-direction-rtl.ql-align-right{padding-right:10.5em}.ql-editor .ql-indent-4:not(.ql-direction-rtl){padding-left:12em}.ql-editor li.ql-indent-4:not(.ql-direction-rtl){padding-left:13.5em}.ql-editor .ql-indent-4.ql-direction-rtl.ql-align-right{padding-right:12em}.ql-editor li.ql-indent-4.ql-direction-rtl.ql-align-right{padding-right:13.5em}.ql-editor .ql-indent-5:not(.ql-direction-rtl){padding-left:15em}.ql-editor li.ql-indent-5:not(.ql-direction-rtl){padding-left:16.5em}.ql-editor .ql-indent-5.ql-direction-rtl.ql-align-right{padding-right:15em}.ql-editor li.ql-indent-5.ql-direction-rtl.ql-align-right{padding-right:16.5em}.ql-editor .ql-indent-6:not(.ql-direction-rtl){padding-left:18em}.ql-editor li.ql-indent-6:not(.ql-direction-rtl){padding-left:19.5em}.ql-editor .ql-indent-6.ql-direction-rtl.ql-align-right{padding-right:18em}.ql-editor li.ql-indent-6.ql-direction-rtl.ql-align-right{padding-right:19.5em}.ql-editor .ql-indent-7:not(.ql-direction-rtl){padding-left:21em}.ql-editor li.ql-indent-7:not(.ql-direction-rtl){padding-left:22.5em}.ql-editor .ql-indent-7.ql-direction-rtl.ql-align-right{padding-right:21em}.ql-editor li.ql-indent-7.ql-direction-rtl.ql-align-right{padding-right:22.5em}.ql-editor .ql-indent-8:not(.ql-direction-rtl){padding-left:24em}.ql-editor li.ql-indent-8:not(.ql-direction-rtl){padding-left:25.5em}.ql-editor .ql-indent-8.ql-direction-rtl.ql-align-right{padding-right:24em}.ql-editor li.ql-indent-8.ql-direction-rtl.ql-align-right{padding-right:25.5em}.ql-editor .ql-indent-9:not(.ql-direction-rtl){padding-left:27em}.ql-editor li.ql-indent-9:not(.ql-direction-rtl){padding-left:28.5em}.ql-editor .ql-indent-9.ql-direction-rtl.ql-align-right{padding-right:27em}.ql-editor li.ql-indent-9.ql-direction-rtl.ql-align-right{padding-right:28.5em}.ql-editor .ql-video{display:block;max-width:100%}.ql-editor .ql-video.ql-align-center{margin:0 auto}.ql-editor .ql-video.ql-align-right{margin:0 0 0 auto}.ql-editor .ql-bg-black{background-color:#000}.ql-editor .ql-bg-red{background-color:#e60000}.ql-editor .ql-bg-orange{background-color:#f90}.ql-editor .ql-bg-yellow{background-color:#ff0}.ql-editor .ql-bg-green{background-color:#008a00}.ql-editor .ql-bg-blue{background-color:#06c}.ql-editor .ql-bg-purple{background-color:#93f}.ql-editor .ql-color-white{color:#fff}.ql-editor .ql-color-red{color:#e60000}.ql-editor .ql-color-orange{color:#f90}.ql-editor .ql-color-yellow{color:#ff0}.ql-editor .ql-color-green{color:#008a00}.ql-editor .ql-color-blue{color:#06c}.ql-editor .ql-color-purple{color:#93f}.ql-editor .ql-font-serif{font-family:Georgia,Times New Roman,serif}.ql-editor .ql-font-monospace{font-family:Monaco,Courier New,monospace}.ql-editor .ql-size-small{font-size:.75em}.ql-editor .ql-size-large{font-size:1.5em}.ql-editor .ql-size-huge{font-size:2.5em}.ql-editor .ql-direction-rtl{direction:rtl;text-align:inherit}.ql-editor .ql-align-center{text-align:center}.ql-editor .ql-align-justify{text-align:justify}.ql-editor .ql-align-right{text-align:right}.ql-editor.ql-blank::before{color:rgba(0,0,0,.6);content:attr(data-placeholder);font-style:italic;left:15px;pointer-events:none;position:absolute;right:15px}.ql-snow .ql-toolbar:after,.ql-snow.ql-toolbar:after{clear:both;content:'';display:table}.ql-snow .ql-toolbar button,.ql-snow.ql-toolbar button{background:0 0;border:none;cursor:pointer;display:inline-block;float:left;height:24px;padding:3px 5px;width:28px}.ql-snow .ql-toolbar button svg,.ql-snow.ql-toolbar button svg{float:left;height:100%}.ql-snow .ql-toolbar button:active:hover,.ql-snow.ql-toolbar button:active:hover{outline:0}.ql-snow .ql-toolbar input.ql-image[type=file],.ql-snow.ql-toolbar input.ql-image[type=file]{display:none}.ql-snow .ql-toolbar .ql-picker-item.ql-selected,.ql-snow .ql-toolbar .ql-picker-item:hover,.ql-snow .ql-toolbar .ql-picker-label.ql-active,.ql-snow .ql-toolbar .ql-picker-label:hover,.ql-snow .ql-toolbar button.ql-active,.ql-snow .ql-toolbar button:focus,.ql-snow .ql-toolbar button:hover,.ql-snow.ql-toolbar .ql-picker-item.ql-selected,.ql-snow.ql-toolbar .ql-picker-item:hover,.ql-snow.ql-toolbar .ql-picker-label.ql-active,.ql-snow.ql-toolbar .ql-picker-label:hover,.ql-snow.ql-toolbar button.ql-active,.ql-snow.ql-toolbar button:focus,.ql-snow.ql-toolbar button:hover{color:#06c}.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-fill,.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-fill,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-fill,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-fill,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-stroke.ql-fill,.ql-snow .ql-toolbar button.ql-active .ql-fill,.ql-snow .ql-toolbar button.ql-active .ql-stroke.ql-fill,.ql-snow .ql-toolbar button:focus .ql-fill,.ql-snow .ql-toolbar button:focus .ql-stroke.ql-fill,.ql-snow .ql-toolbar button:hover .ql-fill,.ql-snow .ql-toolbar button:hover .ql-stroke.ql-fill,.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-fill,.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-stroke.ql-fill,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-fill,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-stroke.ql-fill,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-fill,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-stroke.ql-fill,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-fill,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-stroke.ql-fill,.ql-snow.ql-toolbar button.ql-active .ql-fill,.ql-snow.ql-toolbar button.ql-active .ql-stroke.ql-fill,.ql-snow.ql-toolbar button:focus .ql-fill,.ql-snow.ql-toolbar button:focus .ql-stroke.ql-fill,.ql-snow.ql-toolbar button:hover .ql-fill,.ql-snow.ql-toolbar button:hover .ql-stroke.ql-fill{fill:#06c}.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-stroke,.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-stroke,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-stroke,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-stroke,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-stroke-miter,.ql-snow .ql-toolbar button.ql-active .ql-stroke,.ql-snow .ql-toolbar button.ql-active .ql-stroke-miter,.ql-snow .ql-toolbar button:focus .ql-stroke,.ql-snow .ql-toolbar button:focus .ql-stroke-miter,.ql-snow .ql-toolbar button:hover .ql-stroke,.ql-snow .ql-toolbar button:hover .ql-stroke-miter,.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-stroke,.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-stroke-miter,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-stroke,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-stroke-miter,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-stroke,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-stroke-miter,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-stroke,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-stroke-miter,.ql-snow.ql-toolbar button.ql-active .ql-stroke,.ql-snow.ql-toolbar button.ql-active .ql-stroke-miter,.ql-snow.ql-toolbar button:focus .ql-stroke,.ql-snow.ql-toolbar button:focus .ql-stroke-miter,.ql-snow.ql-toolbar button:hover .ql-stroke,.ql-snow.ql-toolbar button:hover .ql-stroke-miter{stroke:#06c}@media (pointer:coarse){.ql-snow .ql-toolbar button:hover:not(.ql-active),.ql-snow.ql-toolbar button:hover:not(.ql-active){color:#444}.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-fill,.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-stroke.ql-fill,.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-fill,.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-stroke.ql-fill{fill:#444}.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-stroke,.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-stroke-miter,.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-stroke,.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-stroke-miter{stroke:#444}}.ql-snow{box-sizing:border-box}.ql-snow *{box-sizing:border-box}.ql-snow .ql-hidden{display:none}.ql-snow .ql-out-bottom,.ql-snow .ql-out-top{visibility:hidden}.ql-snow .ql-tooltip{position:absolute;transform:translateY(10px)}.ql-snow .ql-tooltip a{cursor:pointer;text-decoration:none}.ql-snow .ql-tooltip.ql-flip{transform:translateY(-10px)}.ql-snow .ql-formats{display:inline-block;vertical-align:middle}.ql-snow .ql-formats:after{clear:both;content:'';display:table}.ql-snow .ql-stroke{fill:none;stroke:#444;stroke-linecap:round;stroke-linejoin:round;stroke-width:2}.ql-snow .ql-stroke-miter{fill:none;stroke:#444;stroke-miterlimit:10;stroke-width:2}.ql-snow .ql-fill,.ql-snow .ql-stroke.ql-fill{fill:#444}.ql-snow .ql-empty{fill:none}.ql-snow .ql-even{fill-rule:evenodd}.ql-snow .ql-stroke.ql-thin,.ql-snow .ql-thin{stroke-width:1}.ql-snow .ql-transparent{opacity:.4}.ql-snow .ql-direction svg:last-child{display:none}.ql-snow .ql-direction.ql-active svg:last-child{display:inline}.ql-snow .ql-direction.ql-active svg:first-child{display:none}.ql-snow .ql-editor h1{font-size:2em}.ql-snow .ql-editor h2{font-size:1.5em}.ql-snow .ql-editor h3{font-size:1.17em}.ql-snow .ql-editor h4{font-size:1em}.ql-snow .ql-editor h5{font-size:.83em}.ql-snow .ql-editor h6{font-size:.67em}.ql-snow .ql-editor a{text-decoration:underline}.ql-snow .ql-editor blockquote{border-left:4px solid #ccc;margin-bottom:5px;margin-top:5px;padding-left:16px}.ql-snow .ql-editor code,.ql-snow .ql-editor pre{background-color:#f0f0f0;border-radius:3px}.ql-snow .ql-editor pre{white-space:pre-wrap;margin-bottom:5px;margin-top:5px;padding:5px 10px}.ql-snow .ql-editor code{font-size:85%;padding:2px 4px}.ql-snow .ql-editor pre.ql-syntax{background-color:#23241f;color:#f8f8f2;overflow:visible}.ql-snow .ql-editor img{max-width:100%}.ql-snow .ql-picker{color:#444;display:inline-block;float:left;font-size:14px;font-weight:500;height:24px;position:relative;vertical-align:middle}.ql-snow .ql-picker-label{cursor:pointer;display:inline-block;height:100%;padding-left:8px;padding-right:2px;position:relative;width:100%}.ql-snow .ql-picker-label::before{display:inline-block;line-height:22px}.ql-snow .ql-picker-options{background-color:#fff;display:none;min-width:100%;padding:4px 8px;position:absolute;white-space:nowrap}.ql-snow .ql-picker-options .ql-picker-item{cursor:pointer;display:block;padding-bottom:5px;padding-top:5px}.ql-snow .ql-picker.ql-expanded .ql-picker-label{color:#ccc;z-index:2}.ql-snow .ql-picker.ql-expanded .ql-picker-label .ql-fill{fill:#ccc}.ql-snow .ql-picker.ql-expanded .ql-picker-label .ql-stroke{stroke:#ccc}.ql-snow .ql-picker.ql-expanded .ql-picker-options{display:block;margin-top:-1px;top:100%;z-index:1}.ql-snow .ql-color-picker,.ql-snow .ql-icon-picker{width:28px}.ql-snow .ql-color-picker .ql-picker-label,.ql-snow .ql-icon-picker .ql-picker-label{padding:2px 4px}.ql-snow .ql-color-picker .ql-picker-label svg,.ql-snow .ql-icon-picker .ql-picker-label svg{right:4px}.ql-snow .ql-icon-picker .ql-picker-options{padding:4px 0}.ql-snow .ql-icon-picker .ql-picker-item{height:24px;width:24px;padding:2px 4px}.ql-snow .ql-color-picker .ql-picker-options{padding:3px 5px;width:152px}.ql-snow .ql-color-picker .ql-picker-item{border:1px solid transparent;float:left;height:16px;margin:2px;padding:0;width:16px}.ql-snow .ql-picker:not(.ql-color-picker):not(.ql-icon-picker) svg{position:absolute;margin-top:-9px;right:0;top:50%;width:18px}.ql-snow .ql-picker.ql-font .ql-picker-item[data-label]:not([data-label=''])::before,.ql-snow .ql-picker.ql-font .ql-picker-label[data-label]:not([data-label=''])::before,.ql-snow .ql-picker.ql-header .ql-picker-item[data-label]:not([data-label=''])::before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-label]:not([data-label=''])::before,.ql-snow .ql-picker.ql-size .ql-picker-item[data-label]:not([data-label=''])::before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-label]:not([data-label=''])::before{content:attr(data-label)}.ql-snow .ql-picker.ql-header{width:98px}.ql-snow .ql-picker.ql-header .ql-picker-item::before,.ql-snow .ql-picker.ql-header .ql-picker-label::before{content:'Normal'}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"1\"]::before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value=\"1\"]::before{content:'Heading 1'}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"2\"]::before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value=\"2\"]::before{content:'Heading 2'}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"3\"]::before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value=\"3\"]::before{content:'Heading 3'}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"4\"]::before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value=\"4\"]::before{content:'Heading 4'}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"5\"]::before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value=\"5\"]::before{content:'Heading 5'}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"6\"]::before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value=\"6\"]::before{content:'Heading 6'}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"1\"]::before{font-size:2em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"2\"]::before{font-size:1.5em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"3\"]::before{font-size:1.17em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"4\"]::before{font-size:1em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"5\"]::before{font-size:.83em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value=\"6\"]::before{font-size:.67em}.ql-snow .ql-picker.ql-font{width:108px}.ql-snow .ql-picker.ql-font .ql-picker-item::before,.ql-snow .ql-picker.ql-font .ql-picker-label::before{content:'Sans Serif'}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=serif]::before,.ql-snow .ql-picker.ql-font .ql-picker-label[data-value=serif]::before{content:'Serif'}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=monospace]::before,.ql-snow .ql-picker.ql-font .ql-picker-label[data-value=monospace]::before{content:'Monospace'}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=serif]::before{font-family:Georgia,Times New Roman,serif}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=monospace]::before{font-family:Monaco,Courier New,monospace}.ql-snow .ql-picker.ql-size{width:98px}.ql-snow .ql-picker.ql-size .ql-picker-item::before,.ql-snow .ql-picker.ql-size .ql-picker-label::before{content:'Normal'}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=small]::before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-value=small]::before{content:'Small'}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=large]::before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-value=large]::before{content:'Large'}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=huge]::before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-value=huge]::before{content:'Huge'}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=small]::before{font-size:10px}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=large]::before{font-size:18px}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=huge]::before{font-size:32px}.ql-snow .ql-color-picker.ql-background .ql-picker-item{background-color:#fff}.ql-snow .ql-color-picker.ql-color .ql-picker-item{background-color:#000}.ql-toolbar.ql-snow{border:1px solid #ccc;box-sizing:border-box;font-family:'Helvetica Neue',Helvetica,Arial,sans-serif;padding:8px}.ql-toolbar.ql-snow .ql-formats{margin-right:15px}.ql-toolbar.ql-snow .ql-picker-label{border:1px solid transparent}.ql-toolbar.ql-snow .ql-picker-options{border:1px solid transparent;box-shadow:rgba(0,0,0,.2) 0 2px 8px}.ql-toolbar.ql-snow .ql-picker.ql-expanded .ql-picker-label{border-color:#ccc}.ql-toolbar.ql-snow .ql-picker.ql-expanded .ql-picker-options{border-color:#ccc}.ql-toolbar.ql-snow .ql-color-picker .ql-picker-item.ql-selected,.ql-toolbar.ql-snow .ql-color-picker .ql-picker-item:hover{border-color:#000}.ql-toolbar.ql-snow+.ql-container.ql-snow{border-top:0}.ql-snow .ql-tooltip{background-color:#fff;border:1px solid #ccc;box-shadow:0 0 5px #ddd;color:#444;padding:5px 12px;white-space:nowrap}.ql-snow .ql-tooltip::before{content:\"Visit URL:\";line-height:26px;margin-right:8px}.ql-snow .ql-tooltip input[type=text]{display:none;border:1px solid #ccc;font-size:13px;height:26px;margin:0;padding:3px 5px;width:170px}.ql-snow .ql-tooltip a.ql-preview{display:inline-block;max-width:200px;overflow-x:hidden;text-overflow:ellipsis;vertical-align:top}.ql-snow .ql-tooltip a.ql-action::after{border-right:1px solid #ccc;content:'Edit';margin-left:16px;padding-right:8px}.ql-snow .ql-tooltip a.ql-remove::before{content:'Remove';margin-left:8px}.ql-snow .ql-tooltip a{line-height:26px}.ql-snow .ql-tooltip.ql-editing a.ql-preview,.ql-snow .ql-tooltip.ql-editing a.ql-remove{display:none}.ql-snow .ql-tooltip.ql-editing input[type=text]{display:inline-block}.ql-snow .ql-tooltip.ql-editing a.ql-action::after{border-right:0;content:'Save';padding-right:0}.ql-snow .ql-tooltip[data-mode=link]::before{content:\"Enter link:\"}.ql-snow .ql-tooltip[data-mode=formula]::before{content:\"Enter formula:\"}.ql-snow .ql-tooltip[data-mode=video]::before{content:\"Enter video:\"}.ql-snow a{color:#06c}.ql-container.ql-snow{border:1px solid #ccc}", map: undefined, media: undefined })
,inject("data-v-776e788e_1", { source: ".ql-editor{min-height:200px;font-size:16px}.ql-snow .ql-stroke.ql-thin,.ql-snow .ql-thin{stroke-width:1px!important}.quillWrapper .ql-snow.ql-toolbar{padding-top:8px;padding-bottom:4px}.quillWrapper .ql-snow.ql-toolbar .ql-formats{margin-bottom:10px}.ql-snow .ql-toolbar button svg,.quillWrapper .ql-snow.ql-toolbar button svg{width:22px;height:22px}.quillWrapper .ql-editor ul[data-checked=false]&gt;li::before,.quillWrapper .ql-editor ul[data-checked=true]&gt;li::before{font-size:1.35em;vertical-align:baseline;bottom:-.065em;font-weight:900;color:#222}.quillWrapper .ql-snow .ql-stroke{stroke:rgba(63,63,63,.95);stroke-linecap:square;stroke-linejoin:initial;stroke-width:1.7px}.quillWrapper .ql-picker-label{font-size:15px}.quillWrapper .ql-snow .ql-active .ql-stroke{stroke-width:2.25px}.quillWrapper .ql-toolbar.ql-snow .ql-formats{vertical-align:top}.ql-picker:not(.ql-background){position:relative;top:2px}.ql-picker.ql-color-picker svg{width:22px!important;height:22px!important}.quillWrapper .imageResizeActive img{display:block;cursor:pointer}.quillWrapper .imageResizeActive~div svg{cursor:pointer}", map: undefined, media: undefined });

  };
  /* scoped */
  const __vue_scope_id__ = undefined;
  /* module identifier */
  const __vue_module_identifier__ = undefined;
  /* functional template */
  const __vue_is_functional_template__ = false;
  /* style inject SSR */
  

  
  var VueEditor = normalizeComponent_1(
    { render: __vue_render__, staticRenderFns: __vue_staticRenderFns__ },
    __vue_inject_styles__,
    __vue_script__,
    __vue_scope_id__,
    __vue_is_functional_template__,
    __vue_module_identifier__,
    browser,
    undefined
  );

var version = "2.10.3"; // Declare install function executed by Vue.use()

function install(Vue) {
  if (install.installed) return;
  install.installed = true;
  Vue.component("VueEditor", VueEditor);
}
var VPlugin = {
  install: install,
  version: version,
  Quill: (quill__WEBPACK_IMPORTED_MODULE_0___default()),
  VueEditor: VueEditor
}; // Auto-install when vue is found (eg. in browser via &lt;script&gt; tag)

var GlobalVue = null;

if (typeof window !== "undefined") {
  GlobalVue = window.Vue;
} else if (typeof __webpack_require__.g !== "undefined") {
  GlobalVue = __webpack_require__.g.Vue;
}

if (GlobalVue) {
  GlobalVue.use(VPlugin);
}
/*************************************************/

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (VPlugin);



/***/ }),

/***/ "./node_modules/vuex-persistedstate/dist/vuex-persistedstate.es.js":
/*!*************************************************************************!*\
  !*** ./node_modules/vuex-persistedstate/dist/vuex-persistedstate.es.js ***!
  \*************************************************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__)
/* harmony export */ });
var r=function(r){return function(r){return!!r&amp;&amp;"object"==typeof r}(r)&amp;&amp;!function(r){var t=Object.prototype.toString.call(r);return"[object RegExp]"===t||"[object Date]"===t||function(r){return r.$$typeof===e}(r)}(r)},e="function"==typeof Symbol&amp;&amp;Symbol.for?Symbol.for("react.element"):60103;function t(r,e){return!1!==e.clone&amp;&amp;e.isMergeableObject(r)?u(Array.isArray(r)?[]:{},r,e):r}function n(r,e,n){return r.concat(e).map(function(r){return t(r,n)})}function o(r){return Object.keys(r).concat(function(r){return Object.getOwnPropertySymbols?Object.getOwnPropertySymbols(r).filter(function(e){return r.propertyIsEnumerable(e)}):[]}(r))}function c(r,e){try{return e in r}catch(r){return!1}}function u(e,i,a){(a=a||{}).arrayMerge=a.arrayMerge||n,a.isMergeableObject=a.isMergeableObject||r,a.cloneUnlessOtherwiseSpecified=t;var f=Array.isArray(i);return f===Array.isArray(e)?f?a.arrayMerge(e,i,a):function(r,e,n){var i={};return n.isMergeableObject(r)&amp;&amp;o(r).forEach(function(e){i[e]=t(r[e],n)}),o(e).forEach(function(o){(function(r,e){return c(r,e)&amp;&amp;!(Object.hasOwnProperty.call(r,e)&amp;&amp;Object.propertyIsEnumerable.call(r,e))})(r,o)||(i[o]=c(r,o)&amp;&amp;n.isMergeableObject(e[o])?function(r,e){if(!e.customMerge)return u;var t=e.customMerge(r);return"function"==typeof t?t:u}(o,n)(r[o],e[o],n):t(e[o],n))}),i}(e,i,a):t(i,a)}u.all=function(r,e){if(!Array.isArray(r))throw new Error("first argument should be an array");return r.reduce(function(r,t){return u(r,t,e)},{})};var i=u;function a(r){var e=(r=r||{}).storage||window&amp;&amp;window.localStorage,t=r.key||"vuex";function n(r,e){var t=e.getItem(r);try{return"string"==typeof t?JSON.parse(t):"object"==typeof t?t:void 0}catch(r){}}function o(){return!0}function c(r,e,t){return t.setItem(r,JSON.stringify(e))}function u(r,e){return Array.isArray(e)?e.reduce(function(e,t){return function(r,e,t,n){return!/^(__proto__|constructor|prototype)$/.test(e)&amp;&amp;((e=e.split?e.split("."):e.slice(0)).slice(0,-1).reduce(function(r,e){return r[e]=r[e]||{}},r)[e.pop()]=t),r}(e,t,(n=r,void 0===(n=((o=t).split?o.split("."):o).reduce(function(r,e){return r&amp;&amp;r[e]},n))?void 0:n));var n,o},{}):r}function a(r){return function(e){return r.subscribe(e)}}(r.assertStorage||function(){e.setItem("@@",1),e.removeItem("@@")})(e);var f,s=function(){return(r.getState||n)(t,e)};return r.fetchBeforeUse&amp;&amp;(f=s()),function(n){r.fetchBeforeUse||(f=s()),"object"==typeof f&amp;&amp;null!==f&amp;&amp;(n.replaceState(r.overwrite?f:i(n.state,f,{arrayMerge:r.arrayMerger||function(r,e){return e},clone:!1})),(r.rehydrated||function(){})(n)),(r.subscriber||a)(n)(function(n,i){(r.filter||o)(n)&amp;&amp;(r.setState||c)(t,(r.reducer||u)(i,r.paths),e)})}}/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (a);
//# sourceMappingURL=vuex-persistedstate.es.js.map


/***/ }),

/***/ "./node_modules/vuex/dist/vuex.esm.js":
/*!********************************************!*\
  !*** ./node_modules/vuex/dist/vuex.esm.js ***!
  \********************************************/
/***/ ((__unused_webpack_module, __webpack_exports__, __webpack_require__) =&gt; {

"use strict";
__webpack_require__.r(__webpack_exports__);
/* harmony export */ __webpack_require__.d(__webpack_exports__, {
/* harmony export */   Store: () =&gt; (/* binding */ Store),
/* harmony export */   createLogger: () =&gt; (/* binding */ createLogger),
/* harmony export */   createNamespacedHelpers: () =&gt; (/* binding */ createNamespacedHelpers),
/* harmony export */   "default": () =&gt; (__WEBPACK_DEFAULT_EXPORT__),
/* harmony export */   install: () =&gt; (/* binding */ install),
/* harmony export */   mapActions: () =&gt; (/* binding */ mapActions),
/* harmony export */   mapGetters: () =&gt; (/* binding */ mapGetters),
/* harmony export */   mapMutations: () =&gt; (/* binding */ mapMutations),
/* harmony export */   mapState: () =&gt; (/* binding */ mapState)
/* harmony export */ });
/*!
 * vuex v3.6.2
 * (c) 2021 Evan You
 * @license MIT
 */
function applyMixin (Vue) {
  var version = Number(Vue.version.split('.')[0]);

  if (version &gt;= 2) {
    Vue.mixin({ beforeCreate: vuexInit });
  } else {
    // override init and inject vuex init procedure
    // for 1.x backwards compatibility.
    var _init = Vue.prototype._init;
    Vue.prototype._init = function (options) {
      if ( options === void 0 ) options = {};

      options.init = options.init
        ? [vuexInit].concat(options.init)
        : vuexInit;
      _init.call(this, options);
    };
  }

  /**
   * Vuex init hook, injected into each instances init hooks list.
   */

  function vuexInit () {
    var options = this.$options;
    // store injection
    if (options.store) {
      this.$store = typeof options.store === 'function'
        ? options.store()
        : options.store;
    } else if (options.parent &amp;&amp; options.parent.$store) {
      this.$store = options.parent.$store;
    }
  }
}

var target = typeof window !== 'undefined'
  ? window
  : typeof __webpack_require__.g !== 'undefined'
    ? __webpack_require__.g
    : {};
var devtoolHook = target.__VUE_DEVTOOLS_GLOBAL_HOOK__;

function devtoolPlugin (store) {
  if (!devtoolHook) { return }

  store._devtoolHook = devtoolHook;

  devtoolHook.emit('vuex:init', store);

  devtoolHook.on('vuex:travel-to-state', function (targetState) {
    store.replaceState(targetState);
  });

  store.subscribe(function (mutation, state) {
    devtoolHook.emit('vuex:mutation', mutation, state);
  }, { prepend: true });

  store.subscribeAction(function (action, state) {
    devtoolHook.emit('vuex:action', action, state);
  }, { prepend: true });
}

/**
 * Get the first item that pass the test
 * by second argument function
 *
 * @param {Array} list
 * @param {Function} f
 * @return {*}
 */
function find (list, f) {
  return list.filter(f)[0]
}

/**
 * Deep copy the given object considering circular structure.
 * This function caches all nested objects and its copies.
 * If it detects circular structure, use cached copy to avoid infinite loop.
 *
 * @param {*} obj
 * @param {Array&lt;Object&gt;} cache
 * @return {*}
 */
function deepCopy (obj, cache) {
  if ( cache === void 0 ) cache = [];

  // just return if obj is immutable value
  if (obj === null || typeof obj !== 'object') {
    return obj
  }

  // if obj is hit, it is in circular structure
  var hit = find(cache, function (c) { return c.original === obj; });
  if (hit) {
    return hit.copy
  }

  var copy = Array.isArray(obj) ? [] : {};
  // put the copy into cache at first
  // because we want to refer it in recursive deepCopy
  cache.push({
    original: obj,
    copy: copy
  });

  Object.keys(obj).forEach(function (key) {
    copy[key] = deepCopy(obj[key], cache);
  });

  return copy
}

/**
 * forEach for object
 */
function forEachValue (obj, fn) {
  Object.keys(obj).forEach(function (key) { return fn(obj[key], key); });
}

function isObject (obj) {
  return obj !== null &amp;&amp; typeof obj === 'object'
}

function isPromise (val) {
  return val &amp;&amp; typeof val.then === 'function'
}

function assert (condition, msg) {
  if (!condition) { throw new Error(("[vuex] " + msg)) }
}

function partial (fn, arg) {
  return function () {
    return fn(arg)
  }
}

// Base data struct for store's module, package with some attribute and method
var Module = function Module (rawModule, runtime) {
  this.runtime = runtime;
  // Store some children item
  this._children = Object.create(null);
  // Store the origin module object which passed by programmer
  this._rawModule = rawModule;
  var rawState = rawModule.state;

  // Store the origin module's state
  this.state = (typeof rawState === 'function' ? rawState() : rawState) || {};
};

var prototypeAccessors = { namespaced: { configurable: true } };

prototypeAccessors.namespaced.get = function () {
  return !!this._rawModule.namespaced
};

Module.prototype.addChild = function addChild (key, module) {
  this._children[key] = module;
};

Module.prototype.removeChild = function removeChild (key) {
  delete this._children[key];
};

Module.prototype.getChild = function getChild (key) {
  return this._children[key]
};

Module.prototype.hasChild = function hasChild (key) {
  return key in this._children
};

Module.prototype.update = function update (rawModule) {
  this._rawModule.namespaced = rawModule.namespaced;
  if (rawModule.actions) {
    this._rawModule.actions = rawModule.actions;
  }
  if (rawModule.mutations) {
    this._rawModule.mutations = rawModule.mutations;
  }
  if (rawModule.getters) {
    this._rawModule.getters = rawModule.getters;
  }
};

Module.prototype.forEachChild = function forEachChild (fn) {
  forEachValue(this._children, fn);
};

Module.prototype.forEachGetter = function forEachGetter (fn) {
  if (this._rawModule.getters) {
    forEachValue(this._rawModule.getters, fn);
  }
};

Module.prototype.forEachAction = function forEachAction (fn) {
  if (this._rawModule.actions) {
    forEachValue(this._rawModule.actions, fn);
  }
};

Module.prototype.forEachMutation = function forEachMutation (fn) {
  if (this._rawModule.mutations) {
    forEachValue(this._rawModule.mutations, fn);
  }
};

Object.defineProperties( Module.prototype, prototypeAccessors );

var ModuleCollection = function ModuleCollection (rawRootModule) {
  // register root module (Vuex.Store options)
  this.register([], rawRootModule, false);
};

ModuleCollection.prototype.get = function get (path) {
  return path.reduce(function (module, key) {
    return module.getChild(key)
  }, this.root)
};

ModuleCollection.prototype.getNamespace = function getNamespace (path) {
  var module = this.root;
  return path.reduce(function (namespace, key) {
    module = module.getChild(key);
    return namespace + (module.namespaced ? key + '/' : '')
  }, '')
};

ModuleCollection.prototype.update = function update$1 (rawRootModule) {
  update([], this.root, rawRootModule);
};

ModuleCollection.prototype.register = function register (path, rawModule, runtime) {
    var this$1 = this;
    if ( runtime === void 0 ) runtime = true;

  if ((true)) {
    assertRawModule(path, rawModule);
  }

  var newModule = new Module(rawModule, runtime);
  if (path.length === 0) {
    this.root = newModule;
  } else {
    var parent = this.get(path.slice(0, -1));
    parent.addChild(path[path.length - 1], newModule);
  }

  // register nested modules
  if (rawModule.modules) {
    forEachValue(rawModule.modules, function (rawChildModule, key) {
      this$1.register(path.concat(key), rawChildModule, runtime);
    });
  }
};

ModuleCollection.prototype.unregister = function unregister (path) {
  var parent = this.get(path.slice(0, -1));
  var key = path[path.length - 1];
  var child = parent.getChild(key);

  if (!child) {
    if ((true)) {
      console.warn(
        "[vuex] trying to unregister module '" + key + "', which is " +
        "not registered"
      );
    }
    return
  }

  if (!child.runtime) {
    return
  }

  parent.removeChild(key);
};

ModuleCollection.prototype.isRegistered = function isRegistered (path) {
  var parent = this.get(path.slice(0, -1));
  var key = path[path.length - 1];

  if (parent) {
    return parent.hasChild(key)
  }

  return false
};

function update (path, targetModule, newModule) {
  if ((true)) {
    assertRawModule(path, newModule);
  }

  // update target module
  targetModule.update(newModule);

  // update nested modules
  if (newModule.modules) {
    for (var key in newModule.modules) {
      if (!targetModule.getChild(key)) {
        if ((true)) {
          console.warn(
            "[vuex] trying to add a new module '" + key + "' on hot reloading, " +
            'manual reload is needed'
          );
        }
        return
      }
      update(
        path.concat(key),
        targetModule.getChild(key),
        newModule.modules[key]
      );
    }
  }
}

var functionAssert = {
  assert: function (value) { return typeof value === 'function'; },
  expected: 'function'
};

var objectAssert = {
  assert: function (value) { return typeof value === 'function' ||
    (typeof value === 'object' &amp;&amp; typeof value.handler === 'function'); },
  expected: 'function or object with "handler" function'
};

var assertTypes = {
  getters: functionAssert,
  mutations: functionAssert,
  actions: objectAssert
};

function assertRawModule (path, rawModule) {
  Object.keys(assertTypes).forEach(function (key) {
    if (!rawModule[key]) { return }

    var assertOptions = assertTypes[key];

    forEachValue(rawModule[key], function (value, type) {
      assert(
        assertOptions.assert(value),
        makeAssertionMessage(path, key, type, value, assertOptions.expected)
      );
    });
  });
}

function makeAssertionMessage (path, key, type, value, expected) {
  var buf = key + " should be " + expected + " but \"" + key + "." + type + "\"";
  if (path.length &gt; 0) {
    buf += " in module \"" + (path.join('.')) + "\"";
  }
  buf += " is " + (JSON.stringify(value)) + ".";
  return buf
}

var Vue; // bind on install

var Store = function Store (options) {
  var this$1 = this;
  if ( options === void 0 ) options = {};

  // Auto install if it is not done yet and `window` has `Vue`.
  // To allow users to avoid auto-installation in some cases,
  // this code should be placed here. See #731
  if (!Vue &amp;&amp; typeof window !== 'undefined' &amp;&amp; window.Vue) {
    install(window.Vue);
  }

  if ((true)) {
    assert(Vue, "must call Vue.use(Vuex) before creating a store instance.");
    assert(typeof Promise !== 'undefined', "vuex requires a Promise polyfill in this browser.");
    assert(this instanceof Store, "store must be called with the new operator.");
  }

  var plugins = options.plugins; if ( plugins === void 0 ) plugins = [];
  var strict = options.strict; if ( strict === void 0 ) strict = false;

  // store internal state
  this._committing = false;
  this._actions = Object.create(null);
  this._actionSubscribers = [];
  this._mutations = Object.create(null);
  this._wrappedGetters = Object.create(null);
  this._modules = new ModuleCollection(options);
  this._modulesNamespaceMap = Object.create(null);
  this._subscribers = [];
  this._watcherVM = new Vue();
  this._makeLocalGettersCache = Object.create(null);

  // bind commit and dispatch to self
  var store = this;
  var ref = this;
  var dispatch = ref.dispatch;
  var commit = ref.commit;
  this.dispatch = function boundDispatch (type, payload) {
    return dispatch.call(store, type, payload)
  };
  this.commit = function boundCommit (type, payload, options) {
    return commit.call(store, type, payload, options)
  };

  // strict mode
  this.strict = strict;

  var state = this._modules.root.state;

  // init root module.
  // this also recursively registers all sub-modules
  // and collects all module getters inside this._wrappedGetters
  installModule(this, state, [], this._modules.root);

  // initialize the store vm, which is responsible for the reactivity
  // (also registers _wrappedGetters as computed properties)
  resetStoreVM(this, state);

  // apply plugins
  plugins.forEach(function (plugin) { return plugin(this$1); });

  var useDevtools = options.devtools !== undefined ? options.devtools : Vue.config.devtools;
  if (useDevtools) {
    devtoolPlugin(this);
  }
};

var prototypeAccessors$1 = { state: { configurable: true } };

prototypeAccessors$1.state.get = function () {
  return this._vm._data.$$state
};

prototypeAccessors$1.state.set = function (v) {
  if ((true)) {
    assert(false, "use store.replaceState() to explicit replace store state.");
  }
};

Store.prototype.commit = function commit (_type, _payload, _options) {
    var this$1 = this;

  // check object-style commit
  var ref = unifyObjectStyle(_type, _payload, _options);
    var type = ref.type;
    var payload = ref.payload;
    var options = ref.options;

  var mutation = { type: type, payload: payload };
  var entry = this._mutations[type];
  if (!entry) {
    if ((true)) {
      console.error(("[vuex] unknown mutation type: " + type));
    }
    return
  }
  this._withCommit(function () {
    entry.forEach(function commitIterator (handler) {
      handler(payload);
    });
  });

  this._subscribers
    .slice() // shallow copy to prevent iterator invalidation if subscriber synchronously calls unsubscribe
    .forEach(function (sub) { return sub(mutation, this$1.state); });

  if (
    ( true) &amp;&amp;
    options &amp;&amp; options.silent
  ) {
    console.warn(
      "[vuex] mutation type: " + type + ". Silent option has been removed. " +
      'Use the filter functionality in the vue-devtools'
    );
  }
};

Store.prototype.dispatch = function dispatch (_type, _payload) {
    var this$1 = this;

  // check object-style dispatch
  var ref = unifyObjectStyle(_type, _payload);
    var type = ref.type;
    var payload = ref.payload;

  var action = { type: type, payload: payload };
  var entry = this._actions[type];
  if (!entry) {
    if ((true)) {
      console.error(("[vuex] unknown action type: " + type));
    }
    return
  }

  try {
    this._actionSubscribers
      .slice() // shallow copy to prevent iterator invalidation if subscriber synchronously calls unsubscribe
      .filter(function (sub) { return sub.before; })
      .forEach(function (sub) { return sub.before(action, this$1.state); });
  } catch (e) {
    if ((true)) {
      console.warn("[vuex] error in before action subscribers: ");
      console.error(e);
    }
  }

  var result = entry.length &gt; 1
    ? Promise.all(entry.map(function (handler) { return handler(payload); }))
    : entry[0](payload);

  return new Promise(function (resolve, reject) {
    result.then(function (res) {
      try {
        this$1._actionSubscribers
          .filter(function (sub) { return sub.after; })
          .forEach(function (sub) { return sub.after(action, this$1.state); });
      } catch (e) {
        if ((true)) {
          console.warn("[vuex] error in after action subscribers: ");
          console.error(e);
        }
      }
      resolve(res);
    }, function (error) {
      try {
        this$1._actionSubscribers
          .filter(function (sub) { return sub.error; })
          .forEach(function (sub) { return sub.error(action, this$1.state, error); });
      } catch (e) {
        if ((true)) {
          console.warn("[vuex] error in error action subscribers: ");
          console.error(e);
        }
      }
      reject(error);
    });
  })
};

Store.prototype.subscribe = function subscribe (fn, options) {
  return genericSubscribe(fn, this._subscribers, options)
};

Store.prototype.subscribeAction = function subscribeAction (fn, options) {
  var subs = typeof fn === 'function' ? { before: fn } : fn;
  return genericSubscribe(subs, this._actionSubscribers, options)
};

Store.prototype.watch = function watch (getter, cb, options) {
    var this$1 = this;

  if ((true)) {
    assert(typeof getter === 'function', "store.watch only accepts a function.");
  }
  return this._watcherVM.$watch(function () { return getter(this$1.state, this$1.getters); }, cb, options)
};

Store.prototype.replaceState = function replaceState (state) {
    var this$1 = this;

  this._withCommit(function () {
    this$1._vm._data.$$state = state;
  });
};

Store.prototype.registerModule = function registerModule (path, rawModule, options) {
    if ( options === void 0 ) options = {};

  if (typeof path === 'string') { path = [path]; }

  if ((true)) {
    assert(Array.isArray(path), "module path must be a string or an Array.");
    assert(path.length &gt; 0, 'cannot register the root module by using registerModule.');
  }

  this._modules.register(path, rawModule);
  installModule(this, this.state, path, this._modules.get(path), options.preserveState);
  // reset store to update getters...
  resetStoreVM(this, this.state);
};

Store.prototype.unregisterModule = function unregisterModule (path) {
    var this$1 = this;

  if (typeof path === 'string') { path = [path]; }

  if ((true)) {
    assert(Array.isArray(path), "module path must be a string or an Array.");
  }

  this._modules.unregister(path);
  this._withCommit(function () {
    var parentState = getNestedState(this$1.state, path.slice(0, -1));
    Vue.delete(parentState, path[path.length - 1]);
  });
  resetStore(this);
};

Store.prototype.hasModule = function hasModule (path) {
  if (typeof path === 'string') { path = [path]; }

  if ((true)) {
    assert(Array.isArray(path), "module path must be a string or an Array.");
  }

  return this._modules.isRegistered(path)
};

Store.prototype.hotUpdate = function hotUpdate (newOptions) {
  this._modules.update(newOptions);
  resetStore(this, true);
};

Store.prototype._withCommit = function _withCommit (fn) {
  var committing = this._committing;
  this._committing = true;
  fn();
  this._committing = committing;
};

Object.defineProperties( Store.prototype, prototypeAccessors$1 );

function genericSubscribe (fn, subs, options) {
  if (subs.indexOf(fn) &lt; 0) {
    options &amp;&amp; options.prepend
      ? subs.unshift(fn)
      : subs.push(fn);
  }
  return function () {
    var i = subs.indexOf(fn);
    if (i &gt; -1) {
      subs.splice(i, 1);
    }
  }
}

function resetStore (store, hot) {
  store._actions = Object.create(null);
  store._mutations = Object.create(null);
  store._wrappedGetters = Object.create(null);
  store._modulesNamespaceMap = Object.create(null);
  var state = store.state;
  // init all modules
  installModule(store, state, [], store._modules.root, true);
  // reset vm
  resetStoreVM(store, state, hot);
}

function resetStoreVM (store, state, hot) {
  var oldVm = store._vm;

  // bind store public getters
  store.getters = {};
  // reset local getters cache
  store._makeLocalGettersCache = Object.create(null);
  var wrappedGetters = store._wrappedGetters;
  var computed = {};
  forEachValue(wrappedGetters, function (fn, key) {
    // use computed to leverage its lazy-caching mechanism
    // direct inline function use will lead to closure preserving oldVm.
    // using partial to return function with only arguments preserved in closure environment.
    computed[key] = partial(fn, store);
    Object.defineProperty(store.getters, key, {
      get: function () { return store._vm[key]; },
      enumerable: true // for local getters
    });
  });

  // use a Vue instance to store the state tree
  // suppress warnings just in case the user has added
  // some funky global mixins
  var silent = Vue.config.silent;
  Vue.config.silent = true;
  store._vm = new Vue({
    data: {
      $$state: state
    },
    computed: computed
  });
  Vue.config.silent = silent;

  // enable strict mode for new vm
  if (store.strict) {
    enableStrictMode(store);
  }

  if (oldVm) {
    if (hot) {
      // dispatch changes in all subscribed watchers
      // to force getter re-evaluation for hot reloading.
      store._withCommit(function () {
        oldVm._data.$$state = null;
      });
    }
    Vue.nextTick(function () { return oldVm.$destroy(); });
  }
}

function installModule (store, rootState, path, module, hot) {
  var isRoot = !path.length;
  var namespace = store._modules.getNamespace(path);

  // register in namespace map
  if (module.namespaced) {
    if (store._modulesNamespaceMap[namespace] &amp;&amp; ("development" !== 'production')) {
      console.error(("[vuex] duplicate namespace " + namespace + " for the namespaced module " + (path.join('/'))));
    }
    store._modulesNamespaceMap[namespace] = module;
  }

  // set state
  if (!isRoot &amp;&amp; !hot) {
    var parentState = getNestedState(rootState, path.slice(0, -1));
    var moduleName = path[path.length - 1];
    store._withCommit(function () {
      if ((true)) {
        if (moduleName in parentState) {
          console.warn(
            ("[vuex] state field \"" + moduleName + "\" was overridden by a module with the same name at \"" + (path.join('.')) + "\"")
          );
        }
      }
      Vue.set(parentState, moduleName, module.state);
    });
  }

  var local = module.context = makeLocalContext(store, namespace, path);

  module.forEachMutation(function (mutation, key) {
    var namespacedType = namespace + key;
    registerMutation(store, namespacedType, mutation, local);
  });

  module.forEachAction(function (action, key) {
    var type = action.root ? key : namespace + key;
    var handler = action.handler || action;
    registerAction(store, type, handler, local);
  });

  module.forEachGetter(function (getter, key) {
    var namespacedType = namespace + key;
    registerGetter(store, namespacedType, getter, local);
  });

  module.forEachChild(function (child, key) {
    installModule(store, rootState, path.concat(key), child, hot);
  });
}

/**
 * make localized dispatch, commit, getters and state
 * if there is no namespace, just use root ones
 */
function makeLocalContext (store, namespace, path) {
  var noNamespace = namespace === '';

  var local = {
    dispatch: noNamespace ? store.dispatch : function (_type, _payload, _options) {
      var args = unifyObjectStyle(_type, _payload, _options);
      var payload = args.payload;
      var options = args.options;
      var type = args.type;

      if (!options || !options.root) {
        type = namespace + type;
        if (( true) &amp;&amp; !store._actions[type]) {
          console.error(("[vuex] unknown local action type: " + (args.type) + ", global type: " + type));
          return
        }
      }

      return store.dispatch(type, payload)
    },

    commit: noNamespace ? store.commit : function (_type, _payload, _options) {
      var args = unifyObjectStyle(_type, _payload, _options);
      var payload = args.payload;
      var options = args.options;
      var type = args.type;

      if (!options || !options.root) {
        type = namespace + type;
        if (( true) &amp;&amp; !store._mutations[type]) {
          console.error(("[vuex] unknown local mutation type: " + (args.type) + ", global type: " + type));
          return
        }
      }

      store.commit(type, payload, options);
    }
  };

  // getters and state object must be gotten lazily
  // because they will be changed by vm update
  Object.defineProperties(local, {
    getters: {
      get: noNamespace
        ? function () { return store.getters; }
        : function () { return makeLocalGetters(store, namespace); }
    },
    state: {
      get: function () { return getNestedState(store.state, path); }
    }
  });

  return local
}

function makeLocalGetters (store, namespace) {
  if (!store._makeLocalGettersCache[namespace]) {
    var gettersProxy = {};
    var splitPos = namespace.length;
    Object.keys(store.getters).forEach(function (type) {
      // skip if the target getter is not match this namespace
      if (type.slice(0, splitPos) !== namespace) { return }

      // extract local getter type
      var localType = type.slice(splitPos);

      // Add a port to the getters proxy.
      // Define as getter property because
      // we do not want to evaluate the getters in this time.
      Object.defineProperty(gettersProxy, localType, {
        get: function () { return store.getters[type]; },
        enumerable: true
      });
    });
    store._makeLocalGettersCache[namespace] = gettersProxy;
  }

  return store._makeLocalGettersCache[namespace]
}

function registerMutation (store, type, handler, local) {
  var entry = store._mutations[type] || (store._mutations[type] = []);
  entry.push(function wrappedMutationHandler (payload) {
    handler.call(store, local.state, payload);
  });
}

function registerAction (store, type, handler, local) {
  var entry = store._actions[type] || (store._actions[type] = []);
  entry.push(function wrappedActionHandler (payload) {
    var res = handler.call(store, {
      dispatch: local.dispatch,
      commit: local.commit,
      getters: local.getters,
      state: local.state,
      rootGetters: store.getters,
      rootState: store.state
    }, payload);
    if (!isPromise(res)) {
      res = Promise.resolve(res);
    }
    if (store._devtoolHook) {
      return res.catch(function (err) {
        store._devtoolHook.emit('vuex:error', err);
        throw err
      })
    } else {
      return res
    }
  });
}

function registerGetter (store, type, rawGetter, local) {
  if (store._wrappedGetters[type]) {
    if ((true)) {
      console.error(("[vuex] duplicate getter key: " + type));
    }
    return
  }
  store._wrappedGetters[type] = function wrappedGetter (store) {
    return rawGetter(
      local.state, // local state
      local.getters, // local getters
      store.state, // root state
      store.getters // root getters
    )
  };
}

function enableStrictMode (store) {
  store._vm.$watch(function () { return this._data.$$state }, function () {
    if ((true)) {
      assert(store._committing, "do not mutate vuex store state outside mutation handlers.");
    }
  }, { deep: true, sync: true });
}

function getNestedState (state, path) {
  return path.reduce(function (state, key) { return state[key]; }, state)
}

function unifyObjectStyle (type, payload, options) {
  if (isObject(type) &amp;&amp; type.type) {
    options = payload;
    payload = type;
    type = type.type;
  }

  if ((true)) {
    assert(typeof type === 'string', ("expects string as the type, but found " + (typeof type) + "."));
  }

  return { type: type, payload: payload, options: options }
}

function install (_Vue) {
  if (Vue &amp;&amp; _Vue === Vue) {
    if ((true)) {
      console.error(
        '[vuex] already installed. Vue.use(Vuex) should be called only once.'
      );
    }
    return
  }
  Vue = _Vue;
  applyMixin(Vue);
}

/**
 * Reduce the code which written in Vue.js for getting the state.
 * @param {String} [namespace] - Module's namespace
 * @param {Object|Array} states # Object's item can be a function which accept state and getters for param, you can do something for state and getters in it.
 * @param {Object}
 */
var mapState = normalizeNamespace(function (namespace, states) {
  var res = {};
  if (( true) &amp;&amp; !isValidMap(states)) {
    console.error('[vuex] mapState: mapper parameter must be either an Array or an Object');
  }
  normalizeMap(states).forEach(function (ref) {
    var key = ref.key;
    var val = ref.val;

    res[key] = function mappedState () {
      var state = this.$store.state;
      var getters = this.$store.getters;
      if (namespace) {
        var module = getModuleByNamespace(this.$store, 'mapState', namespace);
        if (!module) {
          return
        }
        state = module.context.state;
        getters = module.context.getters;
      }
      return typeof val === 'function'
        ? val.call(this, state, getters)
        : state[val]
    };
    // mark vuex getter for devtools
    res[key].vuex = true;
  });
  return res
});

/**
 * Reduce the code which written in Vue.js for committing the mutation
 * @param {String} [namespace] - Module's namespace
 * @param {Object|Array} mutations # Object's item can be a function which accept `commit` function as the first param, it can accept another params. You can commit mutation and do any other things in this function. specially, You need to pass anthor params from the mapped function.
 * @return {Object}
 */
var mapMutations = normalizeNamespace(function (namespace, mutations) {
  var res = {};
  if (( true) &amp;&amp; !isValidMap(mutations)) {
    console.error('[vuex] mapMutations: mapper parameter must be either an Array or an Object');
  }
  normalizeMap(mutations).forEach(function (ref) {
    var key = ref.key;
    var val = ref.val;

    res[key] = function mappedMutation () {
      var args = [], len = arguments.length;
      while ( len-- ) args[ len ] = arguments[ len ];

      // Get the commit method from store
      var commit = this.$store.commit;
      if (namespace) {
        var module = getModuleByNamespace(this.$store, 'mapMutations', namespace);
        if (!module) {
          return
        }
        commit = module.context.commit;
      }
      return typeof val === 'function'
        ? val.apply(this, [commit].concat(args))
        : commit.apply(this.$store, [val].concat(args))
    };
  });
  return res
});

/**
 * Reduce the code which written in Vue.js for getting the getters
 * @param {String} [namespace] - Module's namespace
 * @param {Object|Array} getters
 * @return {Object}
 */
var mapGetters = normalizeNamespace(function (namespace, getters) {
  var res = {};
  if (( true) &amp;&amp; !isValidMap(getters)) {
    console.error('[vuex] mapGetters: mapper parameter must be either an Array or an Object');
  }
  normalizeMap(getters).forEach(function (ref) {
    var key = ref.key;
    var val = ref.val;

    // The namespace has been mutated by normalizeNamespace
    val = namespace + val;
    res[key] = function mappedGetter () {
      if (namespace &amp;&amp; !getModuleByNamespace(this.$store, 'mapGetters', namespace)) {
        return
      }
      if (( true) &amp;&amp; !(val in this.$store.getters)) {
        console.error(("[vuex] unknown getter: " + val));
        return
      }
      return this.$store.getters[val]
    };
    // mark vuex getter for devtools
    res[key].vuex = true;
  });
  return res
});

/**
 * Reduce the code which written in Vue.js for dispatch the action
 * @param {String} [namespace] - Module's namespace
 * @param {Object|Array} actions # Object's item can be a function which accept `dispatch` function as the first param, it can accept anthor params. You can dispatch action and do any other things in this function. specially, You need to pass anthor params from the mapped function.
 * @return {Object}
 */
var mapActions = normalizeNamespace(function (namespace, actions) {
  var res = {};
  if (( true) &amp;&amp; !isValidMap(actions)) {
    console.error('[vuex] mapActions: mapper parameter must be either an Array or an Object');
  }
  normalizeMap(actions).forEach(function (ref) {
    var key = ref.key;
    var val = ref.val;

    res[key] = function mappedAction () {
      var args = [], len = arguments.length;
      while ( len-- ) args[ len ] = arguments[ len ];

      // get dispatch function from store
      var dispatch = this.$store.dispatch;
      if (namespace) {
        var module = getModuleByNamespace(this.$store, 'mapActions', namespace);
        if (!module) {
          return
        }
        dispatch = module.context.dispatch;
      }
      return typeof val === 'function'
        ? val.apply(this, [dispatch].concat(args))
        : dispatch.apply(this.$store, [val].concat(args))
    };
  });
  return res
});

/**
 * Rebinding namespace param for mapXXX function in special scoped, and return them by simple object
 * @param {String} namespace
 * @return {Object}
 */
var createNamespacedHelpers = function (namespace) { return ({
  mapState: mapState.bind(null, namespace),
  mapGetters: mapGetters.bind(null, namespace),
  mapMutations: mapMutations.bind(null, namespace),
  mapActions: mapActions.bind(null, namespace)
}); };

/**
 * Normalize the map
 * normalizeMap([1, 2, 3]) =&gt; [ { key: 1, val: 1 }, { key: 2, val: 2 }, { key: 3, val: 3 } ]
 * normalizeMap({a: 1, b: 2, c: 3}) =&gt; [ { key: 'a', val: 1 }, { key: 'b', val: 2 }, { key: 'c', val: 3 } ]
 * @param {Array|Object} map
 * @return {Object}
 */
function normalizeMap (map) {
  if (!isValidMap(map)) {
    return []
  }
  return Array.isArray(map)
    ? map.map(function (key) { return ({ key: key, val: key }); })
    : Object.keys(map).map(function (key) { return ({ key: key, val: map[key] }); })
}

/**
 * Validate whether given map is valid or not
 * @param {*} map
 * @return {Boolean}
 */
function isValidMap (map) {
  return Array.isArray(map) || isObject(map)
}

/**
 * Return a function expect two param contains namespace and map. it will normalize the namespace and then the param's function will handle the new namespace and the map.
 * @param {Function} fn
 * @return {Function}
 */
function normalizeNamespace (fn) {
  return function (namespace, map) {
    if (typeof namespace !== 'string') {
      map = namespace;
      namespace = '';
    } else if (namespace.charAt(namespace.length - 1) !== '/') {
      namespace += '/';
    }
    return fn(namespace, map)
  }
}

/**
 * Search a special module from store by namespace. if module not exist, print error message.
 * @param {Object} store
 * @param {String} helper
 * @param {String} namespace
 * @return {Object}
 */
function getModuleByNamespace (store, helper, namespace) {
  var module = store._modulesNamespaceMap[namespace];
  if (( true) &amp;&amp; !module) {
    console.error(("[vuex] module namespace not found in " + helper + "(): " + namespace));
  }
  return module
}

// Credits: borrowed code from fcomb/redux-logger

function createLogger (ref) {
  if ( ref === void 0 ) ref = {};
  var collapsed = ref.collapsed; if ( collapsed === void 0 ) collapsed = true;
  var filter = ref.filter; if ( filter === void 0 ) filter = function (mutation, stateBefore, stateAfter) { return true; };
  var transformer = ref.transformer; if ( transformer === void 0 ) transformer = function (state) { return state; };
  var mutationTransformer = ref.mutationTransformer; if ( mutationTransformer === void 0 ) mutationTransformer = function (mut) { return mut; };
  var actionFilter = ref.actionFilter; if ( actionFilter === void 0 ) actionFilter = function (action, state) { return true; };
  var actionTransformer = ref.actionTransformer; if ( actionTransformer === void 0 ) actionTransformer = function (act) { return act; };
  var logMutations = ref.logMutations; if ( logMutations === void 0 ) logMutations = true;
  var logActions = ref.logActions; if ( logActions === void 0 ) logActions = true;
  var logger = ref.logger; if ( logger === void 0 ) logger = console;

  return function (store) {
    var prevState = deepCopy(store.state);

    if (typeof logger === 'undefined') {
      return
    }

    if (logMutations) {
      store.subscribe(function (mutation, state) {
        var nextState = deepCopy(state);

        if (filter(mutation, prevState, nextState)) {
          var formattedTime = getFormattedTime();
          var formattedMutation = mutationTransformer(mutation);
          var message = "mutation " + (mutation.type) + formattedTime;

          startMessage(logger, message, collapsed);
          logger.log('%c prev state', 'color: #9E9E9E; font-weight: bold', transformer(prevState));
          logger.log('%c mutation', 'color: #03A9F4; font-weight: bold', formattedMutation);
          logger.log('%c next state', 'color: #4CAF50; font-weight: bold', transformer(nextState));
          endMessage(logger);
        }

        prevState = nextState;
      });
    }

    if (logActions) {
      store.subscribeAction(function (action, state) {
        if (actionFilter(action, state)) {
          var formattedTime = getFormattedTime();
          var formattedAction = actionTransformer(action);
          var message = "action " + (action.type) + formattedTime;

          startMessage(logger, message, collapsed);
          logger.log('%c action', 'color: #03A9F4; font-weight: bold', formattedAction);
          endMessage(logger);
        }
      });
    }
  }
}

function startMessage (logger, message, collapsed) {
  var startMessage = collapsed
    ? logger.groupCollapsed
    : logger.group;

  // render
  try {
    startMessage.call(logger, message);
  } catch (e) {
    logger.log(message);
  }
}

function endMessage (logger) {
  try {
    logger.groupEnd();
  } catch (e) {
    logger.log('â€”â€” log end â€”â€”');
  }
}

function getFormattedTime () {
  var time = new Date();
  return (" @ " + (pad(time.getHours(), 2)) + ":" + (pad(time.getMinutes(), 2)) + ":" + (pad(time.getSeconds(), 2)) + "." + (pad(time.getMilliseconds(), 3)))
}

function repeat (str, times) {
  return (new Array(times + 1)).join(str)
}

function pad (num, maxLength) {
  return repeat('0', maxLength - num.toString().length) + num
}

var index = {
  Store: Store,
  install: install,
  version: '3.6.2',
  mapState: mapState,
  mapMutations: mapMutations,
  mapGetters: mapGetters,
  mapActions: mapActions,
  createNamespacedHelpers: createNamespacedHelpers,
  createLogger: createLogger
};

/* harmony default export */ const __WEBPACK_DEFAULT_EXPORT__ = (index);



/***/ })

/******/ 	});
/************************************************************************/
/******/ 	// The module cache
/******/ 	var __webpack_module_cache__ = {};
/******/ 	
/******/ 	// The require function
/******/ 	function __webpack_require__(moduleId) {
/******/ 		// Check if module is in cache
/******/ 		var cachedModule = __webpack_module_cache__[moduleId];
/******/ 		if (cachedModule !== undefined) {
/******/ 			return cachedModule.exports;
/******/ 		}
/******/ 		// Create a new module (and put it into the cache)
/******/ 		var module = __webpack_module_cache__[moduleId] = {
/******/ 			id: moduleId,
/******/ 			loaded: false,
/******/ 			exports: {}
/******/ 		};
/******/ 	
/******/ 		// Execute the module function
/******/ 		__webpack_modules__[moduleId].call(module.exports, module, module.exports, __webpack_require__);
/******/ 	
/******/ 		// Flag the module as loaded
/******/ 		module.loaded = true;
/******/ 	
/******/ 		// Return the exports of the module
/******/ 		return module.exports;
/******/ 	}
/******/ 	
/************************************************************************/
/******/ 	/* webpack/runtime/compat get default export */
/******/ 	(() =&gt; {
/******/ 		// getDefaultExport function for compatibility with non-harmony modules
/******/ 		__webpack_require__.n = (module) =&gt; {
/******/ 			var getter = module &amp;&amp; module.__esModule ?
/******/ 				() =&gt; (module['default']) :
/******/ 				() =&gt; (module);
/******/ 			__webpack_require__.d(getter, { a: getter });
/******/ 			return getter;
/******/ 		};
/******/ 	})();
/******/ 	
/******/ 	/* webpack/runtime/define property getters */
/******/ 	(() =&gt; {
/******/ 		// define getter functions for harmony exports
/******/ 		__webpack_require__.d = (exports, definition) =&gt; {
/******/ 			for(var key in definition) {
/******/ 				if(__webpack_require__.o(definition, key) &amp;&amp; !__webpack_require__.o(exports, key)) {
/******/ 					Object.defineProperty(exports, key, { enumerable: true, get: definition[key] });
/******/ 				}
/******/ 			}
/******/ 		};
/******/ 	})();
/******/ 	
/******/ 	/* webpack/runtime/global */
/******/ 	(() =&gt; {
/******/ 		__webpack_require__.g = (function() {
/******/ 			if (typeof globalThis === 'object') return globalThis;
/******/ 			try {
/******/ 				return this || new Function('return this')();
/******/ 			} catch (e) {
/******/ 				if (typeof window === 'object') return window;
/******/ 			}
/******/ 		})();
/******/ 	})();
/******/ 	
/******/ 	/* webpack/runtime/hasOwnProperty shorthand */
/******/ 	(() =&gt; {
/******/ 		__webpack_require__.o = (obj, prop) =&gt; (Object.prototype.hasOwnProperty.call(obj, prop))
/******/ 	})();
/******/ 	
/******/ 	/* webpack/runtime/make namespace object */
/******/ 	(() =&gt; {
/******/ 		// define __esModule on exports
/******/ 		__webpack_require__.r = (exports) =&gt; {
/******/ 			if(typeof Symbol !== 'undefined' &amp;&amp; Symbol.toStringTag) {
/******/ 				Object.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });
/******/ 			}
/******/ 			Object.defineProperty(exports, '__esModule', { value: true });
/******/ 		};
/******/ 	})();
/******/ 	
/******/ 	/* webpack/runtime/node module decorator */
/******/ 	(() =&gt; {
/******/ 		__webpack_require__.nmd = (module) =&gt; {
/******/ 			module.paths = [];
/******/ 			if (!module.children) module.children = [];
/******/ 			return module;
/******/ 		};
/******/ 	})();
/******/ 	
/******/ 	/* webpack/runtime/nonce */
/******/ 	(() =&gt; {
/******/ 		__webpack_require__.nc = undefined;
/******/ 	})();
/******/ 	
/************************************************************************/
/******/ 	
/******/ 	// startup
/******/ 	// Load entry module and return exports
/******/ 	__webpack_require__("./resources/js/main.js");
/******/ 	__webpack_require__("./resources/_Theme/assets/js/vendor/waypoints.min.js");
/******/ 	// This entry module is referenced by other modules so it can't be inlined
/******/ 	__webpack_require__("./resources/_Theme/assets/js/bootstrap.bundle.min.js");
/******/ 	__webpack_require__("./resources/_Theme/assets/js/jquery.meanmenu.js");
/******/ 	__webpack_require__("./resources/_Theme/assets/js/owl.carousel.min.js");
/******/ 	__webpack_require__("./resources/_Theme/assets/js/jquery.fancybox.min.js");
/******/ 	__webpack_require__("./resources/_Theme/assets/js/parallax.min.js");
/******/ 	__webpack_require__("./resources/_Theme/assets/js/backToTop.js");
/******/ 	__webpack_require__("./resources/_Theme/assets/js/jquery.counterup.min.js");
/******/ 	__webpack_require__("./resources/_Theme/assets/js/ajax-form.js");
/******/ 	__webpack_require__("./resources/_Theme/assets/js/wow.min.js");
/******/ 	__webpack_require__("./resources/_Theme/assets/js/imagesloaded.pkgd.min.js");
/******/ 	var __webpack_exports__ = __webpack_require__("./resources/_Theme/assets/js/main.js");
/******/ 	
/******/ })()
;</pre></body></html>